我对C ++中的static_cast
和dynamic_cast
有些怀疑。他们完全通过保留已设置的成员变量(除了那些无法传递的成员变量),将指针指向的对象从类A
更改为类B
从派生到基础)?
我注意到,如果我有像
这样的东西struct Base
{
Base() { }
virtual ~Base() { }
virtual void Method() { cout << "Base Method"; }
};
class Derived : public Base
{
public:
virtual void Method() { cout << "Override Method"; }
};
struct Derived2 : public Derived
{
Derived2() { cout << "Derived2 constructor"; }
void Method() { cout << "Override2 Method"; }
};
int main()
{
Base *myPointer = new Derived();
static_cast<Derived2*>(myPointer)->Derived2::Method();
delete myPointer;
return 0;
}
不会调用构造函数,但方法会调用。这怎么可能?
答案 0 :(得分:12)
演员阵容根本不会改变对象。它们只为继承层次结构中的相关类类型提供了不同的指针:
Derived x;
Base * p = &x;
AnotherClass * q = dynamic_cast<AnotherClass*>(p);
// q may or may not be NULL
例如,如果我们有一个层次结构AnotherClass : Base
和Derived : AnotherClass
(并且Base
是多态的),则上述动态广告系列会成功。
当您已经知道您有更多派生的动态类型,但碰巧只有指针或对基础的引用时,通常可以使用static_cast
。
(静态强制转换永远不能用于从虚拟基础进行强制转换,在这种情况下,总是需要dynamic_cast
。)