slice,是go中一個很重要的主題。我們不用切片來表述,因為這裡的切片特指的是陣列的切片。
先給slice下個定義吧:
Slice expressions construct a substring or slice from a string, array, pointer to array, or slice. There are two variants: a simple form that specifies a low and high bound, and a full form that also specifies a bound on the capacity.
從一個字串中構建了一個子字串或者從一個陣列中構建一個切片,並且把這個子字串或是這個切片的指標賦給這個slice.換句話說slice就是指向某個字串或者某個陣列的一個指標。
表面上來看,slice是一種與array很相似的東西,但是兩者之間最大的區別是array是定長的而slice可以更改其長度。
slice的基本語法:
1
a[low : high]
-
建立一個陣列
a := [5]int{1, 2, 3, 4, 5}
-
建立切片
s := a[1:4]
-
slice s中元素的型別是int,length(長度)是3(high-low),capacity(容量)是4
2 切片的省略寫法
(原文呈現)For convenience, any of the indices may be omitted. A missing low index defaults to zero; a missing high index defaults to the length of the sliced operand。(為了方便,任何索引都是可以被忽略的,開始的索引預設為0,結束的索引預設為slice的長度)
a[2:] // same as a[2 : len(a)]
a[:3] // same as a[0 : 3]
a[:] // same as a[0 : len(a)]
3
slicer := make([]int, 10)
可以通過make來新建一個slice,第一個引數是slice中的元素型別,第二個引數是這個slice的容量。
slice的實現原理
當我們建立了一個slice的時候會發生以下的事情:
-
建立了一個與引數1相匹配元素型別的、引數2長度的陣列。
-
建立指向這個陣列的指標並賦給這個切片。
這裡的指標其實就是指向了slice索引值start值對應的陣列元素的位置的地址。
func main() {
a := [5]int{1, 2, 3, 4, 5}
var d *[5]int = &a
println(d)
println(a[0:4])
println(a[1:4])}
結果:
0x220822bf08//原始陣列地址
[4/5]0x220822bf08//對應切片a[0:4]地址
[3/4]0x220822bf10//對應切片a[1:4]地址