Rust 在同一功能中多次使用self

Rust 在同一功能中多次使用self,rust,Rust,我和借书人发生了争执。我的问题稍微复杂一点,但在这种情况下,我使用了一种类似缓冲区的结构。我的缓冲区有一个函数safe_write_to_slot,它首先检索第一个空元素,返回的结果是Oklocation或Errerror消息,然后将值写入检索到的位置。然而,问题是,当我将检索到的位置分配给一个值时,rust抱怨我在几行之后再次重用self。如何首先调用返回结果的self函数,然后继续self执行某些操作 use std::result::Result; struct Elems {

我和借书人发生了争执。我的问题稍微复杂一点,但在这种情况下,我使用了一种类似缓冲区的结构。我的缓冲区有一个函数safe_write_to_slot,它首先检索第一个空元素,返回的结果是Oklocation或Errerror消息,然后将值写入检索到的位置。然而,问题是,当我将检索到的位置分配给一个值时,rust抱怨我在几行之后再次重用self。如何首先调用返回结果的self函数,然后继续self执行某些操作

use std::result::Result;

struct Elems {
    pub elems : Vec<int>,
}

impl Elems {
    pub fn new() -> Elems {
        Elems{elems: vec![0,0,0,0,0,0]}
    }

    pub fn safe_write_to_slot(&mut self, elem : uint) -> Result<(), &str> {
        let loc = try!(self.get_slot());

        self.unsafe_write_to_slot(loc);

        Ok(())
    }

    pub fn get_slot(&self) -> Result<uint, &str>{
        let mut loc = -1i;

        for x in range(0, self.elems.len()) {
            if *self.elems.get(x) == 0 {
                loc = x as int;
            }
        }

        if loc != -1 { Ok(loc as uint) } else { Err("No free slots") }
    }

    fn unsafe_write_to_slot(&mut self, elem : uint) {
        self.elems[elem] = 1;
    }
}
我得到的错误是:

   Compiling borrow v0.0.1 (file:///borrow)
main.rs:19:9: 19:13 error: cannot borrow `*self` as mutable because it is also borrowed as immutable
main.rs:19         self.unsafe_write_to_slot(loc);
                   ^~~~
main.rs:17:24: 17:28 note: previous borrow of `*self` occurs here; the immutable borrow prevents subsequent moves or mutable borrows of `*self` until the borrow ends
main.rs:17         let loc = try!(self.get_slot());
                                  ^~~~
/main.rs:17:19: 17:41 note: expansion site
main.rs:22:6: 22:6 note: previous borrow ends here
main.rs:16     pub fn safe_write_to_slot(&mut self, elem : uint) -> Result<(), &str> {
/main.rs:22     }
               ^
main.rs:37:9: 37:29 error: cannot assign to immutable dereference (dereference is implicit, due to indexing)
main.rs:37         self.elems[elem] = 1;
                   ^~~~~~~~~~~~~~~~~~~~
error: aborting due to 2 previous errors
Could not compile `borrow`.

To learn more, run the command again with --verbose.

生命周期推断导致了这里的问题

get_slot方法解释为:

pub fn get_slot<'a>(&'a self) -> Result<uint, &'a str> {

结果绑定到与self相同的生存期,这会导致self保持冻结状态,直到结果被删除。但是,您不希望将self的生存期链接到&str,因为您只返回字符串文本。通过在get\u slot和safe\u write\u-to\u slot中将&str更改为&'static str,您将不会再收到错误,因为在调用safe\u write\u-to\u slot时,self将不再被认为是借用的。

为了让事情变得更清楚,如果我在结果中不仅返回字符串文字,会发生什么?那么我不能使用静态生存期,对吗?&'str意味着返回的字符串片段至少在self有效的情况下有效。这通常意味着您返回的字符串片段是self的一个成员。在这种情况下,编译器不允许变异self,以防止您意外地使先前返回的字符串片段无效。但是,如果返回在函数中创建的字符串,则必须使用字符串。