一、定义切片
声明一个未指定大小的数组来定义切片,切片不需要说明长度
var identifier []type
使用make()函数创建切片
var slice1 []type = make([]type, len)
//简写
slice1 := make([]type, len)
//指定容量,其中 capacity 为可选参数
//len 是数组的长度并且也是切片的初始长度
make([]T, length, capacity)
二、初始化
直接初始化切片
s := []int{1, 2, 3}
初始化切片 s,是数组 arr 的引用
s := arr[:]
将 arr 中从下标 startIndex 到 endIndex-1 下的元素创建为一个新的切片
s := arr[startIndex:endIndex]
默认 endIndex 时将表示一直到arr的最后一个元素
s := arr[startIndex:]
默认 startIndex 时将表示从 arr 的第一个元素开始
s := arr[:endIndex]
通过切片 s 初始化切片 s1
s1 := s[startIndex:endIndex]
通过内置函数 make() 初始化切片s,[]int 标识为其元素类型为 int 的切片
s := make([]int,len,cap)
三、len()和cap()函数
- len():获取长度
- cap():计算容量
- 一个切片在未初始化之前默认为 nil,长度为 0
四、截取
通过设置下限及上限来设置截取切片 [lower-bound:upper-bound]
number1 := numbers[:2]
五、添加元素 append()
向切片追加新元素
/* 向切片添加一个元素 */
numbers = append(numbers, 1)
printSlice(numbers)
/* 同时添加多个元素 */
numbers = append(numbers, 2,3,4)
printSlice(numbers)
六、复制切片元素到另一个切片 copy()
拷贝切片
/* 拷贝 numbers 的内容到 numbers1 */
copy(numbers1,numbers)
七、删除元素
seq := []string{"a", "b", "c", "d", "e"}
index := 2
//...表示将seq[index+1:]整个添加到seq[:index]后面
seq = append(seq[:index], seq[index+1:]...)