概念簡介
Slice是 Go語言 中一個關鍵的數據類型,是一個比數組更加強大的序列接口。
例程代碼
package main
import "fmt"
func main() {
// 與數組不同,slice 的類型僅由它所包含的元素決定(不需要
// 元素的個數)。要創建一個長度非零的空
// slice,需要使用內建的方法 `make`。這裏我們創建了一
// 個長度為3的 `string` 類型 slice(初始化為零值)。
s := make([]string, 3)
fmt.Println("emp:", s)
// 我們可以和數組一樣設置和得到值
s[0] = "a"
s[1] = "b"
s[2] = "c"
fmt.Println("set:", s)
fmt.Println("get:", s[2])
// `len` 返回 slice 的長度
fmt.Println("len:", len(s))
// 除了基本操作外,slice 支持比數組更豐富的操作。
// 其中一個是內建的 `append`,它返回一個包含了一個
// 或者多個新值的 slice。注意由於 `append` 可能返回
// 新的 slice,我們需要接受其返回值。
s = append(s, "d")
s = append(s, "e", "f")
fmt.Println("apd:", s)
// Slice 也可以被 `copy`。這裏我們創建一個空的和 `s` 有
// 相同長度的 slice `c`,並且將 `s` 複製給 `c`。
c := make([]string, len(s))
copy(c, s)
fmt.Println("cpy:", c)
// Slice 支持通過 `slice[low:high]` 語法進行“切片”操
// 作。例如,這裏得到一個包含元素 `s[2]`, `s[3]`,
// `s[4]` 的 slice。
l := s[2:5]
fmt.Println("sl1:", l)
// 這個 slice 從 `s[0]` 切片到 `s[5]`(不包含)。
l = s[:5]
fmt.Println("sl2:", l)
// 這個 slice 從 `s[2]` (包含)開始切片。
l = s[2:]
fmt.Println("sl3:", l)
// 我們可以在一行代碼中聲明並初始化一個 slice 變量。
t := []string{"g", "h", "i"}
fmt.Println("dcl:", t)
// Slice 可以組成多維數據結構。內部的 slice 長度可以不
// 一致,這和多維數組不同。
twoD := make([][]int, 3)
for i := 0; i < 3; i++ {
innerLen := i + 1
twoD[i] = make([]int, innerLen)
for j := 0; j < innerLen; j++ {
twoD[i][j] = i + j
}
}
fmt.Println("2d: ", twoD)
}
執行&輸出
# 注意,slice 和數組是不同的類型,但是它們通過 `fmt.Println` 打印
# 結果類似。
$ go run slices.go
emp: [ ]
set: [a b c]
get: c
len: 3
apd: [a b c d e f]
cpy: [a b c d e f]
sl1: [c d e]
sl2: [a b c d e]
sl3: [c d e f]
dcl: [g h i]
2d: [[0] [1 2] [2 3 4]]
# 看看這個由 Go 團隊撰寫的一篇[很棒的博文](http://blog.golang.org/2011/01/go-slices-usage-and-internals.html),
# 了解更多關於 Go 中 slice 的設計和實現細節。
# 現在,我們學習了數組和 slice,接下來我們將學習
# Go 中的另一個關鍵的內建數據類型:map。
課程導航
學習上一篇:Go語言教程:數組 學習下一篇:Go語言教程:map/hash/dict
相關資料
本例程github源代碼:https://github.com/xg-wang/gobyexample/tree/master/examples/slices