- Trait-Level Constant: A trait can declare one or more constants that implementing types must define.
- Per-Implementer Value: Each implementer of the trait can supply a custom value for the constant(s).
- Access via
T::CONSTANT_NAME
: Once implemented, you refer to the constant using the type's namespace (T::CONSTANT_NAME
).
Let’s revisit a slightly elaborated version of your example. Suppose we want each “size” type to declare its own minimum value:
trait MinTrait {
const MIN_VALUE: i32;
}
// Concrete types
struct Small;
struct Large;
// Implement the trait for each type
impl MinTrait for Small {
const MIN_VALUE: i32 = 10;
}
impl MinTrait for Large {
const MIN_VALUE: i32 = 20;
}
// A generic function that uses the trait's associated constant
fn print_min<T: MinTrait>() {
println!("Min value for this type is: {}", T::MIN_VALUE);
}
fn main() {
print_min::<Small>(); // prints "Min value for this type is: 10"
print_min::<Large>(); // prints "Min value for this type is: 20"
}
-
Trait Definition:
trait MinTrait { const MIN_VALUE: i32; }
This trait requires implementers to define a constant namedMIN_VALUE
. -
Implementations:
Small
setsMIN_VALUE
to10
.Large
setsMIN_VALUE
to20
.
-
Usage: The function
print_min<T: MinTrait>
printsT::MIN_VALUE
, which is the constant associated with whichever type you substitute forT
.
Imagine you have different shapes and need to store the number of sides as a constant:
trait Shape {
const NUM_SIDES: u32;
fn describe() {
println!("This shape has {} sides.", Self::NUM_SIDES);
}
}
struct Triangle;
struct Square;
impl Shape for Triangle {
const NUM_SIDES: u32 = 3;
}
impl Shape for Square {
const NUM_SIDES: u32 = 4;
}
fn main() {
Triangle::describe(); // prints "This shape has 3 sides."
Square::describe(); // prints "This shape has 4 sides."
}
Here, each shape must supply its own NUM_SIDES
. This helps keep the code well-organized and type-specific, rather than using a global constant or a function that dispatches by checking the shape type.
- Compile-Time Availability: Associated constants are known at compile time. They are not modifiable at runtime.
- Use in Generic Code: In generic functions or methods, you can use
T::CONSTANT_NAME
to retrieve the trait’s constant for any implementerT
. - Pattern Matching: You can use associated constants in pattern matching (e.g., matching on array lengths if the constant is used as a size), provided the value is a valid compile-time constant.
- Comparison to
static
/const
:- A
const
at module scope is “global” and does not vary by type. - Associated constants attach a constant to a specific trait or type, providing a type-specific or trait-specific value.
- A
- Rust Reference: Associated Constants
- The Rust Book (Trait-related sections): Traits