有问题的借用发生在哪里?

Where does the problematic borrow happen?

pub struct Dest<'a> {
    pub data: Option<&'a i32>,
}

pub struct Src<'a> {
    pub data: Option<&'a i32>,
}

pub trait Flowable<'a: 'b, 'b> {
    fn flow(&'a self, dest: &mut Dest<'b>);
}

impl<'a: 'b, 'b> Flowable<'a, 'b> for Src<'a> {
    fn flow(&self, dest: &mut Dest<'b>) {
        dest.data = self.data;
    }
}

struct ContTrait<'a, 'b> {
    pub list: Vec<Box<Flowable<'a, 'b> + 'a>>,
}

impl<'a: 'b, 'b> Flowable<'a, 'b> for ContTrait<'a, 'b> {
    fn flow(&'a self, dest: &mut Dest<'b>) {
        for flowable in self.list.iter() {
            flowable.flow(dest);
        }
    }
}

fn main() {
    let x1 = 15;
    let x2 = 20;
    let mut c = ContTrait { list: Vec::new() };

    let mut dest = Dest { data: Some(&x2) };
    c.list.push(Box::new(Src { data: Some(&x1) }));
    c.flow(&mut dest);
}

我正在努力实现将引用从一个结构传递到另一个结构。每当我进步一点点,就会有一个新的块。我想要实现的目标在 C++ 等语言中看起来微不足道,对于 Src 类型,如果满足特定条件,则定义特征 Flowable,A 中的引用将传递给 Dest 类型。我已经使用生命周期说明符玩了一段时间,以使 Rust 编译器满意。现在,我还为类型 ContTrait 实现了相同的特征,它是 Flowable 的集合,并且此 ContTrait 还实现了特征 Flowable 以迭代其中的每个对象并调用流程。这是真实世界使用的简化案例。

我只是想不通为什么 Rust 编译器会报告

error[E0597]: `c` does not live long enough
  --> src\main.rs:38:5
   |
38 |   c.flow(&mut dest);
   |   ^ borrowed value does not live long enough
39 | }
   | -
   | |
   | `c` dropped here while still borrowed
   | borrow might be used here, when `c` is dropped and runs the destructor for type `ContTrait<'_, '_>
pub trait Flowable<'a: 'b, 'b> {
    fn flow(&'a self, dest: &mut Dest<'b>);
}

这里的&'a self是问题的核心。它说对象 flow 被调用必须超过生命周期 dest 被参数化。

main,你做

c.flow(&mut dest);

dest 被隐式参数化为 x2 的生命周期。由于您在 c 上调用了 flow,因此您暗示 c 必须比 x2 长寿,而事实并非如此。

如果你在特征定义和 ContTrait impl 中删除对自引用的 'a 绑定,代码编译。