我试图表示一个简化的染色体,它由 N 个碱基组成,每个碱基只能是{A, C, T, G}.
{A, C, T, G}
我想用枚举形式化约束,但我想知道在 Go 中模拟枚举最惯用的方式是什么。
引用语言规范:Iota
在常量声明中,预先声明的标识符 iota 表示连续的无类型整数常量。每当保留字 const 出现在源代码中并在每个 ConstSpec 之后递增时,它都会重置为 0。它可以用来构造一组相关的常量:
const ( // iota is reset to 0 c0 = iota // c0 == 0 c1 = iota // c1 == 1 c2 = iota // c2 == 2 ) const ( a = 1 << iota // a == 1 (iota has been reset) b = 1 << iota // b == 2 c = 1 << iota // c == 4 ) const ( u = iota * 42 // u == 0 (untyped integer constant) v float64 = iota * 42 // v == 42.0 (float64 constant) w = iota * 42 // w == 84 (untyped integer constant) ) const x = iota // x == 0 (iota has been reset) const y = iota // y == 0 (iota has been reset)
在 ExpressionList 中,每个 iota 的值是相同的,因为它仅在每个 ConstSpec 之后递增:
const ( bit0, mask0 = 1 << iota, 1<<iota - 1 // bit0 == 1, mask0 == 0 bit1, mask1 // bit1 == 2, mask1 == 1 _, _ // skips iota == 2 bit3, mask3 // bit3 == 8, mask3 == 7 )
最后一个示例利用了最后一个非空表达式列表的隐式重复。
所以你的代码可能就像
const ( A = iota C T G )
要么
type Base int const ( A Base = iota C T G )
如果您希望基数是与 int 不同的类型。