译者: Praying

内容目录

  • 引言
  • Trait 基础
  • 自动 Trait
  • 泛型 Trait
  • 格式化 Trait
  • 操作符 Trait
  • 转换 Trait
  • 错误处理
  • 迭代器 Trait
  • I/O Trait
  • 总结

引言

你是否曾想过下面这些 trait 有什么不同?

  • Deref<Traget=T>AsRef<T>,以及Borrow<T>
  • CloneCopy,和ToOwned
  • From<T>Into<T>?
  • TryFrom<&str>FromStr
  • FnOnceFnMutFnfn?

或者你曾问过自己下面这些问题:

  • “我在 trait 中,什么时候使用关联类型(associated type),什么时候使用泛型(generic types)?”
  • “什么是泛型覆盖实现(generic blanket impls)”?
  • “subtrait 和 supertrait 是如何工作的?”
  • “为什么这个 trait 没有任何方法?”

那么这篇文章就是为你而写的!它回答了包括但不限于上述所有的问题。我们将一起对 Rust 标准库中所有最流行和最常用的 trait 进行快速的浏览。

你可以按章节顺序阅读本文,也可以跳到你最感兴趣的 trait,因为每个 trait 章节的开头都有一个指向前置章节的链接列表,你应该阅读这些链接,以便有足够的背景知识来理解当前章节的解释(译注:很抱歉,译文中暂时无法提供链接跳转)。

Triat 基础

我们将会覆盖足够多的基础知识,这样文章的其余部分就可以精简,而不必因为它们在不同的 trait 中反复出现而重复解释相同的概念。

Trait 项(Item)

Trait 项是指包含于 trait 声明中的任意项。

Self

Self总是指代实现类型。

  1. trait Trait {
  2. // always returns i32
  3. fn returns_num() -> i32;
  4. // returns implementing type
  5. fn returns_self() -> Self;
  6. }
  7. struct SomeType;
  8. struct OtherType;
  9. impl Trait for SomeType {
  10. fn returns_num() -> i32 {
  11. 5
  12. }
  13. // Self == SomeType
  14. fn returns_self() -> Self {
  15. SomeType
  16. }
  17. }
  18. impl Trait for OtherType {
  19. fn returns_num() -> i32 {
  20. 6
  21. }
  22. // Self == OtherType
  23. fn returns_self() -> Self {
  24. OtherType
  25. }
  26. }

函数(Function)

Trait 函数是指第一个参数不是self关键字的任意函数。

  1. trait Default {
  2. // function
  3. fn default() -> Self;
  4. }

Trait 函数可以通过 trait 或者实现类型的命名空间来调用。

  1. fn main() {
  2. let zero: i32 = Default::default();
  3. let zero = i32::default();
  4. }

方法(Method)

Trait 方法是指,第一个参数使用了self关键字并且self的类型是Self,&Self&mut Self之一。self的类型也可以被BoxRcArcPin来包装。

  1. trait Trait {
  2. // methods
  3. fn takes_self(self);
  4. fn takes_immut_self(&self);
  5. fn takes_mut_self(&mut self);
  6. // above methods desugared
  7. fn takes_self(self: Self);
  8. fn takes_immut_self(self: &Self);
  9. fn takes_mut_self(self: &mut Self);
  10. }
  11. // example from standard library
  12. trait ToString {
  13. fn to_string(&self) -> String;
  14. }

Trait 方法可以通过在实现类型上使用点(.)操作符来调用。

  1. fn main() {
  2. let five = 5.to_string();
  3. }

此外,trait 方法还可以像函数那样由 trait 或者实现类型通过命名空间来调用。

  1. fn main() {
  2. let five = ToString::to_string(&5);
  3. let five = i32::to_string(&5);
  4. }

关联类型(Associated Types)

Trait 可以有关联类型。当我们需要在函数签名中使用Self以外的某个类型,但是希望这个类型可以由实现者来选择而不是硬编码到 trait 声明中,这时关联类型就可以发挥作用了。

  1. trait Trait {
  2. type AssociatedType;
  3. fn func(arg: Self::AssociatedType);
  4. }
  5. struct SomeType;
  6. struct OtherType;
  7. // any type implementing Trait can
  8. // choose the type of AssociatedType
  9. impl Trait for SomeType {
  10. type AssociatedType = i8; // chooses i8
  11. fn func(arg: Self::AssociatedType) {}
  12. }
  13. impl Trait for OtherType {
  14. type AssociatedType = u8; // chooses u8
  15. fn func(arg: Self::AssociatedType) {}
  16. }
  17. fn main() {
  18. SomeType::func(-1_i8); // can only call func with i8 on SomeType
  19. OtherType::func(1_u8); // can only call func with u8 on OtherType
  20. }

泛型参数(Generic Parameters)

“泛型参数”泛指泛型类型参数(generic type parameters)、泛型生命周期参数(generic lifetime parameters)、以及泛型常量参数(generic const parameters)。因为这些说起来比较拗口,所以人们通常把它们简称为 “泛型类型(generic type)”、“生命周期(lifetime)”和 “泛型常量(generic const)”。由于我们将要讨论的所有标准库 trait 中都没有使用泛型常量,所以它们不在本文的讨论范围之内。

我们可以使用参数来对一个 trait 声明进行泛化(generalize )。

  1. // trait declaration generalized with lifetime & type parameters
  2. trait Trait<'a, T> {
  3. // signature uses generic type
  4. fn func1(arg: T);
  5. // signature uses lifetime
  6. fn func2(arg: &'a i32);
  7. // signature uses generic type & lifetime
  8. fn func3(arg: &'a T);
  9. }
  10. struct SomeType;
  11. impl<'a> Trait<'a, i8> for SomeType {
  12. fn func1(arg: i8) {}
  13. fn func2(arg: &'a i32) {}
  14. fn func3(arg: &'a i8) {}
  15. }
  16. impl<'b> Trait<'b, u8> for SomeType {
  17. fn func1(arg: u8) {}
  18. fn func2(arg: &'b i32) {}
  19. fn func3(arg: &'b u8) {}
  20. }

泛型可以具有默认值,最常用的默认值是Self,但是任何类型都可以作为默认值。

  1. // make T = Self by default
  2. trait Trait<T = Self> {
  3. fn func(t: T) {}
  4. }
  5. // any type can be used as the default
  6. trait Trait2<T = i32> {
  7. fn func2(t: T) {}
  8. }
  9. struct SomeType;
  10. // omitting the generic type will
  11. // cause the impl to use the default
  12. // value, which is Self here
  13. impl Trait for SomeType {
  14. fn func(t: SomeType) {}
  15. }
  16. // default value here is i32
  17. impl Trait2 for SomeType {
  18. fn func2(t: i32) {}
  19. }
  20. // the default is overridable as we'd expect
  21. impl Trait<String> for SomeType {
  22. fn func(t: String) {}
  23. }
  24. // overridable here too
  25. impl Trait2<String> for SomeType {
  26. fn func2(t: String) {}
  27. }

除了可以对 trait 进行参数化之外,我们还可以对单个函数和方法进行参数化。

  1. trait Trait {
  2. fn func<'a, T>(t: &'a T);
  3. }

泛型类型 vs 关联类型

泛型类型和关联类型都把在 trait 的函数和方法中使用哪种具体类型的决定权交给了实现者,因此这部分内容要去解释什么时候使用泛型类型,什么时候使用关联类型。

通常的经验法则是:

  • 当每个类型只应该有 trait 的一个实现时,使用关联类型。
  • 当每个类型可能会有 trait 的多个实现时,使用泛型类型。

比如说我们想要定义一个名为Add的 trait,该 trait 允许我们对值进行相加。下面是一个最初的设计和实现,里面只使用了关联类型。

  1. trait Add {
  2. type Rhs;
  3. type Output;
  4. fn add(self, rhs: Self::Rhs) -> Self::Output;
  5. }
  6. struct Point {
  7. x: i32,
  8. y: i32,
  9. }
  10. impl Add for Point {
  11. type Rhs = Point;
  12. type Output = Point;
  13. fn add(self, rhs: Point) -> Point {
  14. Point {
  15. x: self.x + rhs.x,
  16. y: self.y + rhs.y,
  17. }
  18. }
  19. }
  20. fn main() {
  21. let p1 = Point { x: 1, y: 1 };
  22. let p2 = Point { x: 2, y: 2 };
  23. let p3 = p1.add(p2);
  24. assert_eq!(p3.x, 3);
  25. assert_eq!(p3.y, 3);
  26. }

假设现在我们想要添加这样一种功能:把i32加到Point上,其中Point里面的成员xy都会加上i32

  1. trait Add {
  2. type Rhs;
  3. type Output;
  4. fn add(self, rhs: Self::Rhs) -> Self::Output;
  5. }
  6. struct Point {
  7. x: i32,
  8. y: i32,
  9. }
  10. impl Add for Point {
  11. type Rhs = Point;
  12. type Output = Point;
  13. fn add(self, rhs: Point) -> Point {
  14. Point {
  15. x: self.x + rhs.x,
  16. y: self.y + rhs.y,
  17. }
  18. }
  19. }
  20. impl Add for Point { // ❌
  21. type Rhs = i32;
  22. type Output = Point;
  23. fn add(self, rhs: i32) -> Point {
  24. Point {
  25. x: self.x + rhs,
  26. y: self.y + rhs,
  27. }
  28. }
  29. }
  30. fn main() {
  31. let p1 = Point { x: 1, y: 1 };
  32. let p2 = Point { x: 2, y: 2 };
  33. let p3 = p1.add(p2);
  34. assert_eq!(p3.x, 3);
  35. assert_eq!(p3.y, 3);
  36. let p1 = Point { x: 1, y: 1 };
  37. let int2 = 2;
  38. let p3 = p1.add(int2); // ❌
  39. assert_eq!(p3.x, 3);
  40. assert_eq!(p3.y, 3);
  41. }

上面的代码会抛出错误:

  1. error[E0119]: conflicting implementations of trait `Add` for type `Point`:
  2. --> src/main.rs:23:1
  3. |
  4. 12 | impl Add for Point {
  5. | ------------------ first implementation here
  6. ...
  7. 23 | impl Add for Point {
  8. | ^^^^^^^^^^^^^^^^^^ conflicting implementation for `Point`

因为Add trait 没有被任何的泛型类型参数化,我们只能在每个类型上实现这个 trait 一次,这意味着,我们只能一次把RhsOutput类型都选取好!为了能够使Pointi32类型都能和Point相加,我们必须把Rhs从一个关联类型重构为泛型类型,这样就能够让我们根据Rhs不同的类型参数来为Point实现 trait 多次。

  1. trait Add<Rhs> {
  2. type Output;
  3. fn add(self, rhs: Rhs) -> Self::Output;
  4. }
  5. struct Point {
  6. x: i32,
  7. y: i32,
  8. }
  9. impl Add<Point> for Point {
  10. type Output = Self;
  11. fn add(self, rhs: Point) -> Self::Output {
  12. Point {
  13. x: self.x + rhs.x,
  14. y: self.y + rhs.y,
  15. }
  16. }
  17. }
  18. impl Add<i32> for Point { // ✅
  19. type Output = Self;
  20. fn add(self, rhs: i32) -> Self::Output {
  21. Point {
  22. x: self.x + rhs,
  23. y: self.y + rhs,
  24. }
  25. }
  26. }
  27. fn main() {
  28. let p1 = Point { x: 1, y: 1 };
  29. let p2 = Point { x: 2, y: 2 };
  30. let p3 = p1.add(p2);
  31. assert_eq!(p3.x, 3);
  32. assert_eq!(p3.y, 3);
  33. let p1 = Point { x: 1, y: 1 };
  34. let int2 = 2;
  35. let p3 = p1.add(int2); // ✅
  36. assert_eq!(p3.x, 3);
  37. assert_eq!(p3.y, 3);
  38. }

假如说我们增加了一个名为Line的新类型,它包含两个Point,现在,在我们的程序中存在这样一种上下文环境,即将两个Point相加之后应该产生一个Line而不是另一个Point。这在当我们当前的Add trait 设计中是不可行的,因为Output是一个关联类型,但是我们通过把Output从关联类型重构为泛型类型来实现这个新需求。

  1. trait Add<Rhs, Output> {
  2. fn add(self, rhs: Rhs) -> Output;
  3. }
  4. struct Point {
  5. x: i32,
  6. y: i32,
  7. }
  8. impl Add<Point, Point> for Point {
  9. fn add(self, rhs: Point) -> Point {
  10. Point {
  11. x: self.x + rhs.x,
  12. y: self.y + rhs.y,
  13. }
  14. }
  15. }
  16. impl Add<i32, Point> for Point {
  17. fn add(self, rhs: i32) -> Point {
  18. Point {
  19. x: self.x + rhs,
  20. y: self.y + rhs,
  21. }
  22. }
  23. }
  24. struct Line {
  25. start: Point,
  26. end: Point,
  27. }
  28. impl Add<Point, Line> for Point { // ✅
  29. fn add(self, rhs: Point) -> Line {
  30. Line {
  31. start: self,
  32. end: rhs,
  33. }
  34. }
  35. }
  36. fn main() {
  37. let p1 = Point { x: 1, y: 1 };
  38. let p2 = Point { x: 2, y: 2 };
  39. let p3: Point = p1.add(p2);
  40. assert!(p3.x == 3 && p3.y == 3);
  41. let p1 = Point { x: 1, y: 1 };
  42. let int2 = 2;
  43. let p3 = p1.add(int2);
  44. assert!(p3.x == 3 && p3.y == 3);
  45. let p1 = Point { x: 1, y: 1 };
  46. let p2 = Point { x: 2, y: 2 };
  47. let l: Line = p1.add(p2); // ✅
  48. assert!(l.start.x == 1 && l.start.y == 1 && l.end.x == 2 && l.end.y == 2)
  49. }

所以,哪个Add trait 是最好的呢?这取决于你程序中的需求!放在合适的场景中,它们都很好。

作用域(Scope)

只有当 trait 在作用域之中时,trait 项才能被使用。大多数 Rustaceans 在第一次尝试写一个 I/O 相关的程序时,都会在吃过一番苦头之后了解到这一点,因为ReadWrite的 trait 并不在标准库的预置(prelude)中。

  1. use std::fs::File;
  2. use std::io;
  3. fn main() -> Result<(), io::Error> {
  4. let mut file = File::open("Cargo.toml")?;
  5. let mut buffer = String::new();
  6. file.read_to_string(&mut buffer)?; // ❌ read_to_string not found in File
  7. Ok(())
  8. }

read_to_string(buf: &mut String)声明于std::io::Read中并且被std::fs::File结构体实现,但是要想调用它,std::io::Read必须在当前作用域中。

  1. use std::fs::File;
  2. use std::io;
  3. use std::io::Read; // ✅
  4. fn main() -> Result<(), io::Error> {
  5. let mut file = File::open("Cargo.toml")?;
  6. let mut buffer = String::new();
  7. file.read_to_string(&mut buffer)?; // ✅
  8. Ok(())
  9. }

标准库预置(The standard library prelude)是标准库中的一个模块,也就是说,std::prelude::v1,它在每个其他模块的顶部被自动导入,即use std::prelude::v1::*。这样的话,下面这些 trait 就总会在作用域中,我们不需要自己显式地导入它们,因为它们是预置的一部分。

  • AsMut
  • AsRef
  • Clone
  • Copy
  • Default
  • Drop
  • Eq
  • Fn
  • FnMut
  • FnOnce
  • From
  • Into
  • ToOwned
  • IntoIterator
  • Iterator
  • PartialEq
  • PartialOrd
  • Send
  • Sized
  • Sync
  • ToString
  • Ord

派生宏(Derive Macros)

标准库导出了一小部分派生宏,这么派生宏可以让我们可以便捷地在一个类型上实现 trait,前提是该类型的所有成员都实现了这个 trait。派生宏以它们所实现的 trait 来命名。

  • Clone
  • Copy
  • Debug
  • Default
  • Eq
  • Hash
  • Ord
  • PartialEq
  • PartialOrd

使用示例:

  1. // macro derives Copy & Clone impl for SomeType
  2. #[derive(Copy, Clone)]
  3. struct SomeType;

注意:派生宏也是过程宏(procedural macros),它们可以被用来做任何事情,没有强制规定它们必须要实现一个 trait,或者它们只能在所有成员都实现 trait 的情况下才能工作,这些只是标准库中派生宏所遵循的惯例。

默认实现(Default Impls)

Trait 可以为它们的函数和方法提供默认实现。

  1. trait Trait {
  2. fn method(&self) {
  3. println!("default impl");
  4. }
  5. }
  6. struct SomeType;
  7. struct OtherType;
  8. // use default impl for Trait::method
  9. impl Trait for SomeType {}
  10. impl Trait for OtherType {
  11. // use our own impl for Trait::method
  12. fn method(&self) {
  13. println!("OtherType impl");
  14. }
  15. }
  16. fn main() {
  17. SomeType.method(); // prints "default impl"
  18. OtherType.method(); // prints "OtherType impl"
  19. }

如果 trait 中的某些方法是完全通过 trait 的另一些方法来实现的,这就非常方便了。

  1. trait Greet {
  2. fn greet(&self, name: &str) -> String;
  3. fn greet_loudly(&self, name: &str) -> String {
  4. self.greet(name) + "!"
  5. }
  6. }
  7. struct Hello;
  8. struct Hola;
  9. impl Greet for Hello {
  10. fn greet(&self, name: &str) -> String {
  11. format!("Hello {}", name)
  12. }
  13. // use default impl for greet_loudly
  14. }
  15. impl Greet for Hola {
  16. fn greet(&self, name: &str) -> String {
  17. format!("Hola {}", name)
  18. }
  19. // override default impl
  20. fn greet_loudly(&self, name: &str) -> String {
  21. let mut greeting = self.greet(name);
  22. greeting.insert_str(0, "¡");
  23. greeting + "!"
  24. }
  25. }
  26. fn main() {
  27. println!("{}", Hello.greet("John")); // prints "Hello John"
  28. println!("{}", Hello.greet_loudly("John")); // prints "Hello John!"
  29. println!("{}", Hola.greet("John")); // prints "Hola John"
  30. println!("{}", Hola.greet_loudly("John")); // prints "¡Hola John!"
  31. }

标准库中的很多 trait 为很多它们的方法提供了默认实现。

泛型覆盖实现(Generic Blanket Impls)

泛型覆盖实现是一种在泛型类型而不是具体类型上的实现,为了解释为什么以及如何使用它,让我们从为整数类型实现一个is_even方法开始。

  1. trait Even {
  2. fn is_even(self) -> bool;
  3. }
  4. impl Even for i8 {
  5. fn is_even(self) -> bool {
  6. self % 2_i8 == 0_i8
  7. }
  8. }
  9. impl Even for u8 {
  10. fn is_even(self) -> bool {
  11. self % 2_u8 == 0_u8
  12. }
  13. }
  14. impl Even for i16 {
  15. fn is_even(self) -> bool {
  16. self % 2_i16 == 0_i16
  17. }
  18. }
  19. // etc
  20. #[test] // ✅
  21. fn test_is_even() {
  22. assert!(2_i8.is_even());
  23. assert!(4_u8.is_even());
  24. assert!(6_i16.is_even());
  25. // etc
  26. }

很明显,上面的实现十分啰嗦。而且,所有我们的实现几乎都是一样的。此外,如果 Rust 决定在未来增加更多的整数类型,我们必须回到这段代码中,用新的整数类型来更新它。我们可以通过使用泛型覆盖实现来解决所有的问题。

  1. use std::fmt::Debug;
  2. use std::convert::TryInto;
  3. use std::ops::Rem;
  4. trait Even {
  5. fn is_even(self) -> bool;
  6. }
  7. // generic blanket impl
  8. impl<T> Even for T
  9. where
  10. T: Rem<Output = T> + PartialEq<T> + Sized,
  11. u8: TryInto<T>,
  12. <u8 as TryInto<T>>::Error: Debug,
  13. {
  14. fn is_even(self) -> bool {
  15. // these unwraps will never panic
  16. self % 2.try_into().unwrap() == 0.try_into().unwrap()
  17. }
  18. }
  19. #[test] // ✅
  20. fn test_is_even() {
  21. assert!(2_i8.is_even());
  22. assert!(4_u8.is_even());
  23. assert!(6_i16.is_even());
  24. // etc
  25. }

不同于默认实现,泛型覆盖实现提供了方法的实现,所以它们不能被重写。

  1. use std::fmt::Debug;
  2. use std::convert::TryInto;
  3. use std::ops::Rem;
  4. trait Even {
  5. fn is_even(self) -> bool;
  6. }
  7. impl<T> Even for T
  8. where
  9. T: Rem<Output = T> + PartialEq<T> + Sized,
  10. u8: TryInto<T>,
  11. <u8 as TryInto<T>>::Error: Debug,
  12. {
  13. fn is_even(self) -> bool {
  14. self % 2.try_into().unwrap() == 0.try_into().unwrap()
  15. }
  16. }
  17. impl Even for u8 { // ❌
  18. fn is_even(self) -> bool {
  19. self % 2_u8 == 0_u8
  20. }
  21. }

上面的代码会抛出下面的错误:

  1. error[E0119]: conflicting implementations of trait `Even` for type `u8`:
  2. --> src/lib.rs:22:1
  3. |
  4. 10 | / impl<T> Even for T
  5. 11 | | where
  6. 12 | | T: Rem<Output = T> + PartialEq<T> + Sized,
  7. 13 | | u8: TryInto<T>,
  8. ... |
  9. 19 | | }
  10. 20 | | }
  11. | |_- first implementation here
  12. 21 |
  13. 22 | impl Even for u8 {
  14. | ^^^^^^^^^^^^^^^^ conflicting implementation for `u8`

这些实现有重叠,因此它们是冲突的,所以 Rust 拒绝编译这段代码以确保 trait 的一致性。trait 一致性是指,对于任意给定的类型,最多存在某一 trait 的一个实现。Rust 用来强制执行特质一致性的规则,这些规则的含义,以及针对这些含义的变通方案都不在本文的讨论范围之内。

Subtraits & Supertraits

subtrait中的sub指的是子集(subset),supertrait中的super指的是超集(superset)。如果我们有下面这个 trait 声明:

  1. trait Subtrait: Supertrait {}

所有实现了Subtrait的类型是所有实现了Supertrait的类型的子集,或者反过来讲:所有实现了Supertrait的类型是所有实现了Subtrait类型的子集。而且,上面的代码是一种语法糖,展开来应该是:

  1. trait Subtrait where Self: Supertrait {}

这是一个微妙而重要的区别,要明白约束在Self上,也就是实现Subtrait的类型而非Subtrait自身。后者也没有意义,因为 trait 约束只能作用于能够实现 trait 的具体类型,trait 本身不能实现其他的 trait:

  1. trait Supertrait {
  2. fn method(&self) {
  3. println!("in supertrait");
  4. }
  5. }
  6. trait Subtrait: Supertrait {
  7. // this looks like it might impl or
  8. // override Supertrait::method but it
  9. // does not
  10. fn method(&self) {
  11. println!("in subtrait")
  12. }
  13. }
  14. struct SomeType;
  15. // adds Supertrait::method to SomeType
  16. impl Supertrait for SomeType {}
  17. // adds Subtrait::method to SomeType
  18. impl Subtrait for SomeType {}
  19. // both methods exist on SomeType simultaneously
  20. // neither overriding or shadowing the other
  21. fn main() {
  22. SomeType.method(); // ❌ ambiguous method call
  23. // must disambiguate using fully-qualified syntax
  24. <SomeType as Supertrait>::method(&st); // ✅ prints "in supertrait"
  25. <SomeType as Subtrait>::method(&st); // ✅ prints "in subtrait"
  26. }

此外,对于一个类型如何同时实现一个 subtrait 和一个 supertrait,也没有明确的规则。它可以在另一个类型的实现中实现其他的方法。

  1. trait Supertrait {
  2. fn super_method(&mut self);
  3. }
  4. trait Subtrait: Supertrait {
  5. fn sub_method(&mut self);
  6. }
  7. struct CallSuperFromSub;
  8. impl Supertrait for CallSuperFromSub {
  9. fn super_method(&mut self) {
  10. println!("in super");
  11. }
  12. }
  13. impl Subtrait for CallSuperFromSub {
  14. fn sub_method(&mut self) {
  15. println!("in sub");
  16. self.super_method();
  17. }
  18. }
  19. struct CallSubFromSuper;
  20. impl Supertrait for CallSubFromSuper {
  21. fn super_method(&mut self) {
  22. println!("in super");
  23. self.sub_method();
  24. }
  25. }
  26. impl Subtrait for CallSubFromSuper {
  27. fn sub_method(&mut self) {
  28. println!("in sub");
  29. }
  30. }
  31. struct CallEachOther(bool);
  32. impl Supertrait for CallEachOther {
  33. fn super_method(&mut self) {
  34. println!("in super");
  35. if self.0 {
  36. self.0 = false;
  37. self.sub_method();
  38. }
  39. }
  40. }
  41. impl Subtrait for CallEachOther {
  42. fn sub_method(&mut self) {
  43. println!("in sub");
  44. if self.0 {
  45. self.0 = false;
  46. self.super_method();
  47. }
  48. }
  49. }
  50. fn main() {
  51. CallSuperFromSub.super_method(); // prints "in super"
  52. CallSuperFromSub.sub_method(); // prints "in sub", "in super"
  53. CallSubFromSuper.super_method(); // prints "in super", "in sub"
  54. CallSubFromSuper.sub_method(); // prints "in sub"
  55. CallEachOther(true).super_method(); // prints "in super", "in sub"
  56. CallEachOther(true).sub_method(); // prints "in sub", "in super"
  57. }

希望上面的例子能够表达出,subtrait 和 supertrait 之间可以是很复杂的关系。在介绍能够将这些复杂性进行整洁封装的心智模型之前,让我们快速回顾并建立我们用来理解泛型类型上的 trait 约束的心智模型。

  1. fn function<T: Clone>(t: T) {
  2. // impl
  3. }

在不知道这个函数的实现的情况下,我们可以合理地猜测,t.clone()会在某个时候被调用,因为当一个泛型类型被一个 trait 所约束时,意味着它对 trait 有依赖性。泛型与 trait 约束之间关系的心智模型是一个简单而直观的模型:泛型依赖于 trait 约束。

现在让我们看看Copy的 trait 声明:

  1. trait Copy: Clone {}

上面的语法看起来与在一个泛型类型上应用 trait 约束很相似,但是Copy完全不依赖于Clone。之前的模型在这里没有帮助。个人认为,理解 subtrait 和 supertrait 最为简洁优雅的心智模型是:subtrait 细化(refine)了它们的 supertrait。

“细化(Refinement)”刻意保持一定的模糊性,因为它们在不同的上下文环境中会有不同的含义:

  • subtrait 可能会使得 supertrait 的方法实现更为具体,快速,占用更少的内存,例如,Copy:Clone
  • subtrait 可能会对 supertrait 的方法实现增加额外的保证,例如:Eq: PartialEq,Ord: PartialOrd,ExactSizeIterator: Iterator;
  • subtrait 可能会使得 supertrait 的方法更为灵活和易于调用,例如:FnMut: FnOnce,Fn: FnMut;
  • subtrait 可能会扩展 supertrait 并添加新的方法,例如:DoubleEndedIterator: Iterator,ExactSizeIterator: Iterator

Trait 对象

泛型给我们提供了编译期多态,而 trait 对象给我们提供了运行时多态。我们可以使用 trait 对象来让函数在运行时动态地返回不同的类型。

  1. fn example(condition: bool, vec: Vec<i32>) -> Box<dyn Iterator<Item = i32>> {
  2. let iter = vec.into_iter();
  3. if condition {
  4. // Has type:
  5. // Box<Map<IntoIter<i32>, Fn(i32) -> i32>>
  6. // But is cast to:
  7. // Box<dyn Iterator<Item = i32>>
  8. Box::new(iter.map(|n| n * 2))
  9. } else {
  10. // Has type:
  11. // Box<Filter<IntoIter<i32>, Fn(&i32) -> bool>>
  12. // But is cast to:
  13. // Box<dyn Iterator<Item = i32>>
  14. Box::new(iter.filter(|&n| n >= 2))
  15. }
  16. }

Trait 对象还允许我们在集合中存储多种类型:

  1. use std::f64::consts::PI;
  2. struct Circle {
  3. radius: f64,
  4. }
  5. struct Square {
  6. side: f64
  7. }
  8. trait Shape {
  9. fn area(&self) -> f64;
  10. }
  11. impl Shape for Circle {
  12. fn area(&self) -> f64 {
  13. PI * self.radius * self.radius
  14. }
  15. }
  16. impl Shape for Square {
  17. fn area(&self) -> f64 {
  18. self.side * self.side
  19. }
  20. }
  21. fn get_total_area(shapes: Vec<Box<dyn Shape>>) -> f64 {
  22. shapes.into_iter().map(|s| s.area()).sum()
  23. }
  24. fn example() {
  25. let shapes: Vec<Box<dyn Shape>> = vec![
  26. Box::new(Circle { radius: 1.0 }), // Box<Circle> cast to Box<dyn Shape>
  27. Box::new(Square { side: 1.0 }), // Box<Square> cast to Box<dyn Shape>
  28. ];
  29. assert_eq!(PI + 1.0, get_total_area(shapes)); // ✅
  30. }

Trait 对象是没有大小的,所以它们必须总是在一个指针后面。我们可以根据类型中dyn关键字的存在来区分具体类型和 trait 对象在类型级别上的区别。

  1. struct Struct;
  2. trait Trait {}
  3. // regular struct
  4. &Struct
  5. Box<Struct>
  6. Rc<Struct>
  7. Arc<Struct>
  8. // trait objects
  9. &dyn Trait
  10. Box<dyn Trait>
  11. Rc<dyn Trait>
  12. Arc<dyn Trait>

不是所有的 trait 都可以被转成 trait 对象。当且仅当一个 trait 满足下面这些要求时,它才是对象安全的(object-safe):

  • trait 不要求Self:Sized
  • trait 的所有方法都是对象安全的

当一个 trait 方法满足下面的要求时,该方法是对象安全的:

  • 方法要求Self:Sized 或者
  • 方法在其接收者位置仅使用一个Self类型

理解为什么要求是这样的,与本文的其余部分无关,但如果你仍然好奇,可以阅读Sizeness in Rust(译注:Sizedness in Rust 这篇文章已翻译,可在公众号翻阅往期文章)。

标记 Trait(Marker Traits)

标记 trait 是不含 trait 项的 trait。它们的工作把实现类型“标记(mark)”为具有某种属性,否则就没有办法在类型系统中去表示。

  1. // Impling PartialEq for a type promises
  2. // that equality for the type has these properties:
  3. // - symmetry: a == b implies b == a, and
  4. // - transitivity: a == b && b == c implies a == c
  5. // But DOES NOT promise this property:
  6. // - reflexivity: a == a
  7. trait PartialEq {
  8. fn eq(&self, other: &Self) -> bool;
  9. }
  10. // Eq has no trait items! The eq method is already
  11. // declared by PartialEq, but "impling" Eq
  12. // for a type promises this additional equality property:
  13. // - reflexivity: a == a
  14. trait Eq: PartialEq {}
  15. // f64 impls PartialEq but not Eq because NaN != NaN
  16. // i32 impls PartialEq & Eq because there's no NaNs :)

自动 Trait(Auto Trait)

自动 Trait 是指如果一个类型的所有成员都实现了该 trait,该类型就会自动实现该 trait。“成员(member)”的含义取决于类型,例如:结构体的字段、枚举的变量、数组的元素、元组的项,等等。

所有的自动 trait 都是标记 trait,但不是所有的标记 trait 都是自动 trait。自动 trait 必须是标记 trait,所以编译器可以为它们提供一个自动的默认实现,如果它们有任何 trait 项,这就不可能实现了。

自动 trait 的例子。

  1. // implemented for types which are safe to send between threads
  2. unsafe auto trait Send {}
  3. // implemented for types whose references are safe to send between threads
  4. unsafe auto trait Sync {}

不安全 Trait(Unsafe Trait)

Trait 可以被标记为 unsafe,以表明实现该 trait 可能需要 unsafe 代码。SendSync都被标记为 unsafe,因为如果它们不是自动实现的类型,就意味着它必须包含一些非Send或非Sync的成员,如果我们想手动标记类型为SendSync,作为实现者我们必须格外小心,确保没有数据竞争。

自动 Trait

Send & Sync

所需预备知识

  1. unsafe auto trait Send {}
  2. unsafe auto trait Sync {}

如果一个类型是Send,这就意味着它可以在线程之间被安全地发送(send)。如果一个类型是Sync,这就意味着它可以在线程间安全地共享引用。说得更准确点就是,当且仅当&TSend时,类型TSync

几乎所有的类型都是SendSync。唯一值得注意的Send例外是RcSync例外中需要注意的是RcCellRefCell。如果我们需要一个满足SendRc,我们可以使用Arc。如果我们需要一个CellRefCellSync版本,我们可以使用MutexRwLock。尽管我们使用MutexRwLock来包装一个原始类型,但通常来讲,使用标准库提供的原子类型会更好一些,比如AtomicBoolAtomicI32AtomicUsize等等。

几乎所有的类型都是Sync这件事,可能会让一些人感到惊讶,但它是真的,即使是对于没有任何内部同步的类型来讲,也是如此。这能够得以实现要归功于 Rust 严格的借用规则。

我们可以传递同一份数据的若干个不可变引用到多个线程中,由于只要有不可变引用存在,Rust 就会静态地保证底层数据不被修改,所以我们可以保证不会发生数据竞争。

  1. use crossbeam::thread;
  2. fn main() {
  3. let mut greeting = String::from("Hello");
  4. let greeting_ref = &greeting;
  5. thread::scope(|scoped_thread| {
  6. // spawn 3 threads
  7. for n in 1..=3 {
  8. // greeting_ref copied into every thread
  9. scoped_thread.spawn(move |_| {
  10. println!("{} {}", greeting_ref, n); // prints "Hello {n}"
  11. });
  12. }
  13. // line below could cause UB or data races but compiler rejects it
  14. greeting += " world"; // ❌ cannot mutate greeting while immutable refs exist
  15. });
  16. // can mutate greeting after every thread has joined
  17. greeting += " world"; // ✅
  18. println!("{}", greeting); // prints "Hello world"
  19. }

同样地,我们可以把数据的一个可变引用传递给一个单独的线程,由于 Rust 静态地保证不存在可变引用的别名,所以底层数据不会通过另一个可变引用被修改,因此我们也可以保证不会发生数据竞争。

  1. use crossbeam::thread;
  2. fn main() {
  3. let mut greeting = String::from("Hello");
  4. let greeting_ref = &mut greeting;
  5. thread::scope(|scoped_thread| {
  6. // greeting_ref moved into thread
  7. scoped_thread.spawn(move |_| {
  8. *greeting_ref += " world";
  9. println!("{}", greeting_ref); // prints "Hello world"
  10. });
  11. // line below could cause UB or data races but compiler rejects it
  12. greeting += "!!!"; // ❌ cannot mutate greeting while mutable refs exist
  13. });
  14. // can mutate greeting after the thread has joined
  15. greeting += "!!!"; // ✅
  16. println!("{}", greeting); // prints "Hello world!!!"
  17. }

这就是为什么大多数类型在不需要任何显式同步的情况下,都满足Sync的原因。当我们需要在多线程中同时修改某个数据T时,除非我们用Arc<Mutex<T>>或者Arc<RwLock<T>>来包装这个数据,否则编译器是不会允许我们进行这种操作,所以编译器会在需要时强制要求进行显式地同步。

Sized

如果一个类型是Sized,这意味着它的类型大小在编译期是可知的,并且可以在栈上创建一个该类型的实例。

类型的大小及其含义是一个微妙而巨大的话题,影响到编程语言的许多方面。因为它十分重要,所以我单独写了一篇文章Sizedness in Rust,如果有人想要更深入地了解 sizedness,我强烈推荐阅读这篇文章。我会把这篇文章的关键内容总结在下面。

  1. 所有的泛型类型都有一个隐含的Sized约束。
  1. fn func<T>(t: &T) {}
  2. // example above desugared
  3. fn func<T: Sized>(t: &T) {}
  1. 因为所有的泛型类型上都有一个隐含的Sized约束,如果我们想要选择退出这个约束,我们需要使用特定的“宽松约束(relaxed bound)”语法——?Sized,该语法目前只为Sized trait 存在。
  1. // now T can be unsized
  2. fn func<T: ?Sized>(t: &T) {}
  1. 所有的 trait 都有一个隐含的?Sized约束。
  1. trait Trait {}
  2. // example above desugared
  3. trait Trait: ?Sized {}

这是为了让 trait 对象能够实现 trait,重申一下,所有的细枝末节都在Sizedness in Rust中。

泛型 traits

Default

  1. trait Default {
  2. fn default() -> Self;
  3. }

可以为实现了Default的类型构造默认值。

  1. struct Color {
  2. r: u8,
  3. g: u8,
  4. b: u8,
  5. }
  6. impl Default for Color {
  7. // default color is black
  8. fn default() -> Self {
  9. Color {
  10. r: 0,
  11. g: 0,
  12. b: 0,
  13. }
  14. }
  15. }

这在快速构建原型的时候十分有用,尤其是在我们没有过多要求而只需要一个类型实例的情况下:

  1. fn main() {
  2. // just give me some color!
  3. let color = Color::default();
  4. }

当我们想要显式地把函数暴露给用户时,也可以选择这样做:

  1. struct Canvas;
  2. enum Shape {
  3. Circle,
  4. Rectangle,
  5. }
  6. impl Canvas {
  7. // let user optionally pass a color
  8. fn paint(&mut self, shape: Shape, color: Option<Color>) {
  9. // if no color is passed use the default color
  10. let color = color.unwrap_or_default();
  11. // etc
  12. }
  13. }

当我们需要构造泛型类型时,Default在泛型上下文中也是有用的:

  1. fn guarantee_length<T: Default>(mut vec: Vec<T>, min_len: usize) -> Vec<T> {
  2. for _ in 0..min_len.saturating_sub(vec.len()) {
  3. vec.push(T::default());
  4. }
  5. vec
  6. }

我们还可以利用Default类型结合 Rust 的结构体更新语法(struct update syntax)来对结构体部分初始化。现在,我们有一个Color结构体构造函数new,该函数接收结构体的所有成员作为参数:

  1. impl Color {
  2. fn new(r: u8, g: u8, b: u8) -> Self {
  3. Color {
  4. r,
  5. g,
  6. b,
  7. }
  8. }
  9. }

但是,我们可以有更为便利的构造函数,这些构造函数分别只接收结构体的一部分成员,结构体剩下的其他成员使用默认值:

  1. impl Color {
  2. fn red(r: u8) -> Self {
  3. Color {
  4. r,
  5. ..Color::default()
  6. }
  7. }
  8. fn green(g: u8) -> Self {
  9. Color {
  10. g,
  11. ..Color::default()
  12. }
  13. }
  14. fn blue(b: u8) -> Self {
  15. Color {
  16. b,
  17. ..Color::default()
  18. }
  19. }
  20. }

还有一个Default派生宏,通过使用它我们可以像下面这样来写Color

  1. // default color is still black
  2. // because u8::default() == 0
  3. #[derive(Default)]
  4. struct Color {
  5. r: u8,
  6. g: u8,
  7. b: u8
  8. }

Clone

  1. trait Clone {
  2. fn clone(&self) -> Self;
  3. // provided default impls
  4. fn clone_from(&mut self, source: &Self);
  5. }

我们能够把Clone类型的不可变引用转换为所拥有的值,即&T->TClone不保证这种转换的效率,所以它会很慢并且成本较高。我们可以使用派生宏在一个类型上快速实现Clone

  1. #[derive(Clone)]
  2. struct SomeType {
  3. cloneable_member1: CloneableType1,
  4. cloneable_member2: CloneableType2,
  5. // etc
  6. }
  7. // macro generates impl below
  8. impl Clone for SomeType {
  9. fn clone(&self) -> Self {
  10. SomeType {
  11. cloneable_member1: self.cloneable_member1.clone(),
  12. cloneable_member2: self.cloneable_member2.clone(),
  13. // etc
  14. }
  15. }
  16. }

Clone可以用于在泛型上下文中构造一个类型实例。下面是从前面章节拿过来的一个例子,其中的Default被替换为了Clone

  1. fn guarantee_length<T: Clone>(mut vec: Vec<T>, min_len: usize, fill_with: &T) -> Vec<T> {
  2. for _ in 0..min_len.saturating_sub(vec.len()) {
  3. vec.push(fill_with.clone());
  4. }
  5. vec
  6. }

人们通常把克隆(clone)作为一种避免和借用检查器打交道的逃生出口(escape hatch)。管理带有引用的结构体很具有挑战性,但是我们可以通过克隆把引用变为所拥有的值。

  1. // oof, we gotta worry about lifetimes 😟
  2. struct SomeStruct<'a> {
  3. data: &'a Vec<u8>,
  4. }
  5. // now we're on easy street 😎
  6. struct SomeStruct {
  7. data: Vec<u8>,
  8. }

如果我们正在编写的程序对性能不敏感,那么我们就不需要担心克隆数据的问题。Rust 是一门暴露了很多底层细节的语言,所以开发者很容易陷入过早的优化而非真正解决眼前的问题。对于很多程序来讲,最好的优先级顺序通常是,首先构建正确性,其次是优雅性,第三是性能,仅当在对性能进行剖析并确定性能瓶颈之后再去关注性能。通常而言,这是一个值得采纳的好建议,但是你需要清楚,它未必适用于你的程序。

Copy

  1. trait Copy:Clone{}

我们拷贝Copy类型,例如:T->T.Copy承诺拷贝操作是简单的按位拷贝,所以它是快速高效的。我们不能自己实现Copy,只有编译器可以提供实现,但是我们可以通过使用Copy派生宏让编译器这么做,就像使用Clone派生宏一样,因为CopyClone的一个 subtrait:

  1. #[derive(Copy, Clone)]
  2. struct SomeType;

CopyClone进行了细化。一个克隆(clone)操作可能很慢并且开销很大,但是拷贝(copy)操作保证是快速且开销较小的,所以拷贝是一种更快的克隆操作。如果一个类型实现了CopyClone实现就无关紧要了:

  1. // this is what the derive macro generates
  2. impl<T: Copy> Clone for T {
  3. // the clone method becomes just a copy
  4. fn clone(&self) -> Self {
  5. *self
  6. }
  7. }

当一个类型实现了Copy之后,它在被移动(move)时的行为就发生了改变。默认情况下,所有的类型都有移动(move)语义 ,但是一旦某个类型实现了Copy,它就有了拷贝(copy)语义 。为了解释二者的不同,让我们看一下这些简单的场景:

  1. // a "move", src: !Copy
  2. let dest = src;
  3. // a "copy", src: Copy
  4. let dest = src;

在上面两种情况下,dest = srcsrc的内容进行按位拷贝并把结果移动到dest,唯一的不同是,在第一种情况(”a move”)中,借用检查器使得src变量失效并确保它后面不会在任何其他地方被使用;在第二种情况下(”a copy”)中,src仍然是有效且可用的。

简而言之:拷贝就是移动,移动就是拷贝。它们之间唯一的区别就是其对待借用检查器的方式。

来看一个关于移动(move)的更具体的例子,假定sec是一个Vec<i32>类型,并且它的内容看起来像下面这样:

  1. { data: *mut [i32], length: usize, capacity: usize }

当我们执行了dest = src,我们会得到:

  1. src = { data: *mut [i32], length: usize, capacity: usize }
  2. dest = { data: *mut [i32], length: usize, capacity: usize }

在这个未知,srcdest对同一份数据各有一个可变引用别名,这是一个大忌,因此,借用检查器让src变量失效,在编译器不报错的情况下。使得它不能再被使用。

再来看一个关于拷贝(copy)的更具体的例子,假定src是一个Option<i32>,且它的内容看起来如下:

  1. { is_valid: bool, data: i32 }

现在,当我们执行dest = src时,我们会得到:

  1. src = { is_valid: bool, data: i32 }
  2. dest = { is_valid: bool, data: i32 }

它们俩同时都是可用的!因此,Option<i32>Copy

尽管Copy是一个自动 trait,但是 Rust 语言设计者决定,让类型显式地选择拷贝语义,而不是在类型符合条件时默默地继承拷贝语义,因为后者可能会引起经常导致 bug 的混乱行为。

Any

  1. trait Any: 'static {
  2. fn type_id(&self) -> TypeId;
  3. }

Rust 的多态风格是参数化的,但是如果我们正在尝试使用一种类似于动态类型语言的更为特别(ad-hoc)的多态风格,那么我们可以通过使用Any trait 来进行模拟。我们不必手动为我们的类型实现Any trait,因为这已经被 generic blanket impl 所涵盖:

  1. impl<T: 'static + ?Sized> Any for T {
  2. fn type_id(&self) -> TypeId {
  3. TypeId::of::<T>()
  4. }
  5. }

我们通过使用downcast_ref::<T>()downcast_mut::<T>()方法从一个dyn Any中拿出一个T:

  1. use std::any::Any;
  2. #[derive(Default)]
  3. struct Point {
  4. x: i32,
  5. y: i32,
  6. }
  7. impl Point {
  8. fn inc(&mut self) {
  9. self.x += 1;
  10. self.y += 1;
  11. }
  12. }
  13. fn map_any(mut any: Box<dyn Any>) -> Box<dyn Any> {
  14. if let Some(num) = any.downcast_mut::<i32>() {
  15. *num += 1;
  16. } else if let Some(string) = any.downcast_mut::<String>() {
  17. *string += "!";
  18. } else if let Some(point) = any.downcast_mut::<Point>() {
  19. point.inc();
  20. }
  21. any
  22. }
  23. fn main() {
  24. let mut vec: Vec<Box<dyn Any>> = vec![
  25. Box::new(0),
  26. Box::new(String::from("a")),
  27. Box::new(Point::default()),
  28. ];
  29. // vec = [0, "a", Point { x: 0, y: 0 }]
  30. vec = vec.into_iter().map(map_any).collect();
  31. // vec = [1, "a!", Point { x: 1, y: 1 }]
  32. }

这个 trait 很少需要用到,因为在大多数情况下,参数化多态要优于临时多态性,后者也可以用枚举(enum)来模拟,枚举具有更好的类型安全,需要的间接(抽象)也更少。例如,我们可以用下面的方式实现上面的例子:

  1. #[derive(Default)]
  2. struct Point {
  3. x: i32,
  4. y: i32,
  5. }
  6. impl Point {
  7. fn inc(&mut self) {
  8. self.x += 1;
  9. self.y += 1;
  10. }
  11. }
  12. enum Stuff {
  13. Integer(i32),
  14. String(String),
  15. Point(Point),
  16. }
  17. fn map_stuff(mut stuff: Stuff) -> Stuff {
  18. match &mut stuff {
  19. Stuff::Integer(num) => *num += 1,
  20. Stuff::String(string) => *string += "!",
  21. Stuff::Point(point) => point.inc(),
  22. }
  23. stuff
  24. }
  25. fn main() {
  26. let mut vec = vec![
  27. Stuff::Integer(0),
  28. Stuff::String(String::from("a")),
  29. Stuff::Point(Point::default()),
  30. ];
  31. // vec = [0, "a", Point { x: 0, y: 0 }]
  32. vec = vec.into_iter().map(map_stuff).collect();
  33. // vec = [1, "a!", Point { x: 1, y: 1 }]
  34. }

尽管Any很少被需要用到,但是在某些时候它也会十分地便利,正如我们在后面错误处理(Error Handling)部分所看到的那样。

格式化 Traits (Formatting Traits)

我们可以使用std::fmt中的格式化宏来把类型序列化(serialize)为字符串,其中最为我们熟知的就是println!。我们可以把格式化参数传递给{}占位符,这些占位符用于选择使用哪个 trait 来序列化占位符参数。

Trait Placeholder Description
Display {} 显示表示
Debug {:?} 调试表示
Octal {:o} 八进制表示
LowerHex {:x} 小写十六进制表示
UpperHex {:X} 大写十六进制表示
Pointer {:p} 内存地址
Binary {:b} 二进制表示
LowerExp {:e} 小写指数表示
UpperExp {:E} 大写指数表示

Display & ToString

  1. trait Display {
  2. fn fmt(&self, f: &mut Formatter<'_>) -> Result;
  3. }

Display类型可以被序列化为对用户更为友好的String类型。以Point类型为列:

  1. use std::fmt;
  2. #[derive(Default)]
  3. struct Point {
  4. x: i32,
  5. y: i32,
  6. }
  7. impl fmt::Display for Point {
  8. fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
  9. write!(f, "({}, {})", self.x, self.y)
  10. }
  11. }
  12. fn main() {
  13. println!("origin: {}", Point::default());
  14. // prints "origin: (0, 0)"
  15. // get Point's Display representation as a String
  16. let stringified_point = format!("{}", Point::default());
  17. assert_eq!("(0, 0)", stringified_point); // ✅
  18. }

除了使用format!宏让一个类型以String类型显示,我们还可以使用ToString trait:

  1. trait ToString {
  2. fn to_string(&self) -> String;
  3. }

这个 trait 不需要我们实现,事实上,由于 generic blanket impl,我们也不能去实现它,因为所有实现了Display的类型都会自动实现ToString

  1. impl<T: Display + ?Sized> ToString for T;

Point上使用ToString

  1. #[test] // ✅
  2. fn display_point() {
  3. let origin = Point::default();
  4. assert_eq!(format!("{}", origin), "(0, 0)");
  5. }
  6. #[test] // ✅
  7. fn point_to_string() {
  8. let origin = Point::default();
  9. assert_eq!(origin.to_string(), "(0, 0)");
  10. }
  11. #[test] // ✅
  12. fn display_equals_to_string() {
  13. let origin = Point::default();
  14. assert_eq!(format!("{}", origin), origin.to_string());
  15. }

Debug

  1. trait Debug {
  2. fn fmt(&self, f: &mut Formatter<'_>) -> Result;
  3. }

DebugDisplay有着相同的签名。唯一的不同在于,只有当我门指定了{:?}才会调用Debug实现。Debug可以被派生:

  1. use std::fmt;
  2. #[derive(Debug)]
  3. struct Point {
  4. x: i32,
  5. y: i32,
  6. }
  7. // derive macro generates impl below
  8. impl fmt::Debug for Point {
  9. fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
  10. f.debug_struct("Point")
  11. .field("x", &self.x)
  12. .field("y", &self.y)
  13. .finish()
  14. }
  15. }

为一个类型实现Debug能够使得这个类型在dbg!中使用,dbg!宏在快速打印日志方面比println!更合适,它的一些优势如下:

  1. dbg!打印到 stderr 而不是 stdout,因此在我们的程序中,能够很容易地和标准输出的输出结果区分。
  2. dbg!会连同传入的表达式和表达式的计算结果一起打印出来。
  3. dbg!会获取传入参数的所有权并将其返回,因此你可以在表达式中使用它:
  1. fn some_condition() -> bool {
  2. true
  3. }
  4. // no logging
  5. fn example() {
  6. if some_condition() {
  7. // some code
  8. }
  9. }
  10. // println! logging
  11. fn example_println() {
  12. // 🤦
  13. let result = some_condition();
  14. println!("{}", result); // just prints "true"
  15. if result {
  16. // some code
  17. }
  18. }
  19. // dbg! logging
  20. fn example_dbg() {
  21. // 😍
  22. if dbg!(some_condition()) { // prints "[src/main.rs:22] some_condition() = true"
  23. // some code
  24. }
  25. }

dbg!的唯一缺点就是它不会在 release 构建中自动裁剪,所以如果我们不想在最后生成的二进制包含这些内容,就必须手动移除它。

操作符 Trait(Operator Traits)

Rust 中所有的操作符都和 trait 关联,如果我们想要为我们的类型实现一些操作符,我们就必须实现与之关联的 trait。

Trait(s) 分类(Category) 操作符(Operator(s)) 描述(Description)
Eq
, PartialEq
比较 == 相等
Ord
, PartialOrd
比较 <
, >
, <=
, >=
比较
Add 算术 + 相加
AddAssign 算术 += 相加并赋值
BitAnd 算术 & 按位与
BitAndAssign 算术 &= 按位与并赋值
BitXor 算术 ^ 按位异或
BitXorAssign 算术 ^= 按位异或并赋值
Div 算术 /
DivAssign 算术 /= 除并赋值
Mul 算术 *
MulAssign 算术 *= 乘并赋值
Neg 算术 - 一元求反
Not 算术 ! 一元逻辑求反
Rem 算术 % 求余
RemAssign 算术 %= 求余并赋值
Shl 算术 << 左移
ShlAssign 算术 <<= 左移并赋值
Shr 算术 >> 右移
ShrAssign 算术 >>= 右移并赋值
Sub 算术 -
SubAssign 算术 -= 减并赋值
Fn 闭包 (...args) 不可变闭包调用
FnMut 闭包 (...args) 可变闭包调用
FnOnce 闭包 (...args) 一次性闭包调用
Deref 其他 * 不可变解引用
DerefMut 其他 * 可变解引用
Drop 其他 - 类型析构
Index 其他 [] 不可变索引
IndexMut 其他 [] 可变索引
RangeBounds 其他 .. 区间

比较 Trait (Comparison Traits)

Trait(s) 分类(Category) 操作符(Operator(s)) 描述(Description)
Eq
, PartialEq
比较 == 相等
Ord
, PartialOrd
比较 <
, >
, <=
, >=
比较

PartialEq & Eq

  1. trait PartialEq<Rhs = Self>
  2. where
  3. Rhs: ?Sized,
  4. {
  5. fn eq(&self, other: &Rhs) -> bool;
  6. // provided default impls
  7. fn ne(&self, other: &Rhs) -> bool;
  8. }

PartialEq<Rhs>类型可以通过==操作符检查是否和Rhs类型相等。

所有的PartialEq<Rhs>实现必须确保相等性是对称的和可传递的。这意味着,对于任意的abc:

  • a == b也意味着b == a(对称性)
  • a == b && b == c 意味着 a == c (传递性)

默认情况下,Rhs = Self,因为我们几乎总是想要比较同一类型的不同实例,而不是不同类型的不同实例。这也保证了我们的实现是对称的和可传递的。

  1. struct Point {
  2. x: i32,
  3. y: i32
  4. }
  5. // Rhs == Self == Point
  6. impl PartialEq for Point {
  7. // impl automatically symmetric & transitive
  8. fn eq(&self, other: &Point) -> bool {
  9. self.x == other.x && self.y == other.y
  10. }
  11. }

如果一个类型的所有成员都实现了PartialEq,则它会派生实现PartialEq

  1. #[derive(PartialEq)]
  2. struct Point {
  3. x: i32,
  4. y: i32
  5. }
  6. #[derive(PartialEq)]
  7. enum Suit {
  8. Spade,
  9. Heart,
  10. Club,
  11. Diamond,
  12. }

一旦我们为自己的类型实现了PartialEq,我们就能够轻松地在类型的引用之间进行相等性比较,这要归功于 generic blanket impls:

  1. // this impl only gives us: Point == Point
  2. #[derive(PartialEq)]
  3. struct Point {
  4. x: i32,
  5. y: i32
  6. }
  7. // all of the generic blanket impls below
  8. // are provided by the standard library
  9. // this impl gives us: &Point == &Point
  10. impl<A, B> PartialEq<&'_ B> for &'_ A
  11. where A: PartialEq<B> + ?Sized, B: ?Sized;
  12. // this impl gives us: &mut Point == &Point
  13. impl<A, B> PartialEq<&'_ B> for &'_ mut A
  14. where A: PartialEq<B> + ?Sized, B: ?Sized;
  15. // this impl gives us: &Point == &mut Point
  16. impl<A, B> PartialEq<&'_ mut B> for &'_ A
  17. where A: PartialEq<B> + ?Sized, B: ?Sized;
  18. // this impl gives us: &mut Point == &mut Point
  19. impl<A, B> PartialEq<&'_ mut B> for &'_ mut A
  20. where A: PartialEq<B> + ?Sized, B: ?Sized;

因为这个 trait 是泛型的,所以我们可以在不同的类型之间定义相等性(比较)。标准库利用这一点实现了类字符串类型之间的相互比较,比如String&strPathBuf&PathOsString&OsStr等等。

通常,我们应该仅为特定的不同类型之间实现相等性,这些不同类型包含了相同类型的数据,并且它们之间唯一的区别是表现数据的方式和与数据交互的方式。

下面是一个反面实例,关于某人试图在没有满足上述规则的不同类型之间实现PartialEq用以检查完整性的例子:

  1. #[derive(PartialEq)]
  2. enum Suit {
  3. Spade,
  4. Club,
  5. Heart,
  6. Diamond,
  7. }
  8. #[derive(PartialEq)]
  9. enum Rank {
  10. Ace,
  11. Two,
  12. Three,
  13. Four,
  14. Five,
  15. Six,
  16. Seven,
  17. Eight,
  18. Nine,
  19. Ten,
  20. Jack,
  21. Queen,
  22. King,
  23. }
  24. #[derive(PartialEq)]
  25. struct Card {
  26. suit: Suit,
  27. rank: Rank,
  28. }
  29. // check equality of Card's suit
  30. impl PartialEq<Suit> for Card {
  31. fn eq(&self, other: &Suit) -> bool {
  32. self.suit == *other
  33. }
  34. }
  35. // check equality of Card's rank
  36. impl PartialEq<Rank> for Card {
  37. fn eq(&self, other: &Rank) -> bool {
  38. self.rank == *other
  39. }
  40. }
  41. fn main() {
  42. let AceOfSpades = Card {
  43. suit: Suit::Spade,
  44. rank: Rank::Ace,
  45. };
  46. assert!(AceOfSpades == Suit::Spade); // ✅
  47. assert!(AceOfSpades == Rank::Ace); // ✅
  48. }

Eq是一个标记 trait,并且是PartialEq<Self>的一个 subtrait。

  1. trait Eq: PartialEq<Self> {}

如果我们为一个类型实现了Eq,在PartialEq所要求的对称性和可传递性之上,我们还保证了反射性(reflexivity),也就是对于任意的a,都有a == a。从这种意义上来说,EqPartialEq进行了细化,因为它表示了一个更为严格的相等性。如果一个类型的所有成员都实现了Eq,那么Eq的实现可以派生到这个类型。

浮点型实现了PartialEq但是没有实现Eq,因为NaN != NaN。几乎所有其他的实现了PartialEq的类型都实现了Eq,除非它们包含浮点类型。

一旦一个类型实现了PartialEqDebug,我们可以就可以在assert_eq!宏中使用它。我们还可以比较实现了PartialEq类型的集合。

  1. #[derive(PartialEq, Debug)]
  2. struct Point {
  3. x: i32,
  4. y: i32,
  5. }
  6. fn example_assert(p1: Point, p2: Point) {
  7. assert_eq!(p1, p2);
  8. }
  9. fn example_compare_collections<T: PartialEq>(vec1: Vec<T>, vec2: Vec<T>) {
  10. // if T: PartialEq this now works!
  11. if vec1 == vec2 {
  12. // some code
  13. } else {
  14. // other code
  15. }
  16. }

Hash

  1. trait Hash {
  2. fn hash<H: Hasher>(&self, state: &mut H);
  3. // provided default impls
  4. fn hash_slice<H: Hasher>(data: &[Self], state: &mut H);
  5. }

这个 trait 没有与任何操作符关联,但是讨论它的最好时机就是在PartialEqEq之后,所以把它写在这里。Hash类型可以通过一个Hasher被(计算)哈希。

  1. use std::hash::Hasher;
  2. use std::hash::Hash;
  3. struct Point {
  4. x: i32,
  5. y: i32,
  6. }
  7. impl Hash for Point {
  8. fn hash<H: Hasher>(&self, hasher: &mut H) {
  9. hasher.write_i32(self.x);
  10. hasher.write_i32(self.y);
  11. }
  12. }

使用派生宏可以生成和上面一样的实现:

  1. #[derive(Hash)]
  2. struct Point {
  3. x: i32,
  4. y: i32,
  5. }

如果一个类型同时实现了HashEq,那么这些实现必须达成一致,从而保证对于所有的ab,如果a == b那么a.hash() == b.hash()。因此,当为一个类型同时实现这两个 trait 时,要么都用派生宏,要么都手动实现,但是不要混合,否则我们就有可能破坏上面的不变性。

为一个类型实现EqHash的最大好处是,它让我们能够把类型作为 key 存储在HashMapHashSet中。

  1. use std::collections::HashSet;
  2. // now our type can be stored
  3. // in HashSets and HashMaps!
  4. #[derive(PartialEq, Eq, Hash)]
  5. struct Point {
  6. x: i32,
  7. y: i32,
  8. }
  9. fn example_hashset() {
  10. let mut points = HashSet::new();
  11. points.insert(Point { x: 0, y: 0 }); // ✅
  12. }

PartialOrd & Ord

  1. enum Ordering {
  2. Less,
  3. Equal,
  4. Greater,
  5. }
  6. trait PartialOrd<Rhs = Self>: PartialEq<Rhs>
  7. where
  8. Rhs: ?Sized,
  9. {
  10. fn partial_cmp(&self, other: &Rhs) -> Option<Ordering>;
  11. // provided default impls
  12. fn lt(&self, other: &Rhs) -> bool;
  13. fn le(&self, other: &Rhs) -> bool;
  14. fn gt(&self, other: &Rhs) -> bool;
  15. fn ge(&self, other: &Rhs) -> bool;
  16. }

PartialOrd<Rhs>类型可以通过<<=>=操作符和Rhs类型比较。所有的PartialOrd<Rhs>实现必须保证比较时非对称和可传递的。这意味着,对于任意的abc

  • a < b意味着!(a>b)(非对称性)
  • a < b && b < c 意味着a < c(传递性)

PartialOrdPartialEq的一个 subtrait,并且它们的实现必须相互一致。

  1. fn must_always_agree<T: PartialOrd + PartialEq>(t1: T, t2: T) {
  2. assert_eq!(t1.partial_cmp(&t2) == Some(Ordering::Equal), t1 == t2);
  3. }

当比较PartialEq类型时,我们可以检查是否它们相等或者不相等,但是当比较PartialOrd类型时,我们除了可以检查是否它们相等或不相等自己哦之外,如果它们不相等,我们还可以检查它们不相等是因为第一项小于第二项或者是第一项大于第二项。

默认情况下,Rhs == Self,因为我们总是想要比较同一类型的实例,而不是对不同类型的实例。这也自动保证了我们的实现是对称的和可传递的。

  1. use std::cmp::Ordering;
  2. #[derive(PartialEq, PartialOrd)]
  3. struct Point {
  4. x: i32,
  5. y: i32
  6. }
  7. // Rhs == Self == Point
  8. impl PartialOrd for Point {
  9. // impl automatically symmetric & transitive
  10. fn partial_cmp(&self, other: &Point) -> Option<Ordering> {
  11. Some(match self.x.cmp(&other.x) {
  12. Ordering::Equal => self.y.cmp(&other.y),
  13. ordering => ordering,
  14. })
  15. }
  16. }

如果一个类型的所有成员都实现了PartialOrd,那么它就可以被派生:

  1. #[derive(PartialEq, PartialOrd)]
  2. struct Point {
  3. x: i32,
  4. y: i32,
  5. }
  6. #[derive(PartialEq, PartialOrd)]
  7. enum Stoplight {
  8. Red,
  9. Yellow,
  10. Green,
  11. }

派生宏PartialOrd根据字典序(lexicographical)对它们的成员进行排序:

  1. // generates PartialOrd impl which orders
  2. // Points based on x member first and
  3. // y member second because that's the order
  4. // they appear in the source code
  5. #[derive(PartialOrd, PartialEq)]
  6. struct Point {
  7. x: i32,
  8. y: i32,
  9. }
  10. // generates DIFFERENT PartialOrd impl
  11. // which orders Points based on y member
  12. // first and x member second
  13. #[derive(PartialOrd, PartialEq)]
  14. struct Point {
  15. y: i32,
  16. x: i32,
  17. }

OrdEqPartialOrd<Self>的一个 subtrait:

  1. trait Ord: Eq + PartialOrd<Self> {
  2. fn cmp(&self, other: &Self) -> Ordering;
  3. // provided default impls
  4. fn max(self, other: Self) -> Self;
  5. fn min(self, other: Self) -> Self;
  6. fn clamp(self, min: Self, max: Self) -> Self;
  7. }

如果我们为一个类型实现了Ord,在PartialOrd保证了非对称性和传递性之上,我们还能保证整体的非对称性,即对于任意给定的aba < ba == ba > b中必有一个为真。从这个角度来讲,Ord细化了EqPartialOrd,因为它表示一个更严格的比较。如果一个类型实现了Ord,我们就可以利用这个实现来实现PartialOrdPartialEqEq

  1. use std::cmp::Ordering;
  2. // of course we can use the derive macros here
  3. #[derive(Ord, PartialOrd, Eq, PartialEq)]
  4. struct Point {
  5. x: i32,
  6. y: i32,
  7. }
  8. // note: as with PartialOrd, the Ord derive macro
  9. // orders a type based on the lexicographical order
  10. // of its members
  11. // but here's the impls if we wrote them out by hand
  12. impl Ord for Point {
  13. fn cmp(&self, other: &Self) -> Ordering {
  14. match self.x.cmp(&other.x) {
  15. Ordering::Equal => self.y.cmp(&other.y),
  16. ordering => ordering,
  17. }
  18. }
  19. }
  20. impl PartialOrd for Point {
  21. fn partial_cmp(&self, other: &Self) -> Option<Ordering> {
  22. Some(self.cmp(other))
  23. }
  24. }
  25. impl PartialEq for Point {
  26. fn eq(&self, other: &Self) -> bool {
  27. self.cmp(other) == Ordering::Equal
  28. }
  29. }
  30. impl Eq for Point {}

浮点型实现了PartialOrd但是没有实现Ord,因为NaN < 0 == falseNaN >= 0 == false都为真。几乎所有的其他的PartialOrd类型都实现了Ord,除非它们中包含有浮点型。

一旦一个类型实现了Ord,我们就可以把它存储在BTreeMapBTreeSet,还可以在 slice 上使用 sort()方法对其进行排序,这同样适用于其他可以解引用为 slice 的类型,比如数组、VecVecDeque

  1. use std::collections::BTreeSet;
  2. // now our type can be stored
  3. // in BTreeSets and BTreeMaps!
  4. #[derive(Ord, PartialOrd, PartialEq, Eq)]
  5. struct Point {
  6. x: i32,
  7. y: i32,
  8. }
  9. fn example_btreeset() {
  10. let mut points = BTreeSet::new();
  11. points.insert(Point { x: 0, y: 0 }); // ✅
  12. }
  13. // we can also .sort() Ord types in collections!
  14. fn example_sort<T: Ord>(mut sortable: Vec<T>) -> Vec<T> {
  15. sortable.sort();
  16. sortable
  17. }

算术 Trait(Arithmetic Traits)

Trait(s) 分类(Category) 操作符(Operator(s)) 描述(Description)
Add 算术 + 相加
AddAssign 算术 += 相加并赋值
BitAnd 算术 & 按位与
BitAndAssign 算术 &= 按位与并赋值
BitXor 算术 ^ 按位异或
BitXorAssign 算术 ^= 按位异或并赋值
Div 算术 /
DivAssign 算术 /= 除并赋值
Mul 算术 *
MulAssign 算术 *= 乘并赋值
Neg 算术 - 一元求反
Not 算术 ! 一元逻辑求反
Rem 算术 % 求余
RemAssign 算术 %= 求余并赋值
Shl 算术 << 左移
ShlAssign 算术 <<= 左移并赋值
Shr 算术 >> 右移
ShrAssign 算术 >>= 右移并赋值
Sub 算术 -
SubAssign 算术 -= 减并赋值

我们没有必要把所有的算术操作符都仔细看一遍,毕竟它们中大多数都只作用于数值类型。我们将会讨论AddAddAssign,因为+操作符经常被重载用来完成其他事情,比如往集合里添加一项,或者进行拼接操作,这样我们就可以从最有趣的地方入手而不会重复。

Add & AddAssign

  1. trait Add<Rhs = Self> {
  2. type Output;
  3. fn add(self, rhs: Rhs) -> Self::Output;
  4. }

Add<Rhs, Output = T>类型可以被加到Rhs类型上并产生一个T作为输出。

例如,在Point上实现Add<Point, Output = Point>:

  1. #[derive(Clone, Copy)]
  2. struct Point {
  3. x: i32,
  4. y: i32,
  5. }
  6. impl Add for Point {
  7. type Output = Point;
  8. fn add(self, rhs: Point) -> Point {
  9. Point {
  10. x: self.x + rhs.x,
  11. y: self.y + rhs.y,
  12. }
  13. }
  14. }
  15. fn main() {
  16. let p1 = Point { x: 1, y: 2 };
  17. let p2 = Point { x: 3, y: 4 };
  18. let p3 = p1 + p2;
  19. assert_eq!(p3.x, p1.x + p2.x); // ✅
  20. assert_eq!(p3.y, p1.y + p2.y); // ✅
  21. }

但是,如果我们只有Point的引用,那该怎么办呢?我们还能把它们相加么?让我们试试:

  1. fn main() {
  2. let p1 = Point { x: 1, y: 2 };
  3. let p2 = Point { x: 3, y: 4 };
  4. let p3 = &p1 + &p2; // ❌
  5. }

显然不可以,编译器抛出下面的提示:

  1. error[E0369]: cannot add `&Point` to `&Point`
  2. --> src/main.rs:50:25
  3. |
  4. 50 | let p3: Point = &p1 + &p2;
  5. | --- ^ --- &Point
  6. | |
  7. | &Point
  8. |
  9. = note: an implementation of `std::ops::Add` might be missing for `&Point`

在 Rust 的类型系统中,对于某个类型TT&T&mut T都会被视作是完全不同的类型,这意味着我们必须分别为它们提供 trait 的实现。让我们为&Point实现Add

  1. impl Add for &Point {
  2. type Output = Point;
  3. fn add(self, rhs: &Point) -> Point {
  4. Point {
  5. x: self.x + rhs.x,
  6. y: self.y + rhs.y,
  7. }
  8. }
  9. }
  10. fn main() {
  11. let p1 = Point { x: 1, y: 2 };
  12. let p2 = Point { x: 3, y: 4 };
  13. let p3 = &p1 + &p2; // ✅
  14. assert_eq!(p3.x, p1.x + p2.x); // ✅
  15. assert_eq!(p3.y, p1.y + p2.y); // ✅
  16. }

尽管如此,但是仍然感觉有些地方不太对。我们针对Point&Point实现了两份Add,它们恰好目前还做了相同的事情,但是我们不能保证将来也是如此。例如,假设我们决定,当我们把两个Point相加时,我们想要创建一个包含这两个PointLine类型而不是创建一个新的Point,那么我们会把Add的实现更新:

  1. use std::ops::Add;
  2. #[derive(Copy, Clone)]
  3. struct Point {
  4. x: i32,
  5. y: i32,
  6. }
  7. #[derive(Copy, Clone)]
  8. struct Line {
  9. start: Point,
  10. end: Point,
  11. }
  12. // we updated this impl
  13. impl Add for Point {
  14. type Output = Line;
  15. fn add(self, rhs: Point) -> Line {
  16. Line {
  17. start: self,
  18. end: rhs,
  19. }
  20. }
  21. }
  22. // but forgot to update this impl, uh oh!
  23. impl Add for &Point {
  24. type Output = Point;
  25. fn add(self, rhs: &Point) -> Point {
  26. Point {
  27. x: self.x + rhs.x,
  28. y: self.y + rhs.y,
  29. }
  30. }
  31. }
  32. fn main() {
  33. let p1 = Point { x: 1, y: 2 };
  34. let p2 = Point { x: 3, y: 4 };
  35. let line: Line = p1 + p2; // ✅
  36. let p1 = Point { x: 1, y: 2 };
  37. let p2 = Point { x: 3, y: 4 };
  38. let line: Line = &p1 + &p2; // ❌ expected Line, found Point
  39. }

我们当前针对&PointAdd实现就产生了一个不必要的维护负担,我们希望这个实现能够自动匹配Point的实现而无需我们每次在修改Point的实现时都手动维护更新。我们想要保持我们的代码尽可能地 DRY(Don’t Repeat Yourself,不要重复自己)。幸运的是这是可以实现的:

  1. // updated, DRY impl
  2. impl Add for &Point {
  3. type Output = <Point as Add>::Output;
  4. fn add(self, rhs: &Point) -> Self::Output {
  5. Point::add(*self, *rhs)
  6. }
  7. }
  8. fn main() {
  9. let p1 = Point { x: 1, y: 2 };
  10. let p2 = Point { x: 3, y: 4 };
  11. let line: Line = p1 + p2; // ✅
  12. let p1 = Point { x: 1, y: 2 };
  13. let p2 = Point { x: 3, y: 4 };
  14. let line: Line = &p1 + &p2; // ✅
  15. }

AddAssign<Rhs>类型能够让我们和Rhs类型相加并赋值。该 trait 声明如下:

  1. trait AddAssign<Rhs = Self> {
  2. fn add_assign(&mut self, rhs: Rhs);
  3. }

Point&Point为例:

  1. use std::ops::AddAssign;
  2. #[derive(Copy, Clone)]
  3. struct Point {
  4. x: i32,
  5. y: i32
  6. }
  7. impl AddAssign for Point {
  8. fn add_assign(&mut self, rhs: Point) {
  9. self.x += rhs.x;
  10. self.y += rhs.y;
  11. }
  12. }
  13. impl AddAssign<&Point> for Point {
  14. fn add_assign(&mut self, rhs: &Point) {
  15. Point::add_assign(self, *rhs);
  16. }
  17. }
  18. fn main() {
  19. let mut p1 = Point { x: 1, y: 2 };
  20. let p2 = Point { x: 3, y: 4 };
  21. p1 += &p2;
  22. p1 += p2;
  23. assert!(p1.x == 7 && p1.y == 10);
  24. }

闭包 Trait(Closure Traits)

Trait(s) 分类(Category) 操作符(Operator(s)) 描述(Description)
Fn 闭包 (...args) 不可变闭包调用
FnMut 闭包 (...args) 可变闭包调用
FnOnce 闭包 (...args) 一次性闭包调用

FnOnce, FnMut, & Fn

  1. trait FnOnce<Args> {
  2. type Output;
  3. fn call_once(self, args: Args) -> Self::Output;
  4. }
  5. trait FnMut<Args>: FnOnce<Args> {
  6. fn call_mut(&mut self, args: Args) -> Self::Output;
  7. }
  8. trait Fn<Args>: FnMut<Args> {
  9. fn call(&self, args: Args) -> Self::Output;
  10. }

虽然存在这些 trait,但是在 stable 的 Rust 中,我们无法为自己的类型实现这些 trait。我们能够创建的唯一能够实现这些 trait 的类型就是闭包。闭包根据其从环境中所捕获的内容来决定它到底是实现FnOnceFnMut还是Fn

FnOnce闭包只能被调用一次,因为它会在执行过程中消耗掉某些值:

  1. fn main() {
  2. let range = 0..10;
  3. let get_range_count = || range.count();
  4. assert_eq!(get_range_count(), 10); // ✅
  5. get_range_count(); // ❌
  6. }

迭代器上的.count()方法会消耗迭代器,因此它只能被调用一次。因此,我们的闭包也只能调用一次。这也是为什么我们在尝试调用第二次的时候会得到下面的错误:

  1. error[E0382]: use of moved value: `get_range_count`
  2. --> src/main.rs:5:5
  3. |
  4. 4 | assert_eq!(get_range_count(), 10);
  5. | ----------------- `get_range_count` moved due to this call
  6. 5 | get_range_count();
  7. | ^^^^^^^^^^^^^^^ value used here after move
  8. |
  9. note: closure cannot be invoked more than once because it moves the variable `range` out of its environment
  10. --> src/main.rs:3:30
  11. |
  12. 3 | let get_range_count = || range.count();
  13. | ^^^^^
  14. note: this value implements `FnOnce`, which causes it to be moved when called
  15. --> src/main.rs:4:16
  16. |
  17. 4 | assert_eq!(get_range_count(), 10);
  18. | ^^^^^^^^^^^^^^^

FnMut闭包可以被多次调用,并且可以修改它从环境中捕获到的变量。我们可以说FnMut有副作用或者是有状态的(stateful)。下面是一个闭包的示例,通过从迭代器中追踪它见到的最小值来过滤所有非升序的值。

  1. fn main() {
  2. let nums = vec![0, 4, 2, 8, 10, 7, 15, 18, 13];
  3. let mut min = i32::MIN;
  4. let ascending = nums.into_iter().filter(|&n| {
  5. if n <= min {
  6. false
  7. } else {
  8. min = n;
  9. true
  10. }
  11. }).collect::<Vec<_>>();
  12. assert_eq!(vec![0, 4, 8, 10, 15, 18], ascending); // ✅
  13. }

FnOnce会获取它的参数的所有权并且只能被调用一次,但是FnMut仅要求获取参数的可变引用并且可以被多次调用,从这一点上来讲,FnMut细化了FnOnceFnMut可以被用于任何可以使用FnOnce的地方。

Fn闭包也可以被调用多次,但是它不能修改从环境中捕获的变量。我们可以说,Fn闭包没有副作用或者无状态的(stateless)。下面是一个示例,从一个迭代器中过滤出所有小于某个栈上变量的数字,该变量是它是环境中捕获到的:

  1. fn main() {
  2. let nums = vec![0, 4, 2, 8, 10, 7, 15, 18, 13];
  3. let min = 9;
  4. let greater_than_9 = nums.into_iter().filter(|&n| n > min).collect::<Vec<_>>();
  5. assert_eq!(vec![10, 15, 18, 13], greater_than_9); // ✅
  6. }

FnMut要求可变引用并且可以被多次调用,Fn只要求不可变引用并可以被多次调用,从这一点来讲,Fn细化了FnMutFn可以被用于任何可以使用FnMut的地方,当然也包括可以使用FnOnce的地方。

如果一个闭包不从环境中捕获任何变量,从技术角度来讲它算不上是闭包,而只是一个被匿名声明的内联函数,并且可以作为一个普通函数指针(即Fn)被使用和传递,这包括可以使用FnMutFnOnce的地方。

  1. fn add_one(x: i32) -> i32 {
  2. x + 1
  3. }
  4. fn main() {
  5. let mut fn_ptr: fn(i32) -> i32 = add_one;
  6. assert_eq!(fn_ptr(1), 2); // ✅
  7. // capture-less closure cast to fn pointer
  8. fn_ptr = |x| x + 1; // same as add_one
  9. assert_eq!(fn_ptr(1), 2); // ✅
  10. }

下面是一个传递普通函数指针而不是闭包的示例:

  1. fn main() {
  2. let nums = vec![-1, 1, -2, 2, -3, 3];
  3. let absolutes: Vec<i32> = nums.into_iter().map(i32::abs).collect();
  4. assert_eq!(vec![1, 1, 2, 2, 3, 3], absolutes); // ✅
  5. }

其他 Trait (Other Traits)

Trait(s) 分类(Category) 操作符(Operator(s)) 描述(Description)
Deref 其他 * 不可变解引用
DerefMut 其他 * 可变解引用
Drop 其他 - 类型析构
Index 其他 [] 不可变索引
IndexMut 其他 [] 可变索引
RangeBounds 其他 .. 区间
  1. trait Deref {
  2. type Target: ?Sized;
  3. fn deref(&self) -> &Self::Target;
  4. }
  5. trait DerefMut: Deref {
  6. fn deref_mut(&mut self) -> &mut Self::Target;
  7. }

Deref<Target = T>类型可以使用*操作符解引用为T类型。这在像BoxRc这样的智能指针类型中有很明显的用例。尽管如此,但是我们在 Rust 代码中很少见到这种显式的解引用操作,这是因为 Rust 有一个被称为解引用强制转换(deref coercion)的特性。

当类型被作为函数参数传递、从函数返回或者作为方法调用的一部分时,Rust 会自动对这些类型进行解引用。这也解释了为什么我们可以在一个期望&str&[T]的函数中可以传入&String&Vec<T>,因为String实现了Deref<Target = str>并且Vec<T>实现了Deref<Target = [T]>

DerefDerefMut应该仅被实现于智能指针类型。人们误用和滥用这些 trait 的最常见的方式是,试图把 OOP(面向对象程序设计)风格的数据继承塞进 Rust 中。这样是行不通的。Rust 不是 OOP。让我们进行一些测试,来看看它是在哪里、怎么样以及为什么行不通。让我们从下面的例子开始:

  1. use std::ops::Deref;
  2. struct Human {
  3. health_points: u32,
  4. }
  5. enum Weapon {
  6. Spear,
  7. Axe,
  8. Sword,
  9. }
  10. // a Soldier is just a Human with a Weapon
  11. struct Soldier {
  12. human: Human,
  13. weapon: Weapon,
  14. }
  15. impl Deref for Soldier {
  16. type Target = Human;
  17. fn deref(&self) -> &Human {
  18. &self.human
  19. }
  20. }
  21. enum Mount {
  22. Horse,
  23. Donkey,
  24. Cow,
  25. }
  26. // a Knight is just a Soldier with a Mount
  27. struct Knight {
  28. soldier: Soldier,
  29. mount: Mount,
  30. }
  31. impl Deref for Knight {
  32. type Target = Soldier;
  33. fn deref(&self) -> &Soldier {
  34. &self.soldier
  35. }
  36. }
  37. enum Spell {
  38. MagicMissile,
  39. FireBolt,
  40. ThornWhip,
  41. }
  42. // a Mage is just a Human who can cast Spells
  43. struct Mage {
  44. human: Human,
  45. spells: Vec<Spell>,
  46. }
  47. impl Deref for Mage {
  48. type Target = Human;
  49. fn deref(&self) -> &Human {
  50. &self.human
  51. }
  52. }
  53. enum Staff {
  54. Wooden,
  55. Metallic,
  56. Plastic,
  57. }
  58. // a Wizard is just a Mage with a Staff
  59. struct Wizard {
  60. mage: Mage,
  61. staff: Staff,
  62. }
  63. impl Deref for Wizard {
  64. type Target = Mage;
  65. fn deref(&self) -> &Mage {
  66. &self.mage
  67. }
  68. }
  69. fn borrows_human(human: &Human) {}
  70. fn borrows_soldier(soldier: &Soldier) {}
  71. fn borrows_knight(knight: &Knight) {}
  72. fn borrows_mage(mage: &Mage) {}
  73. fn borrows_wizard(wizard: &Wizard) {}
  74. fn example(human: Human, soldier: Soldier, knight: Knight, mage: Mage, wizard: Wizard) {
  75. // all types can be used as Humans
  76. borrows_human(&human);
  77. borrows_human(&soldier);
  78. borrows_human(&knight);
  79. borrows_human(&mage);
  80. borrows_human(&wizard);
  81. // Knights can be used as Soldiers
  82. borrows_soldier(&soldier);
  83. borrows_soldier(&knight);
  84. // Wizards can be used as Mages
  85. borrows_mage(&mage);
  86. borrows_mage(&wizard);
  87. // Knights & Wizards passed as themselves
  88. borrows_knight(&knight);
  89. borrows_wizard(&wizard);
  90. }

乍看之下,上面的代码似乎还不错!但是,仔细观察之后它就没这么好了。首先,解引用强制转换仅作用于引用,因此,当我们想要传递所有权的时候它是行不通的:

  1. fn takes_human(human: Human) {}
  2. fn example(human: Human, soldier: Soldier, knight: Knight, mage: Mage, wizard: Wizard) {
  3. // all types CANNOT be used as Humans
  4. takes_human(human);
  5. takes_human(soldier); // ❌
  6. takes_human(knight); // ❌
  7. takes_human(mage); // ❌
  8. takes_human(wizard); // ❌
  9. }

此外,解引用强制转换在泛型上下文中是无法工作的。假定我们仅在 humans 上实现某个 trait:

  1. trait Rest {
  2. fn rest(&self);
  3. }
  4. impl Rest for Human {
  5. fn rest(&self) {}
  6. }
  7. fn take_rest<T: Rest>(rester: &T) {
  8. rester.rest()
  9. }
  10. fn example(human: Human, soldier: Soldier, knight: Knight, mage: Mage, wizard: Wizard) {
  11. // all types CANNOT be used as Rest types, only Human
  12. take_rest(&human);
  13. take_rest(&soldier); // ❌
  14. take_rest(&knight); // ❌
  15. take_rest(&mage); // ❌
  16. take_rest(&wizard); // ❌
  17. }

而且,尽管解引用强制转换在很多场景都可以使用,但它不是万能的。它无法作用于操作数,尽管操作符只是方法调用的语法糖。假定,我们想要Mage(魔术师)通过+=操作符学会Spell(拼写)

  1. impl DerefMut for Wizard {
  2. fn deref_mut(&mut self) -> &mut Mage {
  3. &mut self.mage
  4. }
  5. }
  6. impl AddAssign<Spell> for Mage {
  7. fn add_assign(&mut self, spell: Spell) {
  8. self.spells.push(spell);
  9. }
  10. }
  11. fn example(mut mage: Mage, mut wizard: Wizard, spell: Spell) {
  12. mage += spell;
  13. wizard += spell; // ❌ wizard not coerced to mage here
  14. wizard.add_assign(spell); // oof, we have to call it like this 🤦
  15. }

在具有 OOP 风格的数据继承的编程语言中,一个方法中的self的值总是等于调用这个方法的类型,但是在 Rust 中,self的值永远等于实现这个方法的类型:

  1. struct Human {
  2. profession: &'static str,
  3. health_points: u32,
  4. }
  5. impl Human {
  6. // self will always be a Human here, even if we call it on a Soldier
  7. fn state_profession(&self) {
  8. println!("I'm a {}!", self.profession);
  9. }
  10. }
  11. struct Soldier {
  12. profession: &'static str,
  13. human: Human,
  14. weapon: Weapon,
  15. }
  16. fn example(soldier: &Soldier) {
  17. assert_eq!("servant", soldier.human.profession);
  18. assert_eq!("spearman", soldier.profession);
  19. soldier.human.state_profession(); // prints "I'm a servant!"
  20. soldier.state_profession(); // still prints "I'm a servant!" 🤦
  21. }

当在一个新类型上实现DerefDerefMut时,上面的陷阱令人震惊。假定我们想要创建一个SortedVec类型,它就是一个Vec只不过是有序的。下面是我们可能的实现方式:

  1. struct SortedVec<T: Ord>(Vec<T>);
  2. impl<T: Ord> SortedVec<T> {
  3. fn new(mut vec: Vec<T>) -> Self {
  4. vec.sort();
  5. SortedVec(vec)
  6. }
  7. fn push(&mut self, t: T) {
  8. self.0.push(t);
  9. self.0.sort();
  10. }
  11. }

显然,这里我们不能实现DerefMut<Target = Vec<T>>,否则任何使用SortedVec的人都能轻易打破已排好的顺序。但是,实现Deref<Target = Vec<T>>就一定安全么?试试找出下面程序中的 bug:

  1. use std::ops::Deref;
  2. struct SortedVec<T: Ord>(Vec<T>);
  3. impl<T: Ord> SortedVec<T> {
  4. fn new(mut vec: Vec<T>) -> Self {
  5. vec.sort();
  6. SortedVec(vec)
  7. }
  8. fn push(&mut self, t: T) {
  9. self.0.push(t);
  10. self.0.sort();
  11. }
  12. }
  13. impl<T: Ord> Deref for SortedVec<T> {
  14. type Target = Vec<T>;
  15. fn deref(&self) -> &Vec<T> {
  16. &self.0
  17. }
  18. }
  19. fn main() {
  20. let sorted = SortedVec::new(vec![2, 8, 6, 3]);
  21. sorted.push(1);
  22. let sortedClone = sorted.clone();
  23. sortedClone.push(4);
  24. }

我们未曾给SortedVec实现Clone,所以当我们调用.clone()方法时,编译器使用解引用强制转换把它解析为Vec上的方法调用,所以它会返回一个Vec而不是一个SortedVec

  1. fn main() {
  2. let sorted: SortedVec<i32> = SortedVec::new(vec![2, 8, 6, 3]);
  3. sorted.push(1); // still sorted
  4. // calling clone on SortedVec actually returns a Vec 🤦
  5. let sortedClone: Vec<i32> = sorted.clone();
  6. sortedClone.push(4); // sortedClone no longer sorted 💀
  7. }

不管怎样,上面的限制、约束或者陷阱都不是 Rust 的错,因为 Rust 从来都没有被设计成一门 OO(面向对象)的语言或者把支持 OOP(面向对象程序设计)模式放在首位。

本节的要点在于不要试图在DerefDerefMut的实现耍小聪明。它们仅仅适用于智能指针类型,目前只能在标准库中实现,因为智能指针类型目前需要 unstable 的特性和编译器的魔法才能工作。如果我们想要类似于DerefDerefMut的功能和行为,我们可以去了解一下后面会提到的AsRefAsMut

Index & IndexMut

  1. trait Index<Idx: ?Sized> {
  2. type Output: ?Sized;
  3. fn index(&self, index: Idx) -> &Self::Output;
  4. }
  5. trait IndexMut<Idx>: Index<Idx> where Idx: ?Sized {
  6. fn index_mut(&mut self, index: Idx) -> &mut Self::Output;
  7. }

我们可以将[]索引到带有 T 值的Index<T, Output = U>类型,索引操作将返回&U值。为了语法方便,编译器会自动在索引操作返回值的前面插入一个解引用操作符*

  1. fn main() {
  2. // Vec<i32> impls Index<usize, Output = i32> so
  3. // indexing Vec<i32> should produce &i32s and yet...
  4. let vec = vec![1, 2, 3, 4, 5];
  5. let num_ref: &i32 = vec[0]; // ❌ expected &i32 found i32
  6. // above line actually desugars to
  7. let num_ref: &i32 = *vec[0]; // ❌ expected &i32 found i32
  8. // both of these alternatives work
  9. let num: i32 = vec[0]; // ✅
  10. let num_ref = &vec[0]; // ✅
  11. }

为了展示我们自己如何实现Index,下面是一个有趣的示例,这个例子展示了我们如何使用一个新类型和Indextrait 在Vec上实现环绕索引和非负索引:

  1. use std::ops::Index;
  2. struct WrappingIndex<T>(Vec<T>);
  3. impl<T> Index<usize> for WrappingIndex<T> {
  4. type Output = T;
  5. fn index(&self, index: usize) -> &T {
  6. &self.0[index % self.0.len()]
  7. }
  8. }
  9. impl<T> Index<i128> for WrappingIndex<T> {
  10. type Output = T;
  11. fn index(&self, index: i128) -> &T {
  12. let self_len = self.0.len() as i128;
  13. let idx = (((index % self_len) + self_len) % self_len) as usize;
  14. &self.0[idx]
  15. }
  16. }
  17. #[test] // ✅
  18. fn indexes() {
  19. let wrapping_vec = WrappingIndex(vec![1, 2, 3]);
  20. assert_eq!(1, wrapping_vec[0_usize]);
  21. assert_eq!(2, wrapping_vec[1_usize]);
  22. assert_eq!(3, wrapping_vec[2_usize]);
  23. }
  24. #[test] // ✅
  25. fn wrapping_indexes() {
  26. let wrapping_vec = WrappingIndex(vec![1, 2, 3]);
  27. assert_eq!(1, wrapping_vec[3_usize]);
  28. assert_eq!(2, wrapping_vec[4_usize]);
  29. assert_eq!(3, wrapping_vec[5_usize]);
  30. }
  31. #[test] // ✅
  32. fn neg_indexes() {
  33. let wrapping_vec = WrappingIndex(vec![1, 2, 3]);
  34. assert_eq!(1, wrapping_vec[-3_i128]);
  35. assert_eq!(2, wrapping_vec[-2_i128]);
  36. assert_eq!(3, wrapping_vec[-1_i128]);
  37. }
  38. #[test] // ✅
  39. fn wrapping_neg_indexes() {
  40. let wrapping_vec = WrappingIndex(vec![1, 2, 3]);
  41. assert_eq!(1, wrapping_vec[-6_i128]);
  42. assert_eq!(2, wrapping_vec[-5_i128]);
  43. assert_eq!(3, wrapping_vec[-4_i128]);
  44. }

这里没有要求Idx类型是数值类型或者是一个Range,它也可以是一个枚举!下面是一个使用篮球位置在一支球队里检索球员的例子:

  1. use std::ops::Index;
  2. enum BasketballPosition {
  3. PointGuard,
  4. ShootingGuard,
  5. Center,
  6. PowerForward,
  7. SmallForward,
  8. }
  9. struct BasketballPlayer {
  10. name: &'static str,
  11. position: BasketballPosition,
  12. }
  13. struct BasketballTeam {
  14. point_guard: BasketballPlayer,
  15. shooting_guard: BasketballPlayer,
  16. center: BasketballPlayer,
  17. power_forward: BasketballPlayer,
  18. small_forward: BasketballPlayer,
  19. }
  20. impl Index<BasketballPosition> for BasketballTeam {
  21. type Output = BasketballPlayer;
  22. fn index(&self, position: BasketballPosition) -> &BasketballPlayer {
  23. match position {
  24. BasketballPosition::PointGuard => &self.point_guard,
  25. BasketballPosition::ShootingGuard => &self.shooting_guard,
  26. BasketballPosition::Center => &self.center,
  27. BasketballPosition::PowerForward => &self.power_forward,
  28. BasketballPosition::SmallForward => &self.small_forward,
  29. }
  30. }
  31. }

Drop

  1. trait Drop {
  2. fn drop(&mut self);
  3. }

如果一个类型实现了Drop,那么drop将会在该类型离开作用域但是销毁之前被调用。我们很少需要去为我们的类型实现它,但是如果一个类型中持有某些外部资源,这些资源需要在类型销毁时被清理,这种情况下就会用到了。

标准库中有一个BufWriter类型让我们能够把写入的数据缓冲到Write类型中。但是,如果BufWriter在它里面的内容被刷入到底层的Write类型之前就被销毁了,该怎么办呢?幸运的是那是不可能的!BufWriter实现了Droptrait,因此,无论什么它什么时候离开作用域,flush总会被调用!

  1. impl<W: Write> Drop for BufWriter<W> {
  2. fn drop(&mut self) {
  3. self.flush_buf();
  4. }
  5. }

此外,Rust 中的Mutexs没有unlock()方法,因为它们不需要!在Mutex上调用lock()会返回一个MutexGuard,当MutexGuard离开作用域时,它会自动解锁(unlock)Mutex,这要归功于它的Drop实现:

  1. impl<T: ?Sized> Drop for MutexGuard<'_, T> {
  2. fn drop(&mut self) {
  3. unsafe {
  4. self.lock.inner.raw_unlock();
  5. }
  6. }
  7. }

一般而言,如果你正在实现对某类资源的抽象,这类资源需要在使用后被清理,那就是时候充分利用Drop trait 了。

转换 Traits(Conversion Traits)

From & Into

  1. trait From<T> {
  2. fn from(T) -> Self;
  3. }

From<T>类型允许我们把T转换为Self

  1. trait Into<T> {
  2. fn into(self) -> T;
  3. }

Into<T>类型允许我们把Self转换为T
它们就像是一个硬币的两面。我们只能为自己的类型实现From<T>,因为Into<T>的实现会通过 generic blanket impl 自动提供:

  1. impl<T, U> Into<U> for T
  2. where
  3. U: From<T>,
  4. {
  5. fn into(self) -> U {
  6. U::from(self)
  7. }
  8. }

这两个 trait 之所以存在,是因为它能够让我们以稍微不同的方式来进行 trait 约束(bound):

  1. fn function<T>(t: T)
  2. where
  3. // these bounds are equivalent
  4. T: From<i32>,
  5. i32: Into<T>
  6. {
  7. // these examples are equivalent
  8. let example: T = T::from(0);
  9. let example: T = 0.into();
  10. }

没有规则强制要求什么时候使用前者或后者,所以在每种情景下采用最合理的方式就可以了。现在让我们来看一个例子:

  1. struct Point {
  2. x: i32,
  3. y: i32,
  4. }
  5. impl From<(i32, i32)> for Point {
  6. fn from((x, y): (i32, i32)) -> Self {
  7. Point { x, y }
  8. }
  9. }
  10. impl From<[i32; 2]> for Point {
  11. fn from([x, y]: [i32; 2]) -> Self {
  12. Point { x, y }
  13. }
  14. }
  15. fn example() {
  16. // 使用 From
  17. let origin = Point::from((0, 0));
  18. let origin = Point::from([0, 0]);
  19. // 使用 Into
  20. let origin: Point = (0, 0).into();
  21. let origin: Point = [0, 0].into();
  22. }

这个实现不是对称的,因此,如果我们想要把Point转为 tuple 和 array,我们必须显式地添加下面的内容:

  1. struct Point {
  2. x: i32,
  3. y: i32,
  4. }
  5. impl From<(i32, i32)> for Point {
  6. fn from((x, y): (i32, i32)) -> Self {
  7. Point { x, y }
  8. }
  9. }
  10. impl From<Point> for (i32, i32) {
  11. fn from(Point { x, y }: Point) -> Self {
  12. (x, y)
  13. }
  14. }
  15. impl From<[i32; 2]> for Point {
  16. fn from([x, y]: [i32; 2]) -> Self {
  17. Point { x, y }
  18. }
  19. }
  20. impl From<Point> for [i32; 2] {
  21. fn from(Point { x, y }: Point) -> Self {
  22. [x, y]
  23. }
  24. }
  25. fn example() {
  26. // 从 (i32, i32) 到 Point
  27. let point = Point::from((0, 0));
  28. let point: Point = (0, 0).into();
  29. // 从 Point 到 (i32, i32)
  30. let tuple = <(i32, i32)>::from(point);
  31. let tuple: (i32, i32) = point.into();
  32. // 从 [i32; 2] 到 Point
  33. let point = Point::from([0, 0]);
  34. let point: Point = [0, 0].into();
  35. // 从 Point 到 [i32; 2]
  36. let array = <[i32; 2]>::from(point);
  37. let array: [i32; 2] = point.into();
  38. }

From<T>的一个常见用法是精简模板代码。假定我们想要在程序中添加一个Triangle类型,它里面包含三个Point,下面是我们可以构造它的方式:

  1. struct Point {
  2. x: i32,
  3. y: i32,
  4. }
  5. impl Point {
  6. fn new(x: i32, y: i32) -> Point {
  7. Point { x, y }
  8. }
  9. }
  10. impl From<(i32, i32)> for Point {
  11. fn from((x, y): (i32, i32)) -> Point {
  12. Point { x, y }
  13. }
  14. }
  15. struct Triangle {
  16. p1: Point,
  17. p2: Point,
  18. p3: Point,
  19. }
  20. impl Triangle {
  21. fn new(p1: Point, p2: Point, p3: Point) -> Triangle {
  22. Triangle { p1, p2, p3 }
  23. }
  24. }
  25. impl<P> From<[P; 3]> for Triangle
  26. where
  27. P: Into<Point>
  28. {
  29. fn from([p1, p2, p3]: [P; 3]) -> Triangle {
  30. Triangle {
  31. p1: p1.into(),
  32. p2: p2.into(),
  33. p3: p3.into(),
  34. }
  35. }
  36. }
  37. fn example() {
  38. // 手动构造
  39. let triangle = Triangle {
  40. p1: Point {
  41. x: 0,
  42. y: 0,
  43. },
  44. p2: Point {
  45. x: 1,
  46. y: 1,
  47. },
  48. p3: Point {
  49. x: 2,
  50. y: 2,
  51. },
  52. };
  53. // 使用 Point::new
  54. let triangle = Triangle {
  55. p1: Point::new(0, 0),
  56. p2: Point::new(1, 1),
  57. p3: Point::new(2, 2),
  58. };
  59. // 使用 From<(i32, i32)> for Point
  60. let triangle = Triangle {
  61. p1: (0, 0).into(),
  62. p2: (1, 1).into(),
  63. p3: (2, 2).into(),
  64. };
  65. // 使用 Triangle::new + From<(i32, i32)> for Point
  66. let triangle = Triangle::new(
  67. (0, 0).into(),
  68. (1, 1).into(),
  69. (2, 2).into(),
  70. );
  71. // 使用 From<[Into<Point>; 3]> for Triangle
  72. let triangle: Triangle = [
  73. (0, 0),
  74. (1, 1),
  75. (2, 2),
  76. ].into();
  77. }

关于你应该什么时候,以什么方式、什么理由来为我们的类型实现From<T>,并没有强制规定,这取决于你对具体情况的判断。

Into<T>一个常见的用途是,使得需要拥有值的函数具有通用性,而不必关心它们是拥有值还是借用值。

  1. struct Person {
  2. name: String,
  3. }
  4. impl Person {
  5. // 接受:
  6. // - String
  7. fn new1(name: String) -> Person {
  8. Person { name }
  9. }
  10. // 接受:
  11. // - String
  12. // - &String
  13. // - &str
  14. // - Box<str>
  15. // - Cow<'_, str>
  16. // - char
  17. // 因为上面所有的类型都可以转换为 String
  18. fn new2<N: Into<String>>(name: N) -> Person {
  19. Person { name: name.into() }
  20. }
  21. }

错误处理(Error Handling)

讨论错误处理和Error trait 的最好时机应该是紧跟在DisplayDebugAnyFrom之后,但是在TryFrom之前,这也是为什么把错误处理部分尴尬地嵌入在转换 trait 之间。

Error

  1. trait Error: Debug + Display {
  2. // 提供默认实现
  3. fn source(&self) -> Option<&(dyn Error + 'static)>;
  4. fn backtrace(&self) -> Option<&Backtrace>;
  5. fn description(&self) -> &str;
  6. fn cause(&self) -> Option<&dyn Error>;
  7. }

在 Rust 中,错误(error)是被返回(return)的,而不是被抛出(throw)的,让我们看个例子。

因为整数除以 0 会 panic,如果我们想要让我们的程序更为安全,我们可以实现一个safe_div函数,它会返回一个Result,就像下面这样:

  1. use std::fmt;
  2. use std::error;
  3. #[derive(Debug, PartialEq)]
  4. struct DivByZero;
  5. impl fmt::Display for DivByZero {
  6. fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
  7. write!(f, "division by zero error")
  8. }
  9. }
  10. impl error::Error for DivByZero {}
  11. fn safe_div(numerator: i32, denominator: i32) -> Result<i32, DivByZero> {
  12. if denominator == 0 {
  13. return Err(DivByZero);
  14. }
  15. Ok(numerator / denominator)
  16. }
  17. #[test] // ✅
  18. fn test_safe_div() {
  19. assert_eq!(safe_div(8, 2), Ok(4));
  20. assert_eq!(safe_div(5, 0), Err(DivByZero));
  21. }

因为错误是被返回而不是被抛出,所以这些错误必须被显式地处理,如果当前函数无法处理错误,该函数应该把错误传递给自己的调用者。传递错误的最常用方式是使用?操作符,它是现在已经弃用的try!宏的语法糖:

  1. macro_rules! try {
  2. ($expr:expr) => {
  3. match $expr {
  4. // if Ok just unwrap the value
  5. Ok(val) => val,
  6. // if Err map the err value using From and return
  7. Err(err) => {
  8. return Err(From::from(err));
  9. }
  10. }
  11. };
  12. }

如果我们想要写一个函数,该函数读取文件内容到String里,我们可以像这样写:

  1. use std::io::Read;
  2. use std::path::Path;
  3. use std::io;
  4. use std::fs::File;
  5. fn read_file_to_string(path: &Path) -> Result<String, io::Error> {
  6. let mut file = File::open(path)?; // ⬆️ io::Error
  7. let mut contents = String::new();
  8. file.read_to_string(&mut contents)?; // ⬆️ io::Error
  9. Ok(contents)
  10. }

假定我们当前正在读取的文件内容是一串数字,并且我们想要把这些数字求和,我们可能会把函数更新成这样:

  1. use std::io::Read;
  2. use std::path::Path;
  3. use std::io;
  4. use std::fs::File;
  5. fn sum_file(path: &Path) -> Result<i32, /*这里放置什么? */> {
  6. let mut file = File::open(path)?; // ⬆️ io::Error
  7. let mut contents = String::new();
  8. file.read_to_string(&mut contents)?; // ⬆️ io::Error
  9. let mut sum = 0;
  10. for line in contents.lines() {
  11. sum += line.parse::<i32>()?; // ⬆️ ParseIntError
  12. }
  13. Ok(sum)
  14. }

但是,现在我们的Result里的错误类型应该是什么?它要么返回一个io::Error,要么返回一个ParseIntError。我们尝试寻找第三种方式来解决这个问题,以最快最乱的方式开始,以最健壮的方式结束。

第一种方式就是,识别出所有实现了ErrorDisplay的类型,这样我们把所有的错误映射(map)到String类型并把String作为我们的错误类型:

  1. use std::fs::File;
  2. use std::io;
  3. use std::io::Read;
  4. use std::path::Path;
  5. fn sum_file(path: &Path) -> Result<i32, String> {
  6. let mut file = File::open(path)
  7. .map_err(|e| e.to_string())?; // ⬆️ io::Error -> String
  8. let mut contents = String::new();
  9. file.read_to_string(&mut contents)
  10. .map_err(|e| e.to_string())?; // ⬆️ io::Error -> String
  11. let mut sum = 0;
  12. for line in contents.lines() {
  13. sum += line.parse::<i32>()
  14. .map_err(|e| e.to_string())?; // ⬆️ ParseIntError -> String
  15. }
  16. Ok(sum)
  17. }

但是,这种方式的缺点在于,我们会丢弃所有的错误类型信息,从而导致调用者在处理错误时十分困难。

另外一个不太明显的优点则是,我们可以定制字符串来提供更多的特定上下文信息。例如,ParseIntError通常会变成字符串“invalid digit found in string”,这个信息就非常模糊并且没有提及无效的字符串是什么或者它正在尝试解析到哪一类整数类型。如果我们正在调试这个问题,这个错误信息几乎没什么用。尽管如此,我们还可以自己动手提供所有的上下文信息来改善这个问题:

  1. sum += line.parse::<i32>()
  2. .map_err(|_| format!("failed to parse {} into i32", line))?;

第二种方式则是充分利用标准库中的 generic blanket impl:

  1. impl<E: error::Error> From<E> for Box<dyn error::Error>;

这意味着,任意的Error类型都可以通过?被隐式地转换为Box<dyn error::Error>,因此我们可以把任何可能产生错误的函数返回的Result中的错误类型设置为Box<dyn error::Error>,这样?操作符就可以帮我们完成剩下的工作:

  1. use std::fs::File;
  2. use std::io::Read;
  3. use std::path::Path;
  4. use std::error;
  5. fn sum_file(path: &Path) -> Result<i32, Box<dyn error::Error>> {
  6. let mut file = File::open(path)?; // ⬆️ io::Error -> Box<dyn error::Error>
  7. let mut contents = String::new();
  8. file.read_to_string(&mut contents)?; // ⬆️ io::Error -> Box<dyn error::Error>
  9. let mut sum = 0;
  10. for line in contents.lines() {
  11. sum += line.parse::<i32>()?; // ⬆️ ParseIntError -> Box<dyn error::Error>
  12. }
  13. Ok(sum)
  14. }

虽然更为简洁,但是它似乎也存在着前面一种方式的缺点,即丢掉了类型信息。大多数情况下的确如此,但是如果调用者知道函数的实现细节,它们仍然可以通过使用error::Error上的downcast_ref()方法来处理不同的错误类型,这与它在dyn Any类型上的作用相同。

  1. fn handle_sum_file_errors(path: &Path) {
  2. match sum_file(path) {
  3. Ok(sum) => println!("the sum is {}", sum),
  4. Err(err) => {
  5. if let Some(e) = err.downcast_ref::<io::Error>() {
  6. // 处理 io::Error
  7. } else if let Some(e) = err.downcast_ref::<ParseIntError>() {
  8. // 处理 ParseIntError
  9. } else {
  10. // 我们知道 sum_file 只会返回上面错误中的其中一个
  11. // 所以不会到达这个分支
  12. unreachable!();
  13. }
  14. }
  15. }
  16. }

第三种方法是最稳健和类型安全的方法,它可以汇总这些不同的错误,使用一个枚举类型构建我们自己的自定义错误类型:

  1. use std::num::ParseIntError;
  2. use std::fs::File;
  3. use std::io;
  4. use std::io::Read;
  5. use std::path::Path;
  6. use std::error;
  7. use std::fmt;
  8. #[derive(Debug)]
  9. enum SumFileError {
  10. Io(io::Error),
  11. Parse(ParseIntError),
  12. }
  13. impl From<io::Error> for SumFileError {
  14. fn from(err: io::Error) -> Self {
  15. SumFileError::Io(err)
  16. }
  17. }
  18. impl From<ParseIntError> for SumFileError {
  19. fn from(err: ParseIntError) -> Self {
  20. SumFileError::Parse(err)
  21. }
  22. }
  23. impl fmt::Display for SumFileError {
  24. fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
  25. match self {
  26. SumFileError::Io(err) => write!(f, "sum file error: {}", err),
  27. SumFileError::Parse(err) => write!(f, "sum file error: {}", err),
  28. }
  29. }
  30. }
  31. impl error::Error for SumFileError {
  32. // 这个方法的默认实现总是返回 None
  33. //但是我们现在重写它,让它更有用
  34. fn source(&self) -> Option<&(dyn error::Error + 'static)> {
  35. Some(match self {
  36. SumFileError::Io(err) => err,
  37. SumFileError::Parse(err) => err,
  38. })
  39. }
  40. }
  41. fn sum_file(path: &Path) -> Result<i32, SumFileError> {
  42. let mut file = File::open(path)?; // ⬆️ io::Error -> SumFileError
  43. let mut contents = String::new();
  44. file.read_to_string(&mut contents)?; // ⬆️ io::Error -> SumFileError
  45. let mut sum = 0;
  46. for line in contents.lines() {
  47. sum += line.parse::<i32>()?; // ⬆️ ParseIntError -> SumFileError
  48. }
  49. Ok(sum)
  50. }
  51. fn handle_sum_file_errors(path: &Path) {
  52. match sum_file(path) {
  53. Ok(sum) => println!("the sum is {}", sum),
  54. Err(SumFileError::Io(err)) => {
  55. // 处理 io::Error
  56. },
  57. Err(SumFileError::Parse(err)) => {
  58. // 处理 ParseIntError
  59. },
  60. }
  61. }

继续转换类型(Conversion Traits Continued)

TryFrom & TryInto

TryFromTryIntoFromInto的可能会失败的版本。

  1. trait TryFrom<T> {
  2. type Error;
  3. fn try_from(value: T) -> Result<Self, Self::Error>;
  4. }
  5. trait TryInto<T> {
  6. type Error;
  7. fn try_into(self) -> Result<T, Self::Error>;
  8. }

类似于Into,我们无法实现TryInto,因为它的实现是由 generic blanket impl提供:

  1. impl<T, U> TryInto<U> for T
  2. where
  3. U: TryFrom<T>,
  4. {
  5. type Error = U::Error;
  6. fn try_into(self) -> Result<U, U::Error> {
  7. U::try_from(self)
  8. }
  9. }

假定在我们的程序上下文环境中,Point中的xy如果值小于-1000或者大于1000没有意义。下面是我们使用TryFrom重写之前的From实现来告诉用户,现在这种转换可以失败。

  1. use std::convert::TryFrom;
  2. use std::error;
  3. use std::fmt;
  4. struct Point {
  5. x: i32,
  6. y: i32,
  7. }
  8. #[derive(Debug)]
  9. struct OutOfBounds;
  10. impl fmt::Display for OutOfBounds {
  11. fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
  12. write!(f, "out of bounds")
  13. }
  14. }
  15. impl error::Error for OutOfBounds {}
  16. // 现在是可以出错的
  17. impl TryFrom<(i32, i32)> for Point {
  18. type Error = OutOfBounds;
  19. fn try_from((x, y): (i32, i32)) -> Result<Point, OutOfBounds> {
  20. if x.abs() > 1000 || y.abs() > 1000 {
  21. return Err(OutOfBounds);
  22. }
  23. Ok(Point { x, y })
  24. }
  25. }
  26. // 仍然是不会出错的
  27. impl From<Point> for (i32, i32) {
  28. fn from(Point { x, y }: Point) -> Self {
  29. (x, y)
  30. }
  31. }

下面是对TriangleTryFrom<[TryInto<Point>; 3]>实现:

  1. use std::convert::{TryFrom, TryInto};
  2. use std::error;
  3. use std::fmt;
  4. struct Point {
  5. x: i32,
  6. y: i32,
  7. }
  8. #[derive(Debug)]
  9. struct OutOfBounds;
  10. impl fmt::Display for OutOfBounds {
  11. fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
  12. write!(f, "out of bounds")
  13. }
  14. }
  15. impl error::Error for OutOfBounds {}
  16. impl TryFrom<(i32, i32)> for Point {
  17. type Error = OutOfBounds;
  18. fn try_from((x, y): (i32, i32)) -> Result<Self, Self::Error> {
  19. if x.abs() > 1000 || y.abs() > 1000 {
  20. return Err(OutOfBounds);
  21. }
  22. Ok(Point { x, y })
  23. }
  24. }
  25. struct Triangle {
  26. p1: Point,
  27. p2: Point,
  28. p3: Point,
  29. }
  30. impl<P> TryFrom<[P; 3]> for Triangle
  31. where
  32. P: TryInto<Point>,
  33. {
  34. type Error = P::Error;
  35. fn try_from([p1, p2, p3]: [P; 3]) -> Result<Self, Self::Error> {
  36. Ok(Triangle {
  37. p1: p1.try_into()?,
  38. p2: p2.try_into()?,
  39. p3: p3.try_into()?,
  40. })
  41. }
  42. }
  43. fn example() -> Result<Triangle, OutOfBounds> {
  44. let t: Triangle = [(0, 0), (1, 1), (2, 2)].try_into()?;
  45. Ok(t)
  46. }

FromStr

  1. trait FromStr {
  2. type Err;
  3. fn from_str(s: &str) -> Result<Self, Self::Err>;
  4. }

FromStr 类型允许执行一个从&strSelf的可失败的转换。最常见的使用是在&str上调用.parse()方法:

  1. use std::str::FromStr;
  2. fn example<T: FromStr>(s: &'static str) {
  3. // 这些都是相等的
  4. let t: Result<T, _> = FromStr::from_str(s);
  5. let t = T::from_str(s);
  6. let t: Result<T, _> = s.parse();
  7. let t = s.parse::<T>(); // 最常见的
  8. }

例如,在Point上的实现:

  1. use std::error;
  2. use std::fmt;
  3. use std::iter::Enumerate;
  4. use std::num::ParseIntError;
  5. use std::str::{Chars, FromStr};
  6. #[derive(Debug, Eq, PartialEq)]
  7. struct Point {
  8. x: i32,
  9. y: i32,
  10. }
  11. impl Point {
  12. fn new(x: i32, y: i32) -> Self {
  13. Point { x, y }
  14. }
  15. }
  16. #[derive(Debug, PartialEq)]
  17. struct ParsePointError;
  18. impl fmt::Display for ParsePointError {
  19. fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
  20. write!(f, "failed to parse point")
  21. }
  22. }
  23. impl From<ParseIntError> for ParsePointError {
  24. fn from(_e: ParseIntError) -> Self {
  25. ParsePointError
  26. }
  27. }
  28. impl error::Error for ParsePointError {}
  29. impl FromStr for Point {
  30. type Err = ParsePointError;
  31. fn from_str(s: &str) -> Result<Self, Self::Err> {
  32. let is_num = |(_, c): &(usize, char)| matches!(c, '0'..='9' | '-');
  33. let isnt_num = |t: &(_, _)| !is_num(t);
  34. let get_num =
  35. |char_idxs: &mut Enumerate<Chars<'_>>| -> Result<(usize, usize), ParsePointError> {
  36. let (start, _) = char_idxs
  37. .skip_while(isnt_num)
  38. .next()
  39. .ok_or(ParsePointError)?;
  40. let (end, _) = char_idxs
  41. .skip_while(is_num)
  42. .next()
  43. .ok_or(ParsePointError)?;
  44. Ok((start, end))
  45. };
  46. let mut char_idxs = s.chars().enumerate();
  47. let (x_start, x_end) = get_num(&mut char_idxs)?;
  48. let (y_start, y_end) = get_num(&mut char_idxs)?;
  49. let x = s[x_start..x_end].parse::<i32>()?;
  50. let y = s[y_start..y_end].parse::<i32>()?;
  51. Ok(Point { x, y })
  52. }
  53. }
  54. #[test] // ✅
  55. fn pos_x_y() {
  56. let p = "(4, 5)".parse::<Point>();
  57. assert_eq!(p, Ok(Point::new(4, 5)));
  58. }
  59. #[test] // ✅
  60. fn neg_x_y() {
  61. let p = "(-6, -2)".parse::<Point>();
  62. assert_eq!(p, Ok(Point::new(-6, -2)));
  63. }
  64. #[test] // ✅
  65. fn not_a_point() {
  66. let p = "not a point".parse::<Point>();
  67. assert_eq!(p, Err(ParsePointError));
  68. }

FromStrTryFrom<&str>有着相同的签名。只要我们通过其中一个实现另一个,先实现哪个并不重要。下面是对Point实现TryFrom<&str>,假定它已经实现了FromStr:

  1. impl TryFrom<&str> for Point {
  2. type Error = <Point as FromStr>::Err;
  3. fn try_from(s: &str) -> Result<Point, Self::Error> {
  4. <Point as FromStr>::from_str(s)
  5. }
  6. }

AsRef & AsMut

  1. trait AsRef<T: ?Sized> {
  2. fn as_ref(&self) -> &T;
  3. }
  4. trait AsMut<T: ?Sized> {
  5. fn as_mut(&mut self) -> &mut T;
  6. }

AsRef被用于轻量级的引用到引用之间的转换。然而,它最常见的一个用途是使函数在是否获取所有权上具有通用性:

  1. // 接受:
  2. // - &str
  3. // - &String
  4. fn takes_str(s: &str) {
  5. // use &str
  6. }
  7. // 接受:
  8. // - &str
  9. // - &String
  10. // - String
  11. fn takes_asref_str<S: AsRef<str>>(s: S) {
  12. let s: &str = s.as_ref();
  13. // 使用 &str
  14. }
  15. fn example(slice: &str, borrow: &String, owned: String) {
  16. takes_str(slice);
  17. takes_str(borrow);
  18. takes_str(owned); // ❌
  19. takes_asref_str(slice);
  20. takes_asref_str(borrow);
  21. takes_asref_str(owned); // ✅
  22. }

另一个常见用途是返回一个内部私有数据的引用,该数据由一个保护不变性的类型所包裹。标准库中一个比较好的示例是String,它包裹了Vec<u8>

  1. struct String {
  2. vec: Vec<u8>,
  3. }

内部的Vec<u8>不能被公开,因为如果这样的话,人们就会修改里面的字节并破坏String中有效的 UTF-8 编码。但是,暴露内部字节数组的一个不可变的只读引用是安全的,即下面的实现:

  1. impl AsRef<[u8]> for String;

一般而言,只有当一个类型包裹了其他类型用来为该内部类型提供了额外功能或者保护内部类型的不变性时,为这样的类型实现AsRef才有意义。
让我们来看一个AsRef的不合适使用:

  1. struct User {
  2. name: String,
  3. age: u32,
  4. }
  5. impl AsRef<String> for User {
  6. fn as_ref(&self) -> &String {
  7. &self.name
  8. }
  9. }
  10. impl AsRef<u32> for User {
  11. fn as_ref(&self) -> &u32 {
  12. &self.age
  13. }
  14. }

一开始是可行的,而且看上去还有点道理,但是当我们为User添加更多成员时,问题就出现了:

  1. struct User {
  2. name: String,
  3. email: String,
  4. age: u32,
  5. height: u32,
  6. }
  7. impl AsRef<String> for User {
  8. fn as_ref(&self) -> &String {、
  9. //我们返回 name 还是 email?
  10. }
  11. }
  12. impl AsRef<u32> for User {
  13. fn as_ref(&self) -> &u32 {
  14. //我们返回 age 还是 height?
  15. }
  16. }

User是由Stringu32组成,但是它并不等同于一个String和一个u32,甚至我们还会有更多的类型:

  1. struct User {
  2. name: Name,
  3. email: Email,
  4. age: Age,
  5. height: Height,
  6. }

对于这样的类型实现AsRef没有什么意义,因为AsRef用于语义相等的事物之间引用到引用的转换,而且NameEmailAge以及Height并不等同于一个User

下面是一个好的示例,其中,我们会引入一个新类型Moderator,它只包裹了一个User并添加了特定的审核权限:

  1. struct User {
  2. name: String,
  3. age: u32,
  4. }
  5. //不幸地是,标准库并没有提供一个generic blanket impl来避免这种重复的实现
  6. impl AsRef<User> for User {
  7. fn as_ref(&self) -> &User {
  8. self
  9. }
  10. }
  11. enum Privilege {
  12. BanUsers,
  13. EditPosts,
  14. DeletePosts,
  15. }
  16. //尽管 Moderators 有一些特殊权限,它们仍然是普通的 User
  17. //并且应该做相同的事情
  18. struct Moderator {
  19. user: User,
  20. privileges: Vec<Privilege>
  21. }
  22. impl AsRef<Moderator> for Moderator {
  23. fn as_ref(&self) -> &Moderator {
  24. self
  25. }
  26. }
  27. impl AsRef<User> for Moderator {
  28. fn as_ref(&self) -> &User {
  29. &self.user
  30. }
  31. }
  32. //使用 User 和 Moderators (也是一种User)应该都是可以调用的
  33. fn create_post<U: AsRef<User>>(u: U) {
  34. let user = u.as_ref();
  35. // etc
  36. }
  37. fn example(user: User, moderator: Moderator) {
  38. create_post(&user);
  39. create_post(&moderator); // ✅
  40. }

这是有效的,因为Moderator就是User。下面是Deref章节中的例子,我们用了AsRef来实现:

  1. use std::convert::AsRef;
  2. struct Human {
  3. health_points: u32,
  4. }
  5. impl AsRef<Human> for Human {
  6. fn as_ref(&self) -> &Human {
  7. self
  8. }
  9. }
  10. enum Weapon {
  11. Spear,
  12. Axe,
  13. Sword,
  14. }
  15. // a Soldier is just a Human with a Weapon
  16. struct Soldier {
  17. human: Human,
  18. weapon: Weapon,
  19. }
  20. impl AsRef<Soldier> for Soldier {
  21. fn as_ref(&self) -> &Soldier {
  22. self
  23. }
  24. }
  25. impl AsRef<Human> for Soldier {
  26. fn as_ref(&self) -> &Human {
  27. &self.human
  28. }
  29. }
  30. enum Mount {
  31. Horse,
  32. Donkey,
  33. Cow,
  34. }
  35. // a Knight is just a Soldier with a Mount
  36. struct Knight {
  37. soldier: Soldier,
  38. mount: Mount,
  39. }
  40. impl AsRef<Knight> for Knight {
  41. fn as_ref(&self) -> &Knight {
  42. self
  43. }
  44. }
  45. impl AsRef<Soldier> for Knight {
  46. fn as_ref(&self) -> &Soldier {
  47. &self.soldier
  48. }
  49. }
  50. impl AsRef<Human> for Knight {
  51. fn as_ref(&self) -> &Human {
  52. &self.soldier.human
  53. }
  54. }
  55. enum Spell {
  56. MagicMissile,
  57. FireBolt,
  58. ThornWhip,
  59. }
  60. // a Mage is just a Human who can cast Spells
  61. struct Mage {
  62. human: Human,
  63. spells: Vec<Spell>,
  64. }
  65. impl AsRef<Mage> for Mage {
  66. fn as_ref(&self) -> &Mage {
  67. self
  68. }
  69. }
  70. impl AsRef<Human> for Mage {
  71. fn as_ref(&self) -> &Human {
  72. &self.human
  73. }
  74. }
  75. enum Staff {
  76. Wooden,
  77. Metallic,
  78. Plastic,
  79. }
  80. // a Wizard is just a Mage with a Staff
  81. struct Wizard {
  82. mage: Mage,
  83. staff: Staff,
  84. }
  85. impl AsRef<Wizard> for Wizard {
  86. fn as_ref(&self) -> &Wizard {
  87. self
  88. }
  89. }
  90. impl AsRef<Mage> for Wizard {
  91. fn as_ref(&self) -> &Mage {
  92. &self.mage
  93. }
  94. }
  95. impl AsRef<Human> for Wizard {
  96. fn as_ref(&self) -> &Human {
  97. &self.mage.human
  98. }
  99. }
  100. fn borrows_human<H: AsRef<Human>>(human: H) {}
  101. fn borrows_soldier<S: AsRef<Soldier>>(soldier: S) {}
  102. fn borrows_knight<K: AsRef<Knight>>(knight: K) {}
  103. fn borrows_mage<M: AsRef<Mage>>(mage: M) {}
  104. fn borrows_wizard<W: AsRef<Wizard>>(wizard: W) {}
  105. fn example(human: Human, soldier: Soldier, knight: Knight, mage: Mage, wizard: Wizard) {
  106. // all types can be used as Humans
  107. borrows_human(&human);
  108. borrows_human(&soldier);
  109. borrows_human(&knight);
  110. borrows_human(&mage);
  111. borrows_human(&wizard);
  112. // Knights can be used as Soldiers
  113. borrows_soldier(&soldier);
  114. borrows_soldier(&knight);
  115. // Wizards can be used as Mages
  116. borrows_mage(&mage);
  117. borrows_mage(&wizard);
  118. // Knights & Wizards passed as themselves
  119. borrows_knight(&knight);
  120. borrows_wizard(&wizard);
  121. }

Deref在之前的例子中没有起作用,是因为解引用强制转换是类型间的隐式转换,这就为人们制定错误的想法并对其行为方式的期望留下了空间。AsRef能够工作是因为它让类型之间的转换变为显式的,并且没有给开发者错误的想法和期望留有余地。

Borrow & BorrowMut

  1. trait Borrow<Borrowed>
  2. where
  3. Borrowed: ?Sized,
  4. {
  5. fn borrow(&self) -> &Borrowed;
  6. }
  7. trait BorrowMut<Borrowed>: Borrow<Borrowed>
  8. where
  9. Borrowed: ?Sized,
  10. {
  11. fn borrow_mut(&mut self) -> &mut Borrowed;
  12. }

这些 trait 被发明用于解决非常具体的问题,即使用&str类型的值在HashSetHashMapBTreeSetBTreeMap中查找String类型的 key。

我们可以把Borrow<T>BorrowMut<T>看作更严格的AsRef<T>AsMut<T>,它们返回的引用&TSelf有等价性的EqHashOrd实现。通过下面的例子会更易于理解:

  1. use std::borrow::Borrow;
  2. use std::hash::Hasher;
  3. use std::collections::hash_map::DefaultHasher;
  4. use std::hash::Hash;
  5. fn get_hash<T: Hash>(t: T) -> u64 {
  6. let mut hasher = DefaultHasher::new();
  7. t.hash(&mut hasher);
  8. hasher.finish()
  9. }
  10. fn asref_example<Owned, Ref>(owned1: Owned, owned2: Owned)
  11. where
  12. Owned: Eq + Ord + Hash + AsRef<Ref>,
  13. Ref: Eq + Ord + Hash
  14. {
  15. let ref1: &Ref = owned1.as_ref();
  16. let ref2: &Ref = owned2.as_ref();
  17. // refs aren't required to be equal if owned types are equal
  18. assert_eq!(owned1 == owned2, ref1 == ref2); // ❌
  19. let owned1_hash = get_hash(&owned1);
  20. let owned2_hash = get_hash(&owned2);
  21. let ref1_hash = get_hash(&ref1);
  22. let ref2_hash = get_hash(&ref2);
  23. // ref hashes aren't required to be equal if owned type hashes are equal
  24. assert_eq!(owned1_hash == owned2_hash, ref1_hash == ref2_hash); // ❌
  25. // ref comparisons aren't required to match owned type comparisons
  26. assert_eq!(owned1.cmp(&owned2), ref1.cmp(&ref2)); // ❌
  27. }
  28. fn borrow_example<Owned, Borrowed>(owned1: Owned, owned2: Owned)
  29. where
  30. Owned: Eq + Ord + Hash + Borrow<Borrowed>,
  31. Borrowed: Eq + Ord + Hash
  32. {
  33. let borrow1: &Borrowed = owned1.borrow();
  34. let borrow2: &Borrowed = owned2.borrow();
  35. // borrows are required to be equal if owned types are equal
  36. assert_eq!(owned1 == owned2, borrow1 == borrow2); // ✅
  37. let owned1_hash = get_hash(&owned1);
  38. let owned2_hash = get_hash(&owned2);
  39. let borrow1_hash = get_hash(&borrow1);
  40. let borrow2_hash = get_hash(&borrow2);
  41. // borrow hashes are required to be equal if owned type hashes are equal
  42. assert_eq!(owned1_hash == owned2_hash, borrow1_hash == borrow2_hash); // ✅
  43. // borrow comparisons are required to match owned type comparisons
  44. assert_eq!(owned1.cmp(&owned2), borrow1.cmp(&borrow2)); // ✅
  45. }

意识到这些 trait 以及它们为什么存在是有益的,因为它有助于搞清楚HashSetHashMapBTreeSet以及BTreeMap的某些方法,但是我们很少需要为我们的类型实现这些 trait,因为我们很少需要创建一对儿类型,其中一个是另一个的借用版本。如果我们有某个类型T&T在 99.99%的情况下可以完成工作,并且因为 generic blanket impl,T:Borrorw<T>已经为所有的类型T实现了,所以我们不需要手动地实现它并且我们不需要创建一个U以用来T:Borrow<U>

ToOwned

  1. trait ToOwned {
  2. type Owned: Borrow<Self>;
  3. fn to_owned(&self) -> Self::Owned;
  4. // 提供默认实现
  5. fn clone_into(&self, target: &mut Self::Owned);
  6. }

ToOwnedClone的一个更为通用的版本。Clone允许我们获取一个&T并把它转为一个T,但是ToOwned允许我们拿到一个&Borrowed并把它转为一个Owned,其中Owned: Borrow<Borrowed>

换句话说,我们不能从一个&str克隆一个String,或者从一个&Path克隆一个PathBuf,或者从一个&OsStr克隆一个OsString,因为clone方法签名不支持这种跨类型的克隆,这就是ToOwned产生的原因。

类似于BorrowBorrowMut,知道这个 trait 并理解它什么存在同样是有益的,只是我们几乎不需要为我们的类型实现它。

Iteration Traits

  1. trait Iterator {
  2. type Item;
  3. fn next(&mut self) -> Option<Self::Item>;
  4. // provided default impls
  5. fn size_hint(&self) -> (usize, Option<usize>);
  6. fn count(self) -> usize;
  7. fn last(self) -> Option<Self::Item>;
  8. fn advance_by(&mut self, n: usize) -> Result<(), usize>;
  9. fn nth(&mut self, n: usize) -> Option<Self::Item>;
  10. fn step_by(self, step: usize) -> StepBy<Self>;
  11. fn chain<U>(
  12. self,
  13. other: U
  14. ) -> Chain<Self, <U as IntoIterator>::IntoIter>
  15. where
  16. U: IntoIterator<Item = Self::Item>;
  17. fn zip<U>(self, other: U) -> Zip<Self, <U as IntoIterator>::IntoIter>
  18. where
  19. U: IntoIterator;
  20. fn map<B, F>(self, f: F) -> Map<Self, F>
  21. where
  22. F: FnMut(Self::Item) -> B;
  23. fn for_each<F>(self, f: F)
  24. where
  25. F: FnMut(Self::Item);
  26. fn filter<P>(self, predicate: P) -> Filter<Self, P>
  27. where
  28. P: FnMut(&Self::Item) -> bool;
  29. fn filter_map<B, F>(self, f: F) -> FilterMap<Self, F>
  30. where
  31. F: FnMut(Self::Item) -> Option<B>;
  32. fn enumerate(self) -> Enumerate<Self>;
  33. fn peekable(self) -> Peekable<Self>;
  34. fn skip_while<P>(self, predicate: P) -> SkipWhile<Self, P>
  35. where
  36. P: FnMut(&Self::Item) -> bool;
  37. fn take_while<P>(self, predicate: P) -> TakeWhile<Self, P>
  38. where
  39. P: FnMut(&Self::Item) -> bool;
  40. fn map_while<B, P>(self, predicate: P) -> MapWhile<Self, P>
  41. where
  42. P: FnMut(Self::Item) -> Option<B>;
  43. fn skip(self, n: usize) -> Skip<Self>;
  44. fn take(self, n: usize) -> Take<Self>;
  45. fn scan<St, B, F>(self, initial_state: St, f: F) -> Scan<Self, St, F>
  46. where
  47. F: FnMut(&mut St, Self::Item) -> Option<B>;
  48. fn flat_map<U, F>(self, f: F) -> FlatMap<Self, U, F>
  49. where
  50. F: FnMut(Self::Item) -> U,
  51. U: IntoIterator;
  52. fn flatten(self) -> Flatten<Self>
  53. where
  54. Self::Item: IntoIterator;
  55. fn fuse(self) -> Fuse<Self>;
  56. fn inspect<F>(self, f: F) -> Inspect<Self, F>
  57. where
  58. F: FnMut(&Self::Item);
  59. fn by_ref(&mut self) -> &mut Self;
  60. fn collect<B>(self) -> B
  61. where
  62. B: FromIterator<Self::Item>;
  63. fn partition<B, F>(self, f: F) -> (B, B)
  64. where
  65. F: FnMut(&Self::Item) -> bool,
  66. B: Default + Extend<Self::Item>;
  67. fn partition_in_place<'a, T, P>(self, predicate: P) -> usize
  68. where
  69. Self: DoubleEndedIterator<Item = &'a mut T>,
  70. T: 'a,
  71. P: FnMut(&T) -> bool;
  72. fn is_partitioned<P>(self, predicate: P) -> bool
  73. where
  74. P: FnMut(Self::Item) -> bool;
  75. fn try_fold<B, F, R>(&mut self, init: B, f: F) -> R
  76. where
  77. F: FnMut(B, Self::Item) -> R,
  78. R: Try<Ok = B>;
  79. fn try_for_each<F, R>(&mut self, f: F) -> R
  80. where
  81. F: FnMut(Self::Item) -> R,
  82. R: Try<Ok = ()>;
  83. fn fold<B, F>(self, init: B, f: F) -> B
  84. where
  85. F: FnMut(B, Self::Item) -> B;
  86. fn fold_first<F>(self, f: F) -> Option<Self::Item>
  87. where
  88. F: FnMut(Self::Item, Self::Item) -> Self::Item;
  89. fn all<F>(&mut self, f: F) -> bool
  90. where
  91. F: FnMut(Self::Item) -> bool;
  92. fn any<F>(&mut self, f: F) -> bool
  93. where
  94. F: FnMut(Self::Item) -> bool;
  95. fn find<P>(&mut self, predicate: P) -> Option<Self::Item>
  96. where
  97. P: FnMut(&Self::Item) -> bool;
  98. fn find_map<B, F>(&mut self, f: F) -> Option<B>
  99. where
  100. F: FnMut(Self::Item) -> Option<B>;
  101. fn try_find<F, R>(
  102. &mut self,
  103. f: F
  104. ) -> Result<Option<Self::Item>, <R as Try>::Error>
  105. where
  106. F: FnMut(&Self::Item) -> R,
  107. R: Try<Ok = bool>;
  108. fn position<P>(&mut self, predicate: P) -> Option<usize>
  109. where
  110. P: FnMut(Self::Item) -> bool;
  111. fn rposition<P>(&mut self, predicate: P) -> Option<usize>
  112. where
  113. Self: ExactSizeIterator + DoubleEndedIterator,
  114. P: FnMut(Self::Item) -> bool;
  115. fn max(self) -> Option<Self::Item>
  116. where
  117. Self::Item: Ord;
  118. fn min(self) -> Option<Self::Item>
  119. where
  120. Self::Item: Ord;
  121. fn max_by_key<B, F>(self, f: F) -> Option<Self::Item>
  122. where
  123. F: FnMut(&Self::Item) -> B,
  124. B: Ord;
  125. fn max_by<F>(self, compare: F) -> Option<Self::Item>
  126. where
  127. F: FnMut(&Self::Item, &Self::Item) -> Ordering;
  128. fn min_by_key<B, F>(self, f: F) -> Option<Self::Item>
  129. where
  130. F: FnMut(&Self::Item) -> B,
  131. B: Ord;
  132. fn min_by<F>(self, compare: F) -> Option<Self::Item>
  133. where
  134. F: FnMut(&Self::Item, &Self::Item) -> Ordering;
  135. fn rev(self) -> Rev<Self>
  136. where
  137. Self: DoubleEndedIterator;
  138. fn unzip<A, B, FromA, FromB>(self) -> (FromA, FromB)
  139. where
  140. Self: Iterator<Item = (A, B)>,
  141. FromA: Default + Extend<A>,
  142. FromB: Default + Extend<B>;
  143. fn copied<'a, T>(self) -> Copied<Self>
  144. where
  145. Self: Iterator<Item = &'a T>,
  146. T: 'a + Copy;
  147. fn cloned<'a, T>(self) -> Cloned<Self>
  148. where
  149. Self: Iterator<Item = &'a T>,
  150. T: 'a + Clone;
  151. fn cycle(self) -> Cycle<Self>
  152. where
  153. Self: Clone;
  154. fn sum<S>(self) -> S
  155. where
  156. S: Sum<Self::Item>;
  157. fn product<P>(self) -> P
  158. where
  159. P: Product<Self::Item>;
  160. fn cmp<I>(self, other: I) -> Ordering
  161. where
  162. I: IntoIterator<Item = Self::Item>,
  163. Self::Item: Ord;
  164. fn cmp_by<I, F>(self, other: I, cmp: F) -> Ordering
  165. where
  166. F: FnMut(Self::Item, <I as IntoIterator>::Item) -> Ordering,
  167. I: IntoIterator;
  168. fn partial_cmp<I>(self, other: I) -> Option<Ordering>
  169. where
  170. I: IntoIterator,
  171. Self::Item: PartialOrd<<I as IntoIterator>::Item>;
  172. fn partial_cmp_by<I, F>(
  173. self,
  174. other: I,
  175. partial_cmp: F
  176. ) -> Option<Ordering>
  177. where
  178. F: FnMut(Self::Item, <I as IntoIterator>::Item) -> Option<Ordering>,
  179. I: IntoIterator;
  180. fn eq<I>(self, other: I) -> bool
  181. where
  182. I: IntoIterator,
  183. Self::Item: PartialEq<<I as IntoIterator>::Item>;
  184. fn eq_by<I, F>(self, other: I, eq: F) -> bool
  185. where
  186. F: FnMut(Self::Item, <I as IntoIterator>::Item) -> bool,
  187. I: IntoIterator;
  188. fn ne<I>(self, other: I) -> bool
  189. where
  190. I: IntoIterator,
  191. Self::Item: PartialEq<<I as IntoIterator>::Item>;
  192. fn lt<I>(self, other: I) -> bool
  193. where
  194. I: IntoIterator,
  195. Self::Item: PartialOrd<<I as IntoIterator>::Item>;
  196. fn le<I>(self, other: I) -> bool
  197. where
  198. I: IntoIterator,
  199. Self::Item: PartialOrd<<I as IntoIterator>::Item>;
  200. fn gt<I>(self, other: I) -> bool
  201. where
  202. I: IntoIterator,
  203. Self::Item: PartialOrd<<I as IntoIterator>::Item>;
  204. fn ge<I>(self, other: I) -> bool
  205. where
  206. I: IntoIterator,
  207. Self::Item: PartialOrd<<I as IntoIterator>::Item>;
  208. fn is_sorted(self) -> bool
  209. where
  210. Self::Item: PartialOrd<Self::Item>;
  211. fn is_sorted_by<F>(self, compare: F) -> bool
  212. where
  213. F: FnMut(&Self::Item, &Self::Item) -> Option<Ordering>;
  214. fn is_sorted_by_key<F, K>(self, f: F) -> bool
  215. where
  216. F: FnMut(Self::Item) -> K,
  217. K: PartialOrd<K>;
  218. }

Iterator<Item = T>类型可以被迭代并产生T类型。没有IteratorMut trait。每个Iterator实现可以指定它返回的是不可变引用、可变引用还是拥有通过Item关联类型的值。

Vec<T>
方法
返回
.iter() Iterator<Item = &T>
.iter_mut() Iterator<Item = &mut T>
.into_iter() Iterator<Item = T>

大多数类型没有它们自己的迭代器,这对于初级Rustaceans来说,并不明显,但中级Rustaceans认为这是理所当然的。如果一个类型是可迭代的,我们几乎总是实现自定义的迭代器类型来迭代它,而不是让它自己迭代。

  1. struct MyType {
  2. items: Vec<String>
  3. }
  4. impl MyType {
  5. fn iter(&self) -> impl Iterator<Item = &String> {
  6. MyTypeIterator {
  7. index: 0,
  8. items: &self.items
  9. }
  10. }
  11. }
  12. struct MyTypeIterator<'a> {
  13. index: usize,
  14. items: &'a Vec<String>
  15. }
  16. impl<'a> Iterator for MyTypeIterator<'a> {
  17. type Item = &'a String;
  18. fn next(&mut self) -> Option<Self::Item> {
  19. if self.index >= self.items.len() {
  20. None
  21. } else {
  22. let item = &self.items[self.index];
  23. self.index += 1;
  24. Some(item)
  25. }
  26. }
  27. }

为了便于教学,上面的例子展示了如何从头开始实现一个迭代器,但在这种情况下,常用的解决方案是直接延用Veciter方法。

  1. struct MyType {
  2. items: Vec<String>
  3. }
  4. impl MyType {
  5. fn iter(&self) -> impl Iterator<Item = &String> {
  6. self.items.iter()
  7. }
  8. }

而且,这也是一个需要注意到的generic blanket impl:

  1. impl<I: Iterator + ?Sized> Iterator for &mut I;

一个迭代器的可变引用也是一个迭代器。知道这一点是有用的,因为它让我们能够使用self作为接收器(receiver)的迭代器方法,就像&mut self接收器一样。

举个例子,假定我们有一个函数,它处理一个数据超过三项的迭代器,但是函数的第一步是取出迭代器的前三项并在迭代完剩余项之前单独处理它们,下面是一个初学者可能会写出的函数实现:

  1. fn example<I: Iterator<Item = i32>>(mut iter: I) {
  2. let first3: Vec<i32> = iter.take(3).collect();
  3. for item in iter { // ❌ iter consumed in line above
  4. // process remaining items
  5. }
  6. }

这看起来有点让人头疼。take方法有一个self接收器,所以我们似乎不能在没有消耗整个迭代器的情况下调用它!下面是对上面代码的重构:

  1. fn example<I: Iterator<Item = i32>>(mut iter: I) {
  2. let first3: Vec<i32> = vec![
  3. iter.next().unwrap(),
  4. iter.next().unwrap(),
  5. iter.next().unwrap(),
  6. ];
  7. for item in iter { // ✅
  8. // process remaining items
  9. }
  10. }

这样是没问题的,但是实际中通常会这样重构:

  1. fn example<I: Iterator<Item = i32>>(mut iter: I) {
  2. let first3: Vec<i32> = iter.by_ref().take(3).collect();
  3. for item in iter { // ✅
  4. // process remaining items
  5. }
  6. }

这种写法不太常见,但不管怎样,现在我们知道了。

此外,对于什么类型可以或者不可以是迭代器,并没有规则或者约定。如果一个类型实现了Iterator,那么它就是一个迭代器。下面是标准库中一个新颖的例子:

  1. use std::sync::mpsc::channel;
  2. use std::thread;
  3. fn paths_can_be_iterated(path: &Path) {
  4. for part in path {
  5. // iterate over parts of a path
  6. }
  7. }
  8. fn receivers_can_be_iterated() {
  9. let (send, recv) = channel();
  10. thread::spawn(move || {
  11. send.send(1).unwrap();
  12. send.send(2).unwrap();
  13. send.send(3).unwrap();
  14. });
  15. for received in recv {
  16. // iterate over received values
  17. }
  18. }

IntoIterator

  1. trait IntoIterator
  2. where
  3. <Self::IntoIter as Iterator>::Item == Self::Item,
  4. {
  5. type Item;
  6. type IntoIter: Iterator;
  7. fn into_iter(self) -> Self::IntoIter;
  8. }

正如其名,IntoIterator类型可以转化为迭代器。当一个类型在一个for-in循环里被使用的时候,该类型的into_iter方法会被调用:

  1. // vec = Vec<T>
  2. for v in vec {} // v = T
  3. // above line desugared
  4. for v in vec.into_iter() {}

不仅Vec实现了IntoIterator,如果我们想在不可变引用或可变引用上迭代,&Vec&mut Vec同样也是如此。

  1. // vec = Vec<T>
  2. for v in &vec {} // v = &T
  3. // above example desugared
  4. for v in (&vec).into_iter() {}
  5. // vec = Vec<T>
  6. for v in &mut vec {} // v = &mut T
  7. // above example desugared
  8. for v in (&mut vec).into_iter() {}

FromIterator

  1. trait FromIterator<A> {
  2. fn from_iter<T>(iter: T) -> Self
  3. where
  4. T: IntoIterator<Item = A>;
  5. }

正如其名,FromIterator类型可以从一个迭代器创建而来。FromIterator最常用于Iterator上的collect方法调用:

  1. fn collect<B>(self) -> B
  2. where
  3. B: FromIterator<Self::Item>;

下面是一个例子,搜集(collect)一个Iterator<Item = char>String:

  1. fn filter_letters(string: &str) -> String {
  2. string.chars().filter(|c| c.is_alphabetic()).collect()
  3. }

标准库中所有的集合都实现了IntoIteratorFromIterator,从而使它们之间的转换更为简单:

  1. use std::collections::{BTreeSet, HashMap, HashSet, LinkedList};
  2. // String -> HashSet<char>
  3. fn unique_chars(string: &str) -> HashSet<char> {
  4. string.chars().collect()
  5. }
  6. // Vec<T> -> BTreeSet<T>
  7. fn ordered_unique_items<T: Ord>(vec: Vec<T>) -> BTreeSet<T> {
  8. vec.into_iter().collect()
  9. }
  10. // HashMap<K, V> -> LinkedList<(K, V)>
  11. fn entry_list<K, V>(map: HashMap<K, V>) -> LinkedList<(K, V)> {
  12. map.into_iter().collect()
  13. }
  14. // and countless more possible examples

I/O Traits

  1. trait Read {
  2. fn read(&mut self, buf: &mut [u8]) -> Result<usize>;
  3. // provided default impls
  4. fn read_vectored(&mut self, bufs: &mut [IoSliceMut<'_>]) -> Result<usize>;
  5. fn is_read_vectored(&self) -> bool;
  6. unsafe fn initializer(&self) -> Initializer;
  7. fn read_to_end(&mut self, buf: &mut Vec<u8>) -> Result<usize>;
  8. fn read_to_string(&mut self, buf: &mut String) -> Result<usize>;
  9. fn read_exact(&mut self, buf: &mut [u8]) -> Result<()>;
  10. fn by_ref(&mut self) -> &mut Self
  11. where
  12. Self: Sized;
  13. fn bytes(self) -> Bytes<Self>
  14. where
  15. Self: Sized;
  16. fn chain<R: Read>(self, next: R) -> Chain<Self, R>
  17. where
  18. Self: Sized;
  19. fn take(self, limit: u64) -> Take<Self>
  20. where
  21. Self: Sized;
  22. }
  23. trait Write {
  24. fn write(&mut self, buf: &[u8]) -> Result<usize>;
  25. fn flush(&mut self) -> Result<()>;
  26. // provided default impls
  27. fn write_vectored(&mut self, bufs: &[IoSlice<'_>]) -> Result<usize>;
  28. fn is_write_vectored(&self) -> bool;
  29. fn write_all(&mut self, buf: &[u8]) -> Result<()>;
  30. fn write_all_vectored(&mut self, bufs: &mut [IoSlice<'_>]) -> Result<()>;
  31. fn write_fmt(&mut self, fmt: Arguments<'_>) -> Result<()>;
  32. fn by_ref(&mut self) -> &mut Self
  33. where
  34. Self: Sized;
  35. }

值得关注的generic blanket impls:

  1. impl<R: Read + ?Sized> Read for &mut R;
  2. impl<W: Write + ?Sized> Write for &mut W;

也就是说,Read类型的任何可变引用也都是ReadWrite同理。知道这些是有用的,因为它允许我们使用任何带有self接收器的方法,就像它有一个&mut self接收器一样。我们已经在迭代器trait部分讲过了它是如何起作用的以及为什么很有用,所以这里不再赘述。

这里我想指出的是,&[u8] 实现了ReadVec<u8>实现了Write。因此我们可以对我们的文件处理函数进行简单的单元测试,通过使用String转换为&[u8]以及从Vec<u8> 转换为String

  1. use std::path::Path;
  2. use std::fs::File;
  3. use std::io::Read;
  4. use std::io::Write;
  5. use std::io;
  6. // function we want to test
  7. fn uppercase<R: Read, W: Write>(mut read: R, mut write: W) -> Result<(), io::Error> {
  8. let mut buffer = String::new();
  9. read.read_to_string(&mut buffer)?;
  10. let uppercase = buffer.to_uppercase();
  11. write.write_all(uppercase.as_bytes())?;
  12. write.flush()?;
  13. Ok(())
  14. }
  15. // in actual program we'd pass Files
  16. fn example(in_path: &Path, out_path: &Path) -> Result<(), io::Error> {
  17. let in_file = File::open(in_path)?;
  18. let out_file = File::open(out_path)?;
  19. uppercase(in_file, out_file)
  20. }
  21. // however in unit tests we can use Strings!
  22. #[test] // ✅
  23. fn example_test() {
  24. let in_file: String = "i am screaming".into();
  25. let mut out_file: Vec<u8> = Vec::new();
  26. uppercase(in_file.as_bytes(), &mut out_file).unwrap();
  27. let out_result = String::from_utf8(out_file).unwrap();
  28. assert_eq!(out_result, "I AM SCREAMING");
  29. }

总结

我们一起学到了很多! 事实上是太多了。这是我们现在的样子:

【完整】Rust 标准库 Trait 指南 - 图1