关于golang中的const常量和iota
golang中通过var定义变量,通过const定义常量。常量只能是基本的简单值类型,常量一经定义其值不可修改(类比Java中的final)。
const (
MaxInt = int(^uint(0) >> 1)
MinInt = -MaxInt - 1
)
const PI = 3.14
PI = 3.14159//编译错误,Cannot assign to PI
iota是一个特殊常量,可以认为是一个可以被编译器修改的常量。
iota 在const关键字出现时将被重置为0,const中每新增一行常量声明将使 iota 计数加1,因此iota可作为const 语句块中的行索引。
const (
a = 1 //1 (iota=0)
b //1 (iota=1,同上一行,相当于写b=1)
c = b + iota //3 (iota=2,b=1)
d //4 (iota=3,同上一行,相当于写b+iota,b=1)
e //5 (iota=4,同上一行,相当于写b+iota,b=1)
f = "last one but one" // (iota=5)
end = iota //6 (iota=6)
)
fmt.Println(a, reflect.TypeOf(a))
fmt.Println(b, reflect.TypeOf(b))
fmt.Println(c, reflect.TypeOf(c))
fmt.Println(d, reflect.TypeOf(d))
fmt.Println(e, reflect.TypeOf(e))
fmt.Println(f, reflect.TypeOf(f))
fmt.Println(end, reflect.TypeOf(end))
/*
输出:
1 int
1 int
3 int
4 int
5 int
last one but one string
6 int
*/
更多内容请查看 go语言最佳实践