如何将 Box<dyn Trait> 转换为 Rc<dyn Trait>?
How do you convert a Box<dyn Trait> to a Rc<dyn Trait>?
我有一个接收 Box<dyn Trait>
的函数,需要将其转换为 Rc<dyn Trait>
以在线程内共享只读所有权。
有了一些 T: Sized
的 Box<T>
,我们可以做到 Rc::new(*my_box)
,但不幸的是 that doesn't work for unsized trait objects。
这里有一个过于简单的例子,希望能澄清问题:
use std::rc::Rc;
pub trait Trait {}
pub struct Foo {}
impl Trait for Foo {}
fn main() {
let trait_box: Box<dyn Trait> = Box::new(Foo {});
let trait_rc: Rc<dyn Trait> = Rc::new(*trait_box); // -> Error
}
我看到 some things here and there 关于公开内部 RcBox
以支持在 Box
和 Rc
之间移动,但据我所知它今天不可用。
有解决办法吗?
或者如果这种类型的转换是不可能的,那么推荐的存储特征对象的方法是什么,该特征对象可以在一定程度上发生变异,然后在该点之后与程序的其余部分不可变地共享?
使用 Rc<RefCell<dyn Trait>>
似乎有点矫枉过正,因为我知道到那时我只有一个所有者...
Rc<T>
implements impl<T> From<Box<T, Global>>
so you can just use into
:
let trait_rc: Rc<dyn Trait> = trait_box.into();
我有一个接收 Box<dyn Trait>
的函数,需要将其转换为 Rc<dyn Trait>
以在线程内共享只读所有权。
有了一些 T: Sized
的 Box<T>
,我们可以做到 Rc::new(*my_box)
,但不幸的是 that doesn't work for unsized trait objects。
这里有一个过于简单的例子,希望能澄清问题:
use std::rc::Rc;
pub trait Trait {}
pub struct Foo {}
impl Trait for Foo {}
fn main() {
let trait_box: Box<dyn Trait> = Box::new(Foo {});
let trait_rc: Rc<dyn Trait> = Rc::new(*trait_box); // -> Error
}
我看到 some things here and there 关于公开内部 RcBox
以支持在 Box
和 Rc
之间移动,但据我所知它今天不可用。
有解决办法吗?
或者如果这种类型的转换是不可能的,那么推荐的存储特征对象的方法是什么,该特征对象可以在一定程度上发生变异,然后在该点之后与程序的其余部分不可变地共享?
使用 Rc<RefCell<dyn Trait>>
似乎有点矫枉过正,因为我知道到那时我只有一个所有者...
Rc<T>
implements impl<T> From<Box<T, Global>>
so you can just use into
:
let trait_rc: Rc<dyn Trait> = trait_box.into();