c++ casting base class to derived class mess
If I were to create a base class called base
and derived classes called derived_1
, derived_2
etc... I use 开发者_如何学Ca collection of instances of the base class, then when I retrieved an element and tried to use it I would find that C++ thinks it's type is that of the base class, probably because I retrieved it from a std::vector
of base. Which is a problem when I want to use features that only exist for the specific derived class who's type I knew this object was when I put it into the vector.
So I cast the element into the type it is supposed to be and found this wouldn't work.
(derived_3)obj_to_be_fixed;
And remembered that it's a pointer thing. After some tweaking this now worked.
*((derived_3*)&obj_to_be_fixed);
Is this right or is there for example an abc_cast()
function that does it with less mess?
edit:
I had to expand this into another question, the full solutions are shown there. stackoverflow.com ... why-the-polymorphic-types-error-and-cleanup-question
If you store your objects in a std::vector<base>
there is simply no way to go back to the derived class. This is because the derived part has been sliced of when storing it in an instance of base class (afterall your vector contains copies of your data, so it happily copies only the base part of your objectes), making the stored object a true instance of base class, instead of a derived class used as a base class.
If you want to store polymorphic objects in the vector make it a std::vector<base*>
(or some kind of smartpointer to base, but not base itself) and use dynamic_cast<derived_3*>
to cast it to the correct type (or static_cast
, if its performance sensitive and you are confident enough that you are trying to cast to the correct type (in that case horrible things will happen if you are wrong, so beware)).
If you are using a vector
of base
then all your instances are base
instances and not derived instances.
If you try to insert a derived instance, the object will be sliced. Inserting into a vector
always involves a copy and the target type is determined by the type of the object that the vector holds. A vector
cannot hold objects of different types.
Most of the time you shall not need to do this. A carefully designed class hierarchy can handle this by polymorphism (i.e. virtual functions).
If you really need to cast to the derived type, use dynamic_cast
operator.
What you are trying to do is not even remotely possible. If the objects stored in your container have type base
, then they are base
, period. They are not derived
objects, they will never become derived
objects and they cannot be used as derived
objects regardless of what you do.
Your cast through pointers is nothing than just a hack that reinterprets memory occupied by base
object as derived
object. This is totally meaningless and can only "work" by accident.
精彩评论