如何将 Rc<RefCell<dyn T>> 传递给想要 &dyn T 的 fn?
How to pass Rc<RefCell<dyn T>> to fn that wants &dyn T?
我无法将参数传递给 fn。
trait T {}
struct S {
others: Vec<Rc<RefCell<dyn T>>>
}
impl S {
fn bar(&self) {
for o in self.others {
foo(&o.borrow());
}
}
}
fn foo(t: &dyn T) {}
编译器告诉我:
error[E0277]: the trait bound `std::cell::Ref<'_, (dyn T + 'static)>: T` is not satisfied
--> src/lib.rs:14:17
|
14 | foo(&o.borrow());
| ^^^^^^^^^^^ the trait `T` is not implemented for `std::cell::Ref<'_, (dyn T + 'static)>`
|
= note: required for the cast to the object type `dyn T`
我认为这就像 rust book 中的 example 一样,其中 Rc
被自动解除引用并从 RefCell 中获取值,我可以调用 borrow()
。
我也尝试过显式取消引用,但似乎没有任何效果。
如何为 self
中的每个 dyn T
对象调用 foo()
?
如错误所述,Ref<X>
不会自动实现 X
实现的每个特征。对于要强制转换为特征对象的类型,它需要实现该特征。
您可以明确取消对 Ref
的引用,然后再次借用它:
impl S {
fn bar(&self) {
for o in &self.others {
foo(&*o.borrow());
}
}
}
我无法将参数传递给 fn。
trait T {}
struct S {
others: Vec<Rc<RefCell<dyn T>>>
}
impl S {
fn bar(&self) {
for o in self.others {
foo(&o.borrow());
}
}
}
fn foo(t: &dyn T) {}
编译器告诉我:
error[E0277]: the trait bound `std::cell::Ref<'_, (dyn T + 'static)>: T` is not satisfied
--> src/lib.rs:14:17
|
14 | foo(&o.borrow());
| ^^^^^^^^^^^ the trait `T` is not implemented for `std::cell::Ref<'_, (dyn T + 'static)>`
|
= note: required for the cast to the object type `dyn T`
我认为这就像 rust book 中的 example 一样,其中 Rc
被自动解除引用并从 RefCell 中获取值,我可以调用 borrow()
。
我也尝试过显式取消引用,但似乎没有任何效果。
如何为 self
中的每个 dyn T
对象调用 foo()
?
如错误所述,Ref<X>
不会自动实现 X
实现的每个特征。对于要强制转换为特征对象的类型,它需要实现该特征。
您可以明确取消对 Ref
的引用,然后再次借用它:
impl S {
fn bar(&self) {
for o in &self.others {
foo(&*o.borrow());
}
}
}