4

我的目标是将针对我的结构的方法调用委托给 Trait 的方法,其中 Trait 对象位于Rcof 中RefCell

我试图遵循这个问题的建议: 如何从 Rc<RefCell<A>> 获取 &A 引用?

我得到一个编译错误。

use std::rc::Rc;
use std::cell::RefCell;
use std::fmt::*;
use std::ops::Deref;

pub struct ShyObject {
    pub association: Rc<RefCell<dyn Display>>
}

impl Deref for ShyObject {
    type Target = dyn Display;
    fn deref<'a>(&'a self) -> &(dyn Display + 'static) {
        &*self.association.borrow()
    }
}

fn main() {}

这是错误:

error[E0515]: cannot return value referencing temporary value
  --> src/main.rs:13:9
   |
13 |         &*self.association.borrow()
   |         ^^-------------------------
   |         | |
   |         | temporary value created here
   |         returns a value referencing data owned by the current function

我的示例Display用作特征;实际上,我有一个带有十几种方法的特征。我试图避免必须实现所有这些方法的样板,而只是在每次调用中深入到 Trait 对象。

4

2 回答 2

4

你不能。RefCell::borrow返回 a Ref<T>,而不是 a &T。如果您尝试在方法中执行此操作,则需要先借用,Ref<T>但它会超出范围。

而不是实现Deref,你可以有一个方法来返回一些东西:

impl ShyObject {
    fn as_deref(&self) -> impl Deref<Target = dyn Display> {
        self.association.borrow()
    }
}

否则,由于您只想公开Display内部数据的实现,您可以通过实际取消引用委托的不同类型来解决它:

pub struct ShyObject {
    association: Assocation<dyn Display>,
}

struct Assocation<T: ?Sized>(Rc<RefCell<T>>);

impl<T: Display + ?Sized> fmt::Display for Assocation<T> {
    fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
        write!(f, "{}", self.0.borrow())
    }
}

impl Deref for ShyObject {
    type Target = dyn Display + 'static;
    fn deref(&self) -> &Self::Target {
        &self.association
    }
}
于 2019-09-09T14:49:05.590 回答
3

你不能这样做。borrow创建一个允许跟踪借用的新结构。RefCell然后不允许您向 this 返回借用Ref,因为它是一个局部变量。

于 2019-09-09T14:45:10.153 回答