0

static_cast我对 C++有一些疑问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;
}

构造函数没有被调用,但是方法被调用了。这怎么可能?

4

1 回答 1

12

演员表根本不会改变对象。它们只为您提供指向继承层次结构中相关类类型的不同指针:

Derived x;

Base         * p = &x;
AnotherClass * q = dynamic_cast<AnotherClass*>(p);

// q may or may not be NULL

例如,如果我们有一个层次结构AnotherClass : BaseDerived : AnotherClass(并且Base是多态的),上述动态转换就会成功。

当您已经知道您有一个更派生的动态类型,但碰巧只有一个指针或对基的引用static_cast时,通常可以使用A。

(静态转换永远不能用于从虚拟基础进行转换,在这种情况下,您总是需要dynamic_cast.)

于 2012-08-27T22:27:59.403 回答