CellRefCell

Cell and RefCell implement what Rust calls interior mutability: mutation of values in an immutable context.

Cell 因為需要複製或移動值,通常用於簡單的型別。較複雜的內部型別通常會使用 RefCell,可在執行階段和恐慌時追蹤共用和專屬的參照 (如果這些參照遭到濫用的話)。

use std::cell::RefCell;
use std::rc::Rc;

#[derive(Debug, Default)]
struct Node {
    value: i64,
    children: Vec<Rc<RefCell<Node>>>,
}

impl Node {
    fn new(value: i64) -> Rc<RefCell<Node>> {
        Rc::new(RefCell::new(Node { value, ..Node::default() }))
    }

    fn sum(&self) -> i64 {
        self.value + self.children.iter().map(|c| c.borrow().sum()).sum::<i64>()
    }
}

fn main() {
    let root = Node::new(1);
    root.borrow_mut().children.push(Node::new(5));
    let subtree = Node::new(10);
    subtree.borrow_mut().children.push(Node::new(11));
    subtree.borrow_mut().children.push(Node::new(12));
    root.borrow_mut().children.push(subtree);

    println!("graph: {root:#?}");
    println!("graph sum: {}", root.borrow().sum());
}
  • 如果我們在本例中使用 Cell 而非 RefCell,可能須將 Node 移出 Rc 才能推送子項,然後再將其移回。您可以放心執行這項操作,因為儲存格中始終有一個未參照的值,但不符人體工學。
  • 如要對節點執行任何操作,您必須呼叫 RefCell 方法,通常是 borrowborrow_mut
  • 示範可以將 root 新增至 subtree.children (請勿嘗試輸出!) 來建立參照迴圈。
  • 如要演示執行階段發生的恐慌情形,請新增 fn inc(&mut self),這可讓 self.value 遞增,並在其子項呼叫相同的方法。在有參照迴圈的情況下,這會引發恐慌,其中的 thread 'main' 會因 'already borrowed: BorrowMutError' 而恐慌。