Go 里面 [...]string{"a", "b", "c"} 加三个点是什么骚写法?
Posted 无风
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了Go 里面 [...]string{"a", "b", "c"} 加三个点是什么骚写法?相关的知识,希望对你有一定的参考价值。
看到 go/ast 源码包中有这么一段代码:
var objKindStrings = [...]string{
Bad: "bad",
Pkg: "package",
Con: "const",
Typ: "type",
Var: "var",
Fun: "func",
Lbl: "label",
}
谷歌搜了一下,3 dots in 4 places 这篇文章介绍了“三点”语法在四个不同场景的使用。其中提到:
Array literals
In an array literal, the
...
notation specifies a length equal to the number of elements in the literal.stooges := [...]string{"Moe", "Larry", "Curly"} // len(stooges) == 3
看完我还没反应过来,这跟 []string
有啥区别?后来才注意到 array 字眼,天天用 slice 都忘了 array 的存在。
[...]string
是 array,而 []string
是 slice。[...]string
是 [n]string
的便捷写法,n = arr 元素个数。
写段代码验证一下:
func main() {
a := [...]string{"a", "b", "c", "d"}
b := []string{"a", "b", "c", "d"}
atype := reflect.TypeOf(a)
btype := reflect.TypeOf(b)
fmt.Println(atype.Kind(), atype)
fmt.Println(btype.Kind(), btype)
}
输出:
array [4]string
slice []string
在这种常量场景用 [...]
还真是挺方便,修改元素个数,自动调整 array 长度。
至于为什么用 array 而不是 slice,应该是出于性能考虑,slice 封装自 array 之上,虽然使用便捷,但是数据结构更复杂,性能也更差。Go 源码作者真是细节到位。
你学废了吗?
以上是关于Go 里面 [...]string{"a", "b", "c"} 加三个点是什么骚写法?的主要内容,如果未能解决你的问题,请参考以下文章
JAVA里面 String a = "aaa"; 和 String a = new String("aaa");有啥区别?