Const generics in Rust are like a secret weapon for creating flexible and efficient code. I’ve been playing around with them lately, and I’m amazed at how they’ve changed the way I approach certain problems.
At its core, const generics let you use constant values as type parameters. This might sound simple, but it opens up a world of possibilities. Imagine being able to create a type that knows its size at compile time, or a function that can work with arrays of any fixed length.
Let’s start with a basic example. Say we want to create a function that adds up all the elements in an array. Without const generics, we’d have to write separate functions for each array size, or use a less efficient slice-based approach. But with const generics, we can do this:
fn sum_array<T, const N: usize>(arr: [T; N]) -> T
where
T: std::ops::Add<Output = T> + Default,
{
arr.into_iter().fold(T::default(), |acc, x| acc + x)
}
This function works with arrays of any size, and the compiler knows exactly what’s going on. No runtime checks, no overhead. It’s beautiful.
But const generics aren’t just about arrays. They’re incredibly useful for creating more expressive APIs. For example, we can create a Matrix type where the dimensions are part of the type itself:
struct Matrix<T, const ROWS: usize, const COLS: usize> {
data: [[T; COLS]; ROWS],
}
impl<T, const ROWS: usize, const COLS: usize> Matrix<T, ROWS, COLS> {
fn new(data: [[T; COLS]; ROWS]) -> Self {
Matrix { data }
}
}
Now we can create matrices with different sizes, and the compiler will ensure we’re using them correctly:
let mat2x2 = Matrix::new([[1, 2], [3, 4]]);
let mat3x3 = Matrix::new([[1, 2, 3], [4, 5, 6], [7, 8, 9]]);
One of the coolest things about const generics is that they allow for type-level arithmetic. We can use this to create types that enforce certain properties at compile time. For instance, we could create a Vector type that knows its dimensionality:
struct Vector<T, const D: usize> {
data: [T; D],
}
impl<T, const D: usize> Vector<T, D> {
fn dot_product(&self, other: &Vector<T, D>) -> T
where
T: std::ops::Mul<Output = T> + std::ops::Add<Output = T> + Copy + Default,
{
self.data.iter().zip(other.data.iter())
.map(|(&a, &b)| a * b)
.fold(T::default(), |acc, x| acc + x)
}
}
This dot_product function will only compile if both vectors have the same dimensionality. It’s a compile-time guarantee of correctness.
Const generics also shine when it comes to optimizing code for specific sizes. We can write generic implementations that work for any size, but provide specialized versions for common cases:
impl<T> Vector<T, 3> {
fn cross_product(&self, other: &Vector<T, 3>) -> Vector<T, 3>
where
T: std::ops::Sub<Output = T> + std::ops::Mul<Output = T> + Copy,
{
Vector {
data: [
self.data[1] * other.data[2] - self.data[2] * other.data[1],
self.data[2] * other.data[0] - self.data[0] * other.data[2],
self.data[0] * other.data[1] - self.data[1] * other.data[0],
],
}
}
}
This cross_product function is only defined for 3D vectors, and it’s optimized for that specific case.
One area where I’ve found const generics particularly useful is in creating safer APIs for working with buffers. We can create a type that represents a fixed-size buffer:
struct Buffer<T, const N: usize> {
data: [T; N],
len: usize,
}
impl<T, const N: usize> Buffer<T, N> {
fn new() -> Self {
Buffer {
data: [0 as T; N],
len: 0,
}
}
fn push(&mut self, item: T) -> Result<(), &'static str> {
if self.len < N {
self.data[self.len] = item;
self.len += 1;
Ok(())
} else {
Err("Buffer is full")
}
}
}
This Buffer type knows its maximum size at compile time, but also keeps track of how many elements it currently contains. We get the safety of bounds checking with the efficiency of a fixed-size array.
Const generics can also be used to implement compile-time checks for more complex properties. For example, we could create a type that represents a sorted array:
struct SortedArray<T, const N: usize> {
data: [T; N],
}
impl<T: Ord, const N: usize> SortedArray<T, N> {
fn new(mut data: [T; N]) -> Self {
data.sort();
SortedArray { data }
}
fn binary_search(&self, item: &T) -> Option<usize> {
self.data.binary_search(item).ok()
}
}
This SortedArray type guarantees that its contents are always sorted, allowing us to safely use algorithms that require sorted input.
One of the most powerful aspects of const generics is how they interact with Rust’s trait system. We can create traits that are parameterized by const values:
trait Dimensioned<const D: usize> {
fn dimension() -> usize {
D
}
}
impl<T, const D: usize> Dimensioned<D> for Vector<T, D> {}
This allows us to write generic code that works with types of a specific dimensionality, without having to specify the exact type:
fn print_dimension<T: Dimensioned<D>, const D: usize>() {
println!("Dimension: {}", T::dimension());
}
print_dimension::<Vector<f64, 3>>(); // Prints: Dimension: 3
Const generics also open up new possibilities for metaprogramming in Rust. We can create macros that generate code based on const generic parameters:
macro_rules! create_tuple_struct {
($name:ident, $type:ty, $size:expr) => {
struct $name<const N: usize = $size>([$type; N]);
impl<const N: usize> $name<N> {
fn new(data: [$type; N]) -> Self {
$name(data)
}
}
};
}
create_tuple_struct!(IntArray, i32, 10);
let arr = IntArray::new([1, 2, 3, 4, 5, 6, 7, 8, 9, 10]);
This macro creates a new tuple struct with a const generic parameter, defaulting to the specified size.
While const generics are incredibly powerful, they do have some limitations. As of now, we can’t use arbitrary expressions as const generic parameters. They’re limited to simple arithmetic operations and a few other constructs. But even with these limitations, they’re a game-changer for many use cases.
One area where const generics really shine is in creating zero-cost abstractions. Because the compiler knows the exact sizes and types at compile time, it can often optimize const generic code to be just as efficient as hand-written, specialized code.
For example, consider this simple Vector type:
struct Vector<T, const N: usize> {
data: [T; N],
}
impl<T: Copy + std::ops::Add<Output = T>, const N: usize> std::ops::Add for Vector<T, N> {
type Output = Self;
fn add(self, other: Self) -> Self::Output {
let mut result = self;
for i in 0..N {
result.data[i] = result.data[i] + other.data[i];
}
result
}
}
When we use this Vector type, the compiler can often optimize the addition operation to be just as efficient as if we had written separate functions for each vector size.
Const generics also allow us to create more expressive error types. We can create error types that carry information about the expected and actual sizes:
struct SizeMismatch<const EXPECTED: usize, const ACTUAL: usize>;
fn concat<T, const N: usize, const M: usize>(a: [T; N], b: [T; M]) -> Result<[T; N + M], SizeMismatch<N + M, { N + M }>> {
Ok([a, b].concat().try_into().unwrap())
}
This concat function will return a SizeMismatch error if the sizes don’t match up, and the error type itself carries the information about what went wrong.
As I’ve explored const generics more, I’ve found them incredibly useful for creating self-documenting code. By encoding size information into the type system, we make our intentions clearer and catch more errors at compile time.
For instance, we could create types for different units of measurement:
struct Meters<const N: u32>;
struct Feet<const N: u32>;
impl<const N: u32> Meters<N> {
fn to_feet(&self) -> Feet<{ (N * 328) / 100 }> {
Feet
}
}
Now we can write functions that explicitly work with specific units:
fn calculate_area(length: Meters<10>, width: Meters<5>) -> Meters<50> {
Meters
}
This makes our code safer and more self-documenting. We can’t accidentally pass in feet where meters are expected, and the type system ensures that our calculations are correct.
Const generics have also opened up new possibilities for compile-time computation in Rust. We can use them to implement complex algorithms that run at compile time:
struct Factorial<const N: u32>;
impl<const N: u32> Factorial<N> {
const VALUE: u32 = if N <= 1 { 1 } else { N * Factorial:< {N - 1} >::VALUE };
}
const FACTORIAL_5: u32 = Factorial::<5>::VALUE;
This computes the factorial of 5 at compile time. The possibilities for compile-time computation with const generics are vast and largely unexplored.
As I’ve dug deeper into const generics, I’ve found them invaluable for creating robust, efficient libraries. They allow us to create APIs that are both flexible and type-safe, catching more errors at compile time and enabling better optimizations.
For example, we could create a matrix multiplication function that only compiles if the matrices have compatible dimensions:
impl<T, const M: usize, const N: usize, const P: usize> std::ops::Mul<Matrix<T, N, P>> for Matrix<T, M, N>
where
T: Copy + std::ops::Mul<Output = T> + std::ops::Add<Output = T> + Default,
{
type Output = Matrix<T, M, P>;
fn mul(self, rhs: Matrix<T, N, P>) -> Self::Output {
let mut result = Matrix::new([[T::default(); P]; M]);
for i in 0..M {
for j in 0..P {
for k in 0..N {
result.data[i][j] = result.data[i][j] + self.data[i][k] * rhs.data[k][j];
}
}
}
result
}
}
This implementation ensures at compile time that we’re only multiplying matrices with compatible dimensions.
As I wrap up this exploration of const generics, I’m excited about the possibilities they open up. They’re a powerful tool for creating flexible, efficient, and type-safe code. Whether you’re working on low-level systems programming, building high-performance libraries, or just looking to write more robust Rust code, const generics are definitely worth exploring.
They allow us to push more of our program’s logic into the type system, catching more errors at compile time and enabling more aggressive optimizations. They’re not just a feature for library authors or advanced users - they’re a fundamental part of Rust that can make all of our code better.
As the Rust ecosystem continues to evolve, I expect we’ll see more and more creative uses of const generics. They’re a relatively new feature, and we’re still discovering all the ways they can be used to create better, safer, more efficient code.
So I encourage you to dive in and start experimenting with const generics in your own code. They might seem a bit daunting at first, but once you get the hang of them, they’ll become an indispensable part of your Rust toolkit. Happy coding!