作为输出参数

闭包可以作为输入参数,所以返回闭包作为输出参数也应该是可能的。但是,顾名思义,匿名闭包类型是未知的,所以我们必须使用 impl Trait 来返回它们。

用于返回闭包的有效特征是

  • Fn
  • FnMut
  • FnOnce

除此之外,还必须使用 move 关键字,它表示所有捕获都按值进行。这是必需的,因为任何按引用捕获的值都会在函数退出时立即被丢弃,从而在闭包中留下无效的引用。

fn create_fn() -> impl Fn() {
    let text = "Fn".to_owned();

    move || println!("This is a: {}", text)
}

fn create_fnmut() -> impl FnMut() {
    let text = "FnMut".to_owned();

    move || println!("This is a: {}", text)
}

fn create_fnonce() -> impl FnOnce() {
    let text = "FnOnce".to_owned();

    move || println!("This is a: {}", text)
}

fn main() {
    let fn_plain = create_fn();
    let mut fn_mut = create_fnmut();
    let fn_once = create_fnonce();

    fn_plain();
    fn_mut();
    fn_once();
}

另请参阅

FnFnMut泛型impl Trait