可变借款后的不可变参考

时间:2015-06-17 03:56:22

标签: rust

每次使用Rust时,我都会遇到与所有权/借用相关的类似问题,所以这里有最简单的代码来说明我的常见问题:

use std::cell::RefCell;

struct Res {
    name: String,
}

impl Res {
    fn new(name: &str) -> Res {
        Res {
            name: name.to_string(),
        }
    }

    // I don't need all_res to be mutable
    fn normalize(&mut self, all_res: &Vec<Res>) {
        // [...] Iterate through all_res and update self.name
        self.name = "foo".to_string();
    }
}

fn main() {
    let res = RefCell::new(vec![Res::new("res1"), Res::new("res2")]);

    for r in res.borrow_mut().iter_mut() {
        // This panics at runtime saying it's
        // already borrowed (which makes sense, I guess).
        r.normalize(&*res.borrow());
    }
}

在阅读了RefCell之后,我认为这会奏效。它编译,但在运行时恐慌。

如何在迭代同一向量时引用向量?是否有更好的数据结构允许我这样做?

1 个答案:

答案 0 :(得分:6)

你的程序很恐慌,因为你试图在同一时间可变地和不可变地借用Vec:这是不允许的。

您需要做的是仅包装String中的RefCell。这允许您在迭代Vec时改变字符串。

use std::cell::RefCell;

struct Res {
    name: RefCell<String>,
}

impl Res {
    fn new(name: &str) -> Res {
        Res {
            name: RefCell::new(name.to_string()),
        }
    }

    // I don't need all_res to be mutable
    fn normalize(&self, all_res: &Vec<Res>) {
        // [...] Iterate through all_res and update self.name
        *self.name.borrow_mut() = "foo".to_string();
    }
}

fn main() {
    let res = vec![Res::new("res1"), Res::new("res2")];

    for r in res.iter() {
        r.normalize(&res);
    }

    println!("{}", *res[0].name.borrow());
}