```
package main
import (
"fmt"
"sort"
)
type Score struct {
score int
}
func main() {
slc := []Score{Score{10}, Score{9}, Score{7}, Score{6}, Score{5}, Score{4}, Score{3}, Score{2}, Score{1}, Score{0}}
temp := append(slc, Score{12})
fmt.Println("temp 1:", temp)
fmt.Println("slc 1:", slc)
// 输出:
//temp 1: [{10} {9} {7} {6} {5} {4} {3} {2} {1} {0} {12}]
//slc 1: [{10} {9} {7} {6} {5} {4} {3} {2} {1} {0}]
//这里slc并未改变,说明对切片append但不赋值不会导致slc的改变?
fmt.Println("without assign:", append(slc[:3], Score{12}))
fmt.Println("slc2: ", slc)
// 输出
//without assign: [{10} {9} {7} {6} {5} {4} {3} {2} {1} {0} {12}]
//slc 2 [{10} {9} {7} {6} {5} {4} {3} {2} {1} {0}]
//描述:without assign预期为[0,3) + 12 = {{0},{1},{2},{12}} 呀,与预期结果不符合, slc2未变,是否表示对切片的分段的操作,不改变切片自身的值。
temp = append(slc[:4], slc[7:]...)
fmt.Println("slc3: ", slc)
// 输出
//slc3: [{10} {9} {7} {6} {2} {1} {0} {2} {1} {0}]
// 描述 预期为不变,但是却变了,变了的预期为[1,4) + [7, 最后] = {{1},{2},{3},{2},{1},{0}} 到这里我已经不能理解语言作者的意思了。
slc = append(append(slc[:4], []Score{{123}, {124}}...), slc[4:]...)
fmt.Println("slc4: ", slc)
//输出
//slc4: [{10} {9} {7} {6} {123} {124} {123} {124} {0} {2} {1} {0}]
//描述:事情已经想无法理解的部分发展了。
intSlice := []int{1, 2, 3, 4}
fmt.Println("append:", append(intSlice, 1001))
fmt.Println("intSlice 1:", intSlice)
//append: [1 2 3 4 1001]
//intSlice: [1 2 3 4]
// 这里和struct的切片表现一致,切片自身并未发生改变。
fmt.Println("append:", append(intSlice[:2], 1001))
fmt.Println("intSlice 2:", intSlice)
//输出
//append: [1 2 1001]
//intSlice: [1 2 1001 4]
// 呵呵~
intSlice2 := []int{1, 2, 3, 4}
tempSlice := append(intSlice2[:2], 1001)
fmt.Println("tempSlice:", tempSlice)
fmt.Println("intSlice2 1:", intSlice2)
//输出
//tempSlice: [1 2 1001]
//intSlice: [1 2 1001 4]
//楼主已经傻掉。
// 一直以为Golang就是那么简单粗暴,结果这些以外,还需要深刻的分析才能得到一个《切片使用注意点大全》 那么这个和C++还有区别,至少C++还可以直观的找出原因。
}
```
楼上已经解释很清楚了。但我还不明白语言这样设计的用意。
题主可以考虑使用2个方法:
1、使用完整的 slice 生成表达式(带 cap),这样在 append 时,由于cap 不足就会重新分配底层数组,但修改操作还是会影响原 slice;
2、生成新 slice 时,使用 copy 拷贝,这样避免影响原 slice
#2
更多评论
........看了楼主的例子,让你不能理解的是这段,因为这段导致的你不能理解,这段代码你执行的有错误,可以单独的拿出来重新执行一下看一看到底有什么结果。
```go
fmt.Println("without assign:", append(slc[:3], Score{12}))
fmt.Println("slc2: ", slc)·
// 输出
//without assign: [{10} {9} {7} {6} {5} {4} {3} {2} {1} {0} {12}]
//slc 2 [{10} {9} {7} {6} {5} {4} {3} {2} {1} {0}]
// 描述:without assign预期为[0,3) + 12 = {{0},{1},{2},{12}} 呀,与预期结果不符合, slc2未变,是否表示对切片的分段的操作,不改变切片自身的值。
```
这段的输出“without assign:"值是错误的,你可以再操作一下,应该是预期输出才对。
对于slice的append的确比较难理解,但只要你理解了slice的概念,就比较好理解append的用法了。文档已经说明了append函数:如果slice的capacity够用(这里的capacity指的是该slice指向的底层数组),就会在原slice后追加元素。否则会分配新的空间来存储。那原slice还是原来那个不变,append函数返回的新slice指向了新的底层数组。append函数底层的实现比较复杂,不要去猜测某次append后cap是否够用,是否分配了新的空间。
在使用append函数时为了保证你要得到想要的结果,将append返回的值重新赋值给你的slice就好了。
#1