golang append() evaluated but not used

L.jerson picture L.jerson · Jul 10, 2017 · Viewed 31.3k times · Source
func main(){
     var array [10]int
     sliceA := array[0:5]
     append(sliceA, 4)
     fmt.Println(sliceA)
}

Error : append(sliceA, 4) evaluated but not used

I don't Know why? The slice append operation is not run...

Answer

Mohsin picture Mohsin · Jul 10, 2017

Refer: Appending to and copying slices

In Go, arguments are passed by value.

Typical append usage is:

a = append(a, x)

You need to write:

func main(){
    var array [10]int
    sliceA := array[0:5]
    // append(sliceA, 4)  // discard
    sliceA = append(sliceA, 4)  // keep
    fmt.Println(sliceA)
}

Output:

[0 0 0 0 0 4]

I hope it helps.