mirror of
https://github.com/chubin/cheat.sheets
synced 2024-11-07 09:20:22 +00:00
20 lines
931 B
Plaintext
20 lines
931 B
Plaintext
|
var a []int // declare a slice - similar to an array, but length is unspecified
|
||
|
var a = []int {1, 2, 3, 4} // declare and initialize a slice (backed by the array given implicitly)
|
||
|
a := []int{1, 2, 3, 4} // shorthand
|
||
|
chars := []string{0:"a", 2:"c", 1: "b"} // ["a", "b", "c"]
|
||
|
|
||
|
var b = a[lo:hi] // creates a slice (view of the array) from index lo to hi-1
|
||
|
var b = a[1:4] // slice from index 1 to 3
|
||
|
var b = a[:3] // missing low index implies 0
|
||
|
var b = a[3:] // missing high index implies len(a)
|
||
|
a = append(a,17,3) // append items to slice a
|
||
|
c := append(a,b...) // concatenate slices a and b
|
||
|
|
||
|
// create a slice with make
|
||
|
a = make([]byte, 5, 5) // first arg length, second capacity
|
||
|
a = make([]byte, 5) // capacity is optional
|
||
|
|
||
|
// create a slice from an array
|
||
|
x := [3]string{"Лайка", "Белка", "Стрелка"}
|
||
|
s := x[:] // a slice referencing the storage of x
|