我试图在 Rust 中创建一个不相交集数据结构。相关代码为:
pub struct Set<'a, T: 'a> {
rank: u32,
value: T,
parent: Option<&'a mut Set<'a, T>>,
}
impl<'a, T> Set<'a, T> {
pub fn find(&'a mut self) -> &'a mut Set<'a, T> {
match self.parent {
None => self,
Some(mut p) => {
self.parent = Some(p.find());
self.parent.unwrap()
}
}
}
}
我得到的错误是:
error[E0507]: cannot move out of borrowed content
--> src/main.rs:9:15
|
9 | match self.parent {
| ^^^^ cannot move out of borrowed content
10 | None => self,
11 | Some(mut p) => {
| ----- hint: to prevent move, use `ref p` or `ref mut p`
error[E0507]: cannot move out of borrowed content
--> src/main.rs:13:17
|
13 | self.parent.unwrap()
| ^^^^ cannot move out of borrowed content
我不确定我是否完全理解借用检查器,但我使用引用来避免获取结构本身的所有权,以便可以像使用其他语言一样指向和重新分配它们。
我可以通过从结构中的引用中删除 来避免这些错误mut
,但是我不能更改每个集合的父级,因为它们是不可变的。
我已经阅读了类似的问题,例如:
这些并不能帮助我弄清楚如何解决这个问题。我也尝试过重构函数find
以及要使用的结构本身Rc<RefCell<Set>>
,Box<Set>
但我总是以同样的错误告终。
这是什么错误,我该如何解决?