Go Slices
An essential guide to using slices in Go, covering slice creation, manipulation, and performance tips
Slices are a powerful feature in Go, providing a more flexible and convenient way to work with sequences of elements compared to arrays. This guide introduces Go slices, demonstrates basic and advanced operations, and offers best practices and tips for maximizing performance.
Creating and Initializing Slices
Slices can be created using the make
function or through slicing an existing array or slice.
Using the make
Function
package main
import "fmt"
func main() {
// Create a slice with length 3 and capacity 10.
slice := make([]int, 3, 10)
fmt.Println(slice) // Output: [0 0 0].
}
Slicing an Array
package main
import "fmt"
func main() {
arr := [5]int{1, 2, 3, 4, 5}
// Create a slice from the array.
slice := arr[1:4]
fmt.Println(slice) // Output: [2 3 4].
}
Appending to Slices
The append
function is used to add elements to a slice.
package main
import "fmt"
func main() {
// Initial slice.
slice := []int{1, 2, 3}
// Append one element.
slice = append(slice, 4)
// Append multiple elements.
slice = append(slice, 5, 6, 7)
fmt.Println(slice) // Output: [1 2 3 4 5 6 7].
}
Copying Slices
You can copy elements from one slice to another using the copy
function.
package main
import "fmt"
func main() {
source := []int{1, 2, 3, 4}
destination := make([]int, len(source))
copy(destination, source)
fmt.Println(destination) // Output: [1 2 3 4].
}
Modifying Slices
Slices support range to perform iteration, allowing easy modification through assignment.
package main
import "fmt"
func main() {
slice := []int{1, 2, 3, 4, 5}
// Double each element.
for i := range slice {
slice[i] *= 2
}
fmt.Println(slice) // Output: [2 4 6 8 10].
}
Best Practices
- Use slices instead of arrays for a more flexible and idiomatic approach in Go.
- Use
make
to create slices with a predefined capacity if the size is predictable. - Always check the capacity (
cap()
) before using operations that might increase the size of the slice. - Use
append
carefully, as it might lead to allocation of a new underlying array if the capacity is exceeded.
Common Pitfalls
- Misunderstanding slices as arrays — slices are reference types and share the backing array.
- Forgetting that modifying a slice might affect all slices pointing to the same array.
- Using an uninitialized slice (
nil
slice) without checking as it doesn't automatically allocate storage.
Performance Tips
- Pre-allocate slices using
make
function to avoid multiple allocations. - Be mindful of large memory allocations during
append
operations; usecap()
to optimize capacity size. - Avoid using large slices passed by value, as it involves copying each element, which can be costly.
- Use slicing operations carefully to avoid inadvertent high-memory usage by sharing a large backing array.