英文:
Why golang append same slice result will share one memory address?
问题
我以为在Go语言中,使用append
会返回一个新的结果,但我发现在同一个切片中使用append
会返回相同的内存地址:
func TestRuneAppend3(t *testing.T) {
r := make([][]rune, 256)
r[0] = append(r[0], 99) // c
r[1] = append(r[0], 100) // d
r[2] = append(r[0], 101) // e
// 我以为结果应该是 "c cd ce",但实际上是 "c ce ce"
log.Println(string(r[0]), string(r[1]), string(r[2]))
}
那么,如果我想要得到结果是c cd ce
,最好的方法是什么?
英文:
I thought append
in go, will return a new result, but I find that append in same slice will return same memory address:
func TestRuneAppend3(t *testing.T) {
r := make([][]rune, 256)
r[0] = append(r[0], 99) // c
r[1] = append(r[0], 100) // d
r[2] = append(r[0], 101) // e
// I thought it would be "c cd ce", but it is "c ce ce"
log.Println(string(r[0]), string(r[1]), string(r[2]))
}
So what is the best way if I want to the result is c cd ce
?
答案1
得分: 3
Append只有在要追加的切片没有足够的容量时才会分配一个新的数组。如果你需要一个单独的数组,可以使用make
创建一个新的切片,并使用copy
从原始切片中复制所需的内容。
这篇文章对切片的工作原理进行了很好的解释。
英文:
Append will only allocate a new array if there isn't sufficient capacity in the slice you're appending to. If you need to have a separate array, use make
to create a new slice and use copy
to copy whatever you need from the original slice.
This article gives a good explanation of how slices work.
通过集体智慧和协作来改善编程学习和解决问题的方式。致力于成为全球开发者共同参与的知识库,让每个人都能够通过互相帮助和分享经验来进步。
评论