可循环借入

时间:2017-09-24 19:15:41

标签: rust mutable borrow-checker

我试图在一个循环中获得一个可变的借用,我无法让它工作。我已经尝试了所有可能的警卫,原始指针,一切。

struct Test<'a> {
    a: &'a str,
}

impl<'a> Test<'a> {
    pub fn new() -> Self {
        Test { a: &mut "test" }
    }

    pub fn dostuff(&'a mut self) {
        self.a = "test";
    }

    pub fn fixme(&'a mut self) {
        let mut i = 0;
        while i < 10 {
            self.dostuff();
            i += 1;
        }
    }
}

fn main() {
    let mut test = Test::new();
    test.fixme();
}
error[E0499]: cannot borrow `*self` as mutable more than once at a time
  --> src/main.rs:19:13
   |
19 |             self.dostuff();
   |             ^^^^ mutable borrow starts here in previous iteration of loop
...
22 |     }
   |     - mutable borrow ends here

Rust Playground example code

我无法想办法解决这个问题。我需要修复仍然保持功能签名相同。我的代码要复杂得多,但是这个代码片段将其删除到最低限度。

这是the complete code of what I'm trying to solve

1 个答案:

答案 0 :(得分:6)

当您撰写fn dostuff(&'a mut self)时,您强制要求self的引用必须至少与生命周期'a一样长。但它与您在'a结构的定义中使用的Test相同。这意味着dostuff的来电者必须在self的整个生命周期内提供test。调用dostuff()一次后,现在借用self,并且在test被删除之前借用不会完成。根据定义,您只能调用该函数一次,因此无法在循环中调用它。

  

我需要修复以保持功能签名相同

所以,你现在应该明白这是一个不可能的要求。您可以按原样使用函数签名,也可以循环调用它。你不能兼得。