Rust generics
From wikinotes
Generics allow you to abstract a function so that it accepts a range of types.
Functions, Structs, Enums etc. can all be expressed as generics
Basics
// everywhere 'T' shows up, it represents the type. struct Coord<T> { x: T, y: T, z: T, } let c = Coord{1, 2, 3}; // valid let c = Coord{1, 2u8, 3}; // invalid! 1/3 are i32, but 2u8 is a u8.Use as many generic types as you'd like within a signature,
they are not limited to a single character.struct Coord<XVAL, YVAL, ZVAL> { x: XVAL, y: YVAL, z: ZVAL, }
Require Trait Implementor
You can also require that an object implements a specific trait. See more details in rust traits
Implements single trait
fn play_with_pet<P: Pet>(pet: P) -> bool {}Implements multiple traits
// with impl fn play_with_pet(pet: &(impl Pet + Display)) -> bool {} // with where clause fn play_with_pet<P>(p: P) -> bool where P: Pet + Display {}