2

我有一个成功编译的简单图表:

use std::collections::HashMap;

type Key = usize;
type Weight = usize;

#[derive(Debug)]
pub struct Node<T> {
    key: Key,
    value: T,
}
impl<T> Node<T> {
    fn new(key: Key, value: T) -> Self {
        Node {
            key: key,
            value: value,
        }
    }
}

#[derive(Debug)]
pub struct Graph<T> {
    map: HashMap<Key, HashMap<Key, Weight>>,
    list: HashMap<Key, Node<T>>,
    next_key: Key,
}
impl<T> Graph<T> {
    pub fn new() -> Self {
        Graph {
            map: HashMap::new(),
            list: HashMap::new(),
            next_key: 0,
        }
    }
    pub fn add_node(&mut self, value: T) -> &Node<T> {
        let node = self.create_node(value);
        node
    }

    fn create_node(&mut self, value: T) -> &Node<T> {
        let key = self.get_next_key();
        let node = Node::new(key, value);
        self.list.insert(key, node);
        self.map.insert(key, HashMap::new());
        self.list.get(&key).unwrap()
    }

    fn get_next_key(&mut self) -> Key {
        let key = self.next_key;
        self.next_key += 1;
        key
    }
}

但是当我使用它时它无法编译:

fn main() {
    let mut graph = Graph::<i32>::new();
    let n1 = graph.add_node(111);
    let n2 = graph.add_node(222);
}

错误:

error[E0499]: cannot borrow `graph` as mutable more than once at a time
  --> src/main.rs:57:14
   |
56 |     let n1 = graph.add_node(111);
   |              ----- first mutable borrow occurs here
57 |     let n2 = graph.add_node(222);
   |              ^^^^^ second mutable borrow occurs here
58 | }
   | - first borrow ends here

我见过所有类似的问题。我知道这是失败的,因为方法Graph::add_node()使用&mut self. 在所有类似的问题中,一般的答案是“重组你的代码”。我不明白我该怎么办?我应该如何重构这段代码?

4

2 回答 2

4

通过返回&Node<T>from add_node,您实际上是在锁定整个Graph<T>对象,因为您是从它那里借用的。并且有充分的理由;尝试运行这个main

fn main() {
    let mut graph = Graph::<i32>::new();
    let n1 = graph.add_node(111) as *const _;
    let mut inserts = 0;
    loop {
        inserts += 1;
        graph.add_node(222);
        let n1bis = graph.list.get(&0).unwrap() as *const _;
        if n1 != n1bis {
            println!("{:p} {:p} ({} inserts)", n1, n1bis, inserts);
            break;
        }
    }
}

这是该程序的可能输出:

0x7f86c6c302e0 0x7f86c6c3a6e0 (29 inserts)

该程序添加第一个节点并将其地址存储为原始指针(原始指针没有生命周期参数,因此Graph释放了借位)。然后,它一次添加一个节点,然后再次获取第一个节点的地址。如果第一个节点的地址发生更改,它会打印两个地址以及插入到图中的其他节点的数量。

HashMap使用随机散列,因此每次执行时插入的数量会有所不同。但是,它最终需要重新分配内存来存储更多条目,因此最终,映射中节点的地址会发生变化。如果您在发生这种情况后尝试取消引用旧指针(例如n1),那么您将访问已释放的内存,这可能会返回垃圾数据或导致错误(通常是分段错误)。

知道了这一切,应该清楚不add_node应该返回 a &Node<T>。以下是一些替代方案:

  • 不返回任何内容,add_node或者返回Key, 并提供单独的方法来获取&Node<T>给定的密钥。
  • 将您的节点包裹在Rc<T>or中Arc<T>。也就是说,它不是lista HashMap<Key, Node<T>>,而是 a HashMap<Key, Rc<Node<T>>>。您可以clone()使用RcorArc来复制指针并增加引用计数;将一个副本存储在 中HashMap并从 中返回另一个副本add_node
    • 如果您还需要改变节点,同时保留改变图形的能力,您可能需要结合RcwithRefCellArcwith Mutex
于 2016-04-13T02:46:52.483 回答
1

我通过使用解决了问题std::rc::Rc

use std::collections::HashMap;
use std::rc::Rc;

type Key = usize;
type Weight = usize;

#[derive(Debug)]
pub struct Node<T> {
    key: Key,
    value: T,
}
impl<T> Node<T> {
    fn new(key: Key, value: T) -> Self {
        Node {
            key: key,
            value: value,
        }
    }
}

#[derive(Debug)]
pub struct Graph<T> {
    map: HashMap<Key, HashMap<Key, Weight>>,
    list: HashMap<Key, Rc<Node<T>>>, // <-- Changed
    next_key: Key,
}
impl<T> Graph<T> {
    pub fn new() -> Self {
        Graph {
            map: HashMap::new(),
            list: HashMap::new(),
            next_key: 0,
        }
    }

    pub fn add_node(&mut self, value: T) -> Rc<Node<T>> {
        // <-- Changed
        let key = self.get_next_key();
        let node = Rc::new(Node::new(key, value)); // <-- Changed
        self.list.insert(key, node.clone()); // <-- Changed
        self.map.insert(key, HashMap::new());
        node
    }

    fn get_next_key(&mut self) -> Key {
        let key = self.next_key;
        self.next_key += 1;
        key
    }
}

fn main() {
    let mut graph = Graph::<i32>::new();
    let n1 = graph.add_node(111);
    let n2 = graph.add_node(222);
}
于 2017-12-03T15:01:15.010 回答