问题
Given the code
trait Base { }
trait Derived : Base { }
struct Foo { }
impl Base for Foo { }
impl Derived for Foo { }
fn main()
{
let b : Box<Derived> = Box::new( Foo { } );
let a : Box<Base> = b;
}
When I compile as I'm sure you know I get the following error message:
error[E0308]: mismatched types
--> src/main.rs:14:25
|
14 | let a : Box<Base> = b;
| ^ expected trait `Base`, found trait `Derived`
|
= note: expected type `std::boxed::Box<Base>`
found type `std::boxed::Box<Derived>`
Why am I not allowed to do this? If a Box contains a Dervied it is guaranteed that this also contains a Base. Is there any way to do this? And if not, what is a common way to for instance store a vector of different Traits that all have the same base Trait?
回答1:
The short answer is because traits are not interfaces.
The long answer is because a &Base
trait object and a &Derived
trait object are not the same thing. The vtables are different because Derived
and Base
are different traits. The vtable for Derived
would include all of Dervied
's methods as well as all of Base
's while the vtable for &Base
would only include Base
's methods.
Now, obviously, Base
's methods are in &Derived
's vtable. So perhaps you could do something clever and get the behavior you want:
If the
Base
's methods were listed first in&Derived
's vtable, then you could just cast&Derived
to&Base
and that would work. However,&Derived
and&Base
vtables have different lengths and doing so would chop off everything past the end of&Base
. So if you try to call a method on that object which is part ofDerived
, you'll invoke undefined behavior.You could run some magic code which would analyze the definitions of
&Base
and&Derived
and be able to construct a vtable for&Base
from&Derived
. This would require additional information at runtime about these types and their layout. This would also have a non-zero performance cost in addition to the additional memory usage. One of the basic principles of Rust is "zero cost abstractions" which generally means that potentially expensive operations are explicit and not implicit (iflet a: Box<Base> = b;
did this, it would generally be considered too implicit).
It's difficult to say in general what a better pattern is. If you are modeling a closed-set of items, enums are generally a better way to go:
enum Animal {
Dog { name: String, age: u8 },
Cat { name: String, age: u8, sleeping: bool },
Fish { name: String, age: u8, in_ocean: bool },
}
If you are trying to do something more complicated, Entity Component Systems like specs can give you a lot more flexibility than a simple enum.
来源:https://stackoverflow.com/questions/49543778/why-cant-i-cast-a-box-with-an-extended-trait-to-a-box-with-the-base-trait