Go Generics in Practice
Go 1.18 introduced generics, a long-anticipated feature that significantly enhances the language's capabilities. This addition allows developers to write more flexible, reusable, and type-safe code without sacrificing Go's renowned simplicity and performance. This post will explore the practical applications of Go generics, delving into type parameters, their impact on code reusability, and important performance considerations.
Understanding Type Parameters
At the core of Go generics are type parameters. Before Go 1.18, if you wanted to write a function that operated on different types, you'd often resort to interface{} and type assertions, or generate code for each type. This led to verbose and less type-safe solutions. Type parameters allow you to define functions, types, and methods that operate on a set of types rather than a single specific type.
How to Declare Type Parameters
Type parameters are declared in a new kind of bracket [] after the function name or type name. They are essentially placeholders for types that will be specified when the generic function or type is instantiated.
Consider a simple generic function PrintSlice that prints elements of any slice:
func PrintSlice[T any](s []T) {
    for _, v := range s {
        fmt.Println(v)
    }
}
func main() {
    PrintSlice([]int{1, 2, 3})
    PrintSlice([]string{"hello", "world"})
}
In this example, [T any] declares a type parameter T with the any constraint, meaning T can be any type. Go's any is an alias for interface{}, providing a more readable way to express an unconstrained type parameter.
Type Constraints
While any is useful, often you need to restrict the types that can be used with your generic code. This is where type constraints come in. Constraints are interfaces that specify the methods or underlying types a type parameter must satisfy.
Go provides a built-in comparable constraint for types that can be compared using == and !=. You can also define your own interfaces as constraints.
Let's look at a generic function IndexOf that finds the index of an element in a slice of comparable types:
func IndexOf[T comparable](s []T, x T) int {
    for i, v := range s {
        if v == x {
            return i
        }
    }
    return -1
}
func main() {
    fmt.Println(IndexOf([]int{10, 20, 30}, 20))    // Output: 1
    fmt.Println(IndexOf([]string{"a", "b", "c"}, "c")) // Output: 2
    fmt.Println(IndexOf([]float64{1.1, 2.2, 3.3}, 4.4)) // Output: -1
}
Here, [T comparable] ensures that only types that support comparison can be used with IndexOf.
Enhancing Code Reusability
One of the primary benefits of generics is the significant improvement in code reusability. Before generics, writing type-agnostic code often meant duplicating logic for different types or relying on less performant and less type-safe interface{} solutions.
Generic Data Structures
Generics truly shine when implementing data structures. Consider a simple Stack implementation:
Without Generics (pre-Go 1.18 approach):
type IntStack []int
func (s *IntStack) Push(x int) {
    *s = append(*s, x)
}
func (s *IntStack) Pop() (int, bool) {
    if len(*s) == 0 {
        return 0, false
    }
    last := len(*s) - 1
    val := (*s)[last]
    *s = (*s)[:last]
    return val, true
}
// Similar structs and methods would be needed for StringStack, Float64Stack, etc.
With Generics:
type Stack[T any] []T
func (s *Stack[T]) Push(x T) {
    *s = append(*s, x)
}
func (s *Stack[T]) Pop() (T, bool) {
    var zero T // get the zero value for type T
    if len(*s) == 0 {
        return zero, false
    }
    last := len(*s) - 1
    val := (*s)[last]
    *s = (*s)[:last]
    return val, true
}
func main() {
    intStack := Stack[int]{}
    intStack.Push(10)
    intStack.Push(20)
    fmt.Println(intStack.Pop())
    stringStack := Stack[string]{}
    stringStack.Push("apple")
    stringStack.Push("banana")
    fmt.Println(stringStack.Pop())
}
The generic Stack[T] allows you to create stacks of any type, eliminating boilerplate and improving code maintainability. This pattern extends to other data structures like queues, linked lists, and trees.
Generic Algorithms
Beyond data structures, generics are invaluable for writing reusable algorithms. Functions like Map, Filter, and Reduce (common in functional programming paradigms) can now be implemented generically in Go.
// Map applies a function to each element of a slice and returns a new slice.
func Map[T any, U any](s []T, fn func(T) U) []U {
    result := make([]U, len(s))
    for i, v := range s {
        result[i] = fn(v)
    }
    return result
}
// Filter returns a new slice containing all elements for which the predicate function returns true.
func Filter[T any](s []T, fn func(T) bool) []T {
    var result []T
    for _, v := range s {
        if fn(v) {
            result = append(result, v)
        }
    }
    return result
}
func main() {
    numbers := []int{1, 2, 3, 4, 5}
    squaredNumbers := Map(numbers, func(n int) int { return n * n })
    fmt.Println(squaredNumbers) // Output: [1 4 9 16 25]
    evenNumbers := Filter(numbers, func(n int) bool { return n%2 == 0 })
    fmt.Println(evenNumbers)   // Output: [2 4]
}
These generic functions provide powerful building blocks, making code more expressive and reducing the need for repetitive loops.
Performance Considerations
One common concern with generics in other languages is potential performance overhead. Go's approach to generics is designed to minimize this impact.
Monomorphization vs. Runtime Reflection
Go's generics generally employ a strategy similar to monomorphization. This means that at compile time, the Go compiler generates specific code for each unique instantiation of a generic function or type. For example, if you use Stack[int] and Stack[string], the compiler effectively creates two distinct Stack implementations—one for int and one for string.
This approach has several advantages:
- Eliminates Runtime Overhead: Unlike languages that rely heavily on runtime reflection or type erasure for generics, Go's monomorphization avoids the overhead associated with dynamic type checks and interface calls at runtime.
- Optimized Code: The compiler can produce highly optimized code because it knows the exact types at compile time, allowing for direct function calls and efficient memory access.
- No Boxing/Unboxing: Go generics do not typically involve boxing (wrapping primitive types into objects) or unboxing, which can be a source of overhead in some other garbage-collected languages.
Potential for Increased Binary Size
While monomorphization is good for runtime performance, it can lead to larger binary sizes. If a generic function is instantiated with many different types, the compiler generates a separate version of that function for each type. In most practical scenarios, this increase is manageable and the performance benefits outweigh the slight increase in binary size.
Best Practices for Performance
- Use Constraints Wisely: While anyis convenient, using more specific constraints (likecomparableor custom interfaces) can sometimes allow the compiler to generate more optimized code by providing more information about the operations permitted on the type parameter.
- Avoid Over-Generification: Not every piece of code needs to be generic. If a function or type will only ever operate on one or two specific types, a non-generic implementation might be simpler and equally performant, avoiding the overhead of generic compilation.
- Profile Your Code: As with any performance-critical Go application, always profile your code to identify bottlenecks. Don't prematurely optimize based on assumptions about generics; let data guide your decisions.
Conclusion
Go generics are a powerful addition that empower developers to write cleaner, more reusable, and type-safe code. By understanding type parameters, effective use of constraints, and the performance implications of Go's implementation, you can leverage generics to build more robust and maintainable Go applications. They bridge a long-standing gap in the language, making Go an even more versatile tool for a wider range of programming tasks.
Resources
Next Steps
Experiment with building your own generic data structures and algorithms. Consider refactoring existing codebases to utilize generics where appropriate, paying close attention to the balance between code reusability and potential binary size increases.

