Go语言

特殊变量iota

iota是golang语言的常量计数器,只能在常量的表达式中使用。
iota在const关键字出现时将被重置为0(const内部的第一行之前),const中每新增一行常量声明将使iota计数一次(iota可理解为const语句块中的行索引)。
使用iota能简化定义,在定义枚举时很有用。
iota常见使用法

  • 跳值使用法
const (
    a = iota   //a=0
    b = iota   //b=1
    _ = iota   //跳值
    c = iota   //c=3
)
  • 插队使用法
const (
    a = iota   //a=0
    b = iota   //b=1
    c = 3.14  //插队
    d = iota   //d=3
)
  • 表达式隐式使用法
    未定义的常量自动继承上方最近的非空常量值。
const (
    a = iota*2  //a=0
    b           //b=2
    c           //c=4
)
  • 单行使用法
const (
    a, b = iota, iota + 3  //a=0,b=3
    c, d                   //c=1,d=4 ,自动继承上方常量的赋值格式
    f = iota                //f=2 //此处f一定要有初值,不然和上方的格式不匹配,导致无法赋值
)

你可能感兴趣的:(Go语言)