Traits
Unlike with concrete types, we do not have a lot information to work with for our T
.
This is where traits come to shine! Let's say we want to print some information about a Container.
We just need to tell the compiler that T
should itself implement Fmt
, by introducing a so-called trait bound.
This ensures a contract that T
is guaranteed to implement certain methods, in this case Fmt::fmt
and Fmt::dyn_fmt
:
use std::*;
use std::fmt::Fmt;
use core::intrinsics::short_typename;
struct Container<T> {
item: T
}
impl<T> Container<T> {
fn wrap(item: T) -> Container<T> {
_ { item: item }
}
fn unwrap(self: Container<T>) -> T {
self.item
}
}
impl<T: Fmt> Container<T> {
fn print_info(self: &Container<T>) {
println("Container contains $ [$]", short_typename::<T>().dyn_fmt(), self.item.dyn_fmt());
}
}
fn main() {
let i32b = Container::<i32>::wrap(4);
let bb = Container::<_>::wrap(false);
// we still need wildcard to disambiguate
let strb = Container::<_>::wrap("hello");
i32b.print_info();
bb.print_info();
strb.print_info();
}