特征(Trait)
Rust 让您可以依据特征对类型进行抽象化处理。特征与接口类似:
struct Dog { name: String, age: i8, } struct Cat { lives: i8, } trait Pet { fn talk(&self) -> String; fn greet(&self) { println!("Oh you're a cutie! What's your name? {}", self.talk()); } } impl Pet for Dog { fn talk(&self) -> String { format!("Woof, my name is {}!", self.name) } } impl Pet for Cat { fn talk(&self) -> String { String::from("Miau!") } } fn main() { let captain_floof = Cat { lives: 9 }; let fido = Dog { name: String::from("Fido"), age: 5 }; captain_floof.greet(); fido.greet(); }
This slide should take about 10 minutes.
-
trait 定义了类型实现该 trait 所必须具备的一些方法。
-
trait 在
<type> { .. } 的 impl <trait>
代码块中实现。 -
Traits may specify pre-implemented (provided) methods and methods that users are required to implement themselves. Provided methods can rely on required methods. In this case,
greet
is provided, and relies ontalk
.