Implementation

Similar to functions, implementations require care to remain generic.

  1. struct S; // Concrete type `S`
  2. struct GenericVal<T>(T,); // Generic type `GenericVal`
  3. // impl of GenericVal where we explicitly specify type parameters:
  4. impl GenericVal<f32> {} // Specify `f32`
  5. impl GenericVal<S> {} // Specify `S` as defined above
  6. // `<T>` Must precede the type to remain generic
  7. impl <T> GenericVal<T> {}
  1. struct Val {
  2. val: f64
  3. }
  4. struct GenVal<T>{
  5. gen_val: T
  6. }
  7. // impl of Val
  8. impl Val {
  9. fn value(&self) -> &f64 { &self.val }
  10. }
  11. // impl of GenVal for a generic type `T`
  12. impl <T> GenVal<T> {
  13. fn value(&self) -> &T { &self.gen_val }
  14. }
  15. fn main() {
  16. let x = Val { val: 3.0 };
  17. let y = GenVal { gen_val: 3i32 };
  18. println!("{}, {}", x.value(), y.value());
  19. }

See also:

functions returning references, impl, and struct