DEV Community

Cover image for Go 2's Generics: Writing Smarter Code That Works with Multiple Types
Aarav Joshi
Aarav Joshi

Posted on

Go 2's Generics: Writing Smarter Code That Works with Multiple Types

Generics are coming to Go, and it's a big deal. I've been diving into the proposed changes for Go 2, and I'm excited to share what I've learned about this powerful new feature.

At its core, generics allow us to write code that works with multiple types. Instead of writing separate functions for ints, strings, and custom types, we can write a single generic function that handles them all. This leads to more flexible and reusable code.

Let's start with a basic example. Here's how we might write a generic "Max" function:

func Max[T constraints.Ordered](a, b T) T {
    if a > b {
        return a
    }
    return b
}
Enter fullscreen mode Exit fullscreen mode

This function works with any type T that satisfies the Ordered constraint. We can use it with ints, floats, strings, or any custom type that implements comparison operators.

Type constraints are a crucial part of Go's generics implementation. They allow us to specify what operations our generic types must support. The constraints package provides several predefined constraints, but we can also create our own.

For example, we might define a constraint for types that can be converted to strings:

type Stringer interface {
    String() string
}
Enter fullscreen mode Exit fullscreen mode

Now we can write functions that work with any type that can be converted to a string:

func PrintAnything[T Stringer](value T) {
    fmt.Println(value.String())
}
Enter fullscreen mode Exit fullscreen mode

One of the cool things about Go's generics is type inference. In many cases, we don't need to explicitly specify the type parameters when calling a generic function. The compiler can figure it out:

result := Max(5, 10) // Type inferred as int
Enter fullscreen mode Exit fullscreen mode

This keeps our code clean and readable, while still providing the benefits of generics.

Let's get into some more advanced territory. Type parameter lists allow us to specify relationships between multiple type parameters. Here's an example of a function that converts between two types:

func Convert[From, To any](value From, converter func(From) To) To {
    return converter(value)
}
Enter fullscreen mode Exit fullscreen mode

This function takes a value of any type, a converter function, and returns the converted value. It's incredibly flexible and can be used in many different scenarios.

Generics really shine when it comes to data structures. Let's implement a simple generic stack:

type Stack[T any] struct {
    items []T
}

func (s *Stack[T]) Push(item T) {
    s.items = append(s.items, item)
}

func (s *Stack[T]) Pop() (T, bool) {
    if len(s.items) == 0 {
        var zero T
        return zero, false
    }
    item := s.items[len(s.items)-1]
    s.items = s.items[:len(s.items)-1]
    return item, true
}
Enter fullscreen mode Exit fullscreen mode

This stack can hold any type of item. We can create stacks of ints, strings, or custom structs, all with the same code.

Generics also open up new possibilities for design patterns in Go. For example, we can implement a generic observer pattern:

type Observable[T any] struct {
    observers []func(T)
}

func (o *Observable[T]) Subscribe(f func(T)) {
    o.observers = append(o.observers, f)
}

func (o *Observable[T]) Notify(data T) {
    for _, f := range o.observers {
        f(data)
    }
}
Enter fullscreen mode Exit fullscreen mode

This allows us to create observable objects for any type of data, making it easy to implement event-driven architectures.

When refactoring existing Go code to use generics, it's important to strike a balance. While generics can make our code more flexible and reusable, they can also make it more complex and harder to understand. I've found it's often best to start with concrete implementations and only introduce generics when we see clear patterns of repetition.

For example, if we find ourselves writing similar functions for different types, that's a good candidate for generification. But if a function is only used with one type, it's probably best to leave it as is.

One area where generics really shine is in implementing algorithms. Let's look at a generic quicksort implementation:

func QuickSort[T constraints.Ordered](slice []T) {
    if len(slice) < 2 {
        return
    }
    pivot := slice[0]
    left, right := 1, len(slice)-1
    for left <= right {
        if slice[left] <= pivot {
            left++
        } else if slice[right] > pivot {
            right--
        } else {
            slice[left], slice[right] = slice[right], slice[left]
        }
    }
    slice[0], slice[right] = slice[right], slice[0]
    QuickSort(slice[:right])
    QuickSort(slice[right+1:])
}
Enter fullscreen mode Exit fullscreen mode

This function can sort slices of any ordered type. We can use it to sort ints, floats, strings, or any custom type that implements comparison operators.

When working with generics in large-scale projects, it's crucial to think about the trade-offs between flexibility and compile-time type checking. While generics allow us to write more flexible code, they can also make it easier to introduce runtime errors if we're not careful.

One strategy I've found useful is to use generics for internal library code, but expose concrete types in public APIs. This gives us the benefits of code reuse internally, while still providing a clear, type-safe interface to users of our library.

Another important consideration is performance. While Go's implementation of generics is designed to be efficient, there can still be some runtime overhead compared to concrete types. In performance-critical code, it might be worth benchmarking generic vs. non-generic implementations to see if there's a significant difference.

Generics also open up new possibilities for metaprogramming in Go. We can write functions that operate on types themselves, rather than values. For example, we could write a function that generates a new struct type at runtime:

func MakeStruct[T any](fields ...string) (reflect.Type, error) {
    var structFields []reflect.StructField
    for _, field := range fields {
        structFields = append(structFields, reflect.StructField{
            Name: field,
            Type: reflect.TypeOf((*T)(nil)).Elem(),
        })
    }
    return reflect.StructOf(structFields), nil
}
Enter fullscreen mode Exit fullscreen mode

This function creates a new struct type with fields of type T. It's a powerful tool for creating dynamic data structures at runtime.

As we wrap up, it's worth noting that while generics are a powerful feature, they're not always the best solution. Sometimes, simple interfaces or concrete types are more appropriate. The key is to use generics judiciously, where they provide clear benefits in terms of code reuse and type safety.

Generics in Go 2 represent a significant evolution of the language. They provide new tools for writing flexible, reusable code while maintaining Go's emphasis on simplicity and readability. As we continue to explore and experiment with this feature, I'm excited to see how it will shape the future of Go programming.


Our Creations

Be sure to check out our creations:

Investor Central | Smart Living | Epochs & Echoes | Puzzling Mysteries | Hindutva | Elite Dev | JS Schools


We are on Medium

Tech Koala Insights | Epochs & Echoes World | Investor Central Medium | Puzzling Mysteries Medium | Science & Epochs Medium | Modern Hindutva

Top comments (0)