Rust:如果不存在其他引用,则允许将不可变引用升级为可变引用

ztmd8pv5  于 2023-01-09  发布在  其他
关注(0)|答案(1)|浏览(156)
struct ImmutRef<'a, T>(&'a T);

struct MutRef<'a, T>(&'a mut T);

struct Foo;

impl Foo {
    fn upgrade_ref(&mut self, _: ImmutRef<Self>) -> MutRef<Self> {
        MutRef(self)
    }
}

let mut foo = Foo;
let immut_ref = ImmutRef(&foo);
let mut_ref = foo.upgrade_ref(immut_ref);

此代码无法编译。

error[E0502]: cannot borrow `foo` as mutable because it is also borrowed as immutable
  --> src/main.rs:63:16
   |
62 |     let immut_ref = ImmutRef(&foo);
   |                              ---- immutable borrow occurs here
63 |     let mut_ref = foo.upgrade_ref(immut_ref);
   |                   ^^^^-----------^^^^^^^^^^^
   |                   |   |
   |                   |   immutable borrow later used by call
   |                   mutable borrow occurs here

我得到上面的错误代替。
是的,immut_ref不可变地借用foo,但是当我们调用foo.upgrade_ref时,它被移动了。因此,不再有任何对foo的引用,我应该能够得到一个对foo的可变引用。
为什么不能编译?

ujv3wf0j

ujv3wf0j1#

upgrade_ref接受&mut selfImmutRef<Self>,你试图同时传递&mut foo&foo,但是不可变引用和可变引用不能同时存在。

相关问题