如何修改`RefCell <option <t>&gt;`的内容?

时间:2017-07-12 09:30:58

标签: rust

我有一个Option<T>由几个结构共享,并且必须是可变的。我使用的是RefCell,因为据我所知,它是该工作的工具。如何访问(和更改)Option<T>的内容?

我尝试了以下内容:

use std::cell::RefCell;

#[derive(Debug)]
struct S {
    val: i32
}

fn main() {
    let rc: RefCell<Option<S>> = RefCell::new(Some(S{val: 0}));
    if let Some(ref mut s2) = rc.borrow_mut() {
        s2.val += 1;
    }
    println!("{:?}", rc);
}

但是编译器不允许我这样做:

error[E0308]: mismatched types
  --> <anon>:10:12
   |
10 |     if let Some(ref mut s2) = rc.borrow_mut() {
   |            ^^^^^^^^^^^^^^^^ expected struct `std::cell::RefMut`, found enum `std::option::Option`
   |
   = note: expected type `std::cell::RefMut<'_, std::option::Option<S>, >`
              found type `std::option::Option<_>`

1 个答案:

答案 0 :(得分:5)

当您RefCell use std::cell::RefCell; #[derive(Debug)] struct S { val: i32 } fn main() { let rc: RefCell<Option<S>> = RefCell::new(Some(S{val: 0})); if let Some(ref mut s2) = *rc.borrow_mut() { // deref_mut s2.val += 1; } println!("{:?}", rc); } 时,您会得到borrow_mut,正如编译器所说。要获取其中的值,只需使用运算符RefMut

NavCOmponent