impl Trait

impl Trait 可以在两个地方使用

  1. 作为参数类型
  2. 作为返回类型

作为参数类型

如果你的函数是泛型函数,并且你不在意具体的类型,你可以使用 impl Trait 作为参数类型来简化函数声明。

例如,考虑以下代码

fn parse_csv_document<R: std::io::BufRead>(src: R) -> std::io::Result<Vec<Vec<String>>> {
    src.lines()
        .map(|line| {
            // For each line in the source
            line.map(|line| {
                // If the line was read successfully, process it, if not, return the error
                line.split(',') // Split the line separated by commas
                    .map(|entry| String::from(entry.trim())) // Remove leading and trailing whitespace
                    .collect() // Collect all strings in a row into a Vec<String>
            })
        })
        .collect() // Collect all lines into a Vec<Vec<String>>
}

parse_csv_document 是泛型函数,它可以接受任何实现了 BufRead 的类型,例如 BufReader<File>[u8],但是 R 的具体类型并不重要,并且 R 只是用来声明 src 的类型,所以这个函数也可以写成

fn parse_csv_document(src: impl std::io::BufRead) -> std::io::Result<Vec<Vec<String>>> {
    src.lines()
        .map(|line| {
            // For each line in the source
            line.map(|line| {
                // If the line was read successfully, process it, if not, return the error
                line.split(',') // Split the line separated by commas
                    .map(|entry| String::from(entry.trim())) // Remove leading and trailing whitespace
                    .collect() // Collect all strings in a row into a Vec<String>
            })
        })
        .collect() // Collect all lines into a Vec<Vec<String>>
}

需要注意的是,使用 impl Trait 作为参数类型意味着你不能显式地指定使用哪种形式的函数,例如 parse_csv_document::<std::io::Empty>(std::io::empty()) 在第二个例子中将无法工作。

作为返回类型

如果你的函数返回一个实现了 MyTrait 的类型,你可以将它的返回类型写成 -> impl MyTrait。这可以大大简化你的类型签名!

use std::iter;
use std::vec::IntoIter;

// This function combines two `Vec<i32>` and returns an iterator over it.
// Look how complicated its return type is!
fn combine_vecs_explicit_return_type(
    v: Vec<i32>,
    u: Vec<i32>,
) -> iter::Cycle<iter::Chain<IntoIter<i32>, IntoIter<i32>>> {
    v.into_iter().chain(u.into_iter()).cycle()
}

// This is the exact same function, but its return type uses `impl Trait`.
// Look how much simpler it is!
fn combine_vecs(
    v: Vec<i32>,
    u: Vec<i32>,
) -> impl Iterator<Item=i32> {
    v.into_iter().chain(u.into_iter()).cycle()
}

fn main() {
    let v1 = vec![1, 2, 3];
    let v2 = vec![4, 5];
    let mut v3 = combine_vecs(v1, v2);
    assert_eq!(Some(1), v3.next());
    assert_eq!(Some(2), v3.next());
    assert_eq!(Some(3), v3.next());
    assert_eq!(Some(4), v3.next());
    assert_eq!(Some(5), v3.next());
    println!("all done");
}

更重要的是,一些 Rust 类型无法写出来。例如,每个闭包都有自己的未命名具体类型。在 impl Trait 语法出现之前,你必须在堆上分配内存才能返回一个闭包。但现在你可以静态地完成这一切,就像这样

// Returns a function that adds `y` to its input
fn make_adder_function(y: i32) -> impl Fn(i32) -> i32 {
    let closure = move |x: i32| { x + y };
    closure
}

fn main() {
    let plus_one = make_adder_function(1);
    assert_eq!(plus_one(2), 3);
}

你也可以使用 impl Trait 来返回一个使用了 mapfilter 闭包的迭代器!这使得使用 mapfilter 更加容易。因为闭包类型没有名称,所以如果你的函数返回带有闭包的迭代器,你就无法写出明确的返回类型。但是使用 impl Trait 你可以轻松地做到这一点

fn double_positives<'a>(numbers: &'a Vec<i32>) -> impl Iterator<Item = i32> + 'a {
    numbers
        .iter()
        .filter(|x| x > &&0)
        .map(|x| x * 2)
}

fn main() {
    let singles = vec![-3, -2, 2, 3];
    let doubles = double_positives(&singles);
    assert_eq!(doubles.collect::<Vec<i32>>(), vec![4, 6]);
}