Creating data races with append
Mistake
This is a data race because the array is not full. Both goroutines will attempt to update the same index in the backing array.
s := make([]int, 0, 1)
go func() {
s1 := append(s, 1)
}()
go func() {
s2 := append(s, 1)
}()
Fix
Instead we can copy the slice and append to that.
s := make([]int, 0, 1)
go func() {
sCopy := make([]int, len(s), cap(s))
copy(sCopy, s)
s1 := append(sCopy, 1)
}()
go func() {
sCopy := make([]int, len(s), cap(s))
copy(sCopy, s)
s2 := append(sCopy, 1)
}()