- Go - 错误处理
- Go - Interfaces
- Go - 类型转换
- Go - 递归
- Go - Maps
- Go - 范围
- Go - 切片
- Go - 结构
- Go - 指针
- Go - 数组
- Go - 字符串
- Go - 作用域
- Go - 函数
- Go - 循环
- Go - 条件判断
- Go - 操作符
- Go - 常量
- Go - 变量
- Go - 数据类型
- Go - 基本语法
- Go - 程序结构
- Go - 环境设置
- Go - 概述
- Go - Home
Go Useful Resources
Selected Reading
- Who is Who
- Computer Glossary
- HR Interview Questions
- Effective Resume Writing
- Questions and Answers
- UPSC IAS Exams Notes
Go - Variables
变量只不过是程序可以操作的存储区域的名称。Go中的每个变量都有一个特定的类型,它决定了变量内存的大小和布局,可以存储在内存中的值的范围,以及可以应用于变量的一组操作。
变量的名称可以由字母、数字和下划线组成。它必须以字母或下划线开头。大写字母和小写字母是不同的,因为Go区分大小写。根据上一章中解释的基本类型,将有以下基本变量类型-
Sr.No | Type & Description |
---|---|
1 |
byte Typically a single octet(one byte). This is an byte type. |
2 |
int The most natural size of integer for the machine. |
3 |
float32 A single-precision floating point value. |
Go编程语言还允许定义各种其他类型的变量,如枚举、指针、数组、结构和并集,我们将在后续章节中讨论这些变量。在本章中,我们将只关注基本变量类型。
Variable Definition in Go
变量定义告诉编译器在何处以及为变量创建多少存储。变量定义指定数据类型,并包含该类型的一个或多个变量的列表,如下所示−
var variable_pst optional_data_type;
这里,optional_data_type是一个有效的Go数据类型,包括byte、int、float32、complex64、boolean或任何用户定义的对象等,variable_pst可以由一个或多个用逗号分隔的标识符名称组成。此处显示了一些有效声明−
var i, j, k int; var c, ch byte; var f, salary float32; d = 42;
语句“var i,j,k;”声明并定义变量i,j和k;它指示编译器创建int类型的变量i、j和k。
变量可以在声明中初始化(分配一个初始值)。变量的类型由编译器根据传递给它的值自动判断。初始值设定项由一个等号和一个常量表达式组成,如下所示−
variable_name = value;
For example,
d = 3, f = 5; // declaration of d and f. Here d and f are int
对于没有初始化器的定义:具有静态存储持续时间的变量隐式初始化为nil(所有字节的值都为0);所有其他变量的初始值都是其数据类型的零值。
Static Type Declaration in Go
静态类型变量声明为编译器提供了保证,即有一个给定类型和名称的变量可用,这样编译器就可以在不需要变量完整细节的情况下进行进一步编译。变量声明仅在编译时有其含义,编译器在链接程序时需要实际的变量声明。
Example
请尝试以下示例,其中变量已用类型声明并在主函数内初始化 −
package main import "fmt" func main() { var x float64 x = 20.0 fmt.Println(x) fmt.Printf("x is of type %T ", x) }
当编译并执行上述代码时,会产生以下结果 −
20 x is of type float64
Dynamic Type Declaration / Type Inference in Go
动态类型变量声明要求编译器根据传递给它的值来解释变量的类型。编译器不要求变量必须具有静态类型。
Example
请尝试以下示例,其中声明的变量没有任何类型。请注意,在类型推理的情况下,我们使用:=运算符初始化变量y,而使用=运算符初始化x。
package main import "fmt" func main() { var x float64 = 20.0 y := 42 fmt.Println(x) fmt.Println(y) fmt.Printf("x is of type %T ", x) fmt.Printf("y is of type %T ", y) }
当编译并执行上述代码时,会产生以下结果 −
20 42 x is of type float64 y is of type int
Mixed Variable Declaration in Go
可以使用类型推理一次性声明不同类型的变量.
Example
package main import "fmt" func main() { var a, b, c = 3, 4, "foo" fmt.Println(a) fmt.Println(b) fmt.Println(c) fmt.Printf("a is of type %T ", a) fmt.Printf("b is of type %T ", b) fmt.Printf("c is of type %T ", c) }
When the above code is compiled and executed, it produces the following result −
3 4 foo a is of type int b is of type int c is of type string
The lvalues and the rvalues in Go
Go−中有两种表达式
左值−引用内存位置的表达式称为“左值”表达式。左值可以显示为赋值的左侧或右侧。
右值−术语右值是指存储在内存中某个地址的数据值。右值是一个不能赋值的表达式,这意味着右值可以出现在赋值的右边,但不能出现在左边
变量是左值,因此可能出现在赋值的左侧。数字文字是右值,因此不能赋值,也不能出现在左侧。
The following statement is vapd −
x = 20.0
The following statement is not vapd. It would generate compile-time error −
10 = 20