C++中的向上型別轉換和向下型別轉換

工程師WWW發表於2014-04-04

在C++的世界中有這樣兩個概念,向上型別轉換,向下型別轉換,分別描述的是子類向基類和基類向子類的強制型別轉換。

向上強制型別轉換

切割:覆蓋方法和子類資料丟失的現象生成切割(slice)。

class Base
{
public:
int b;
virtual void Test()
{
cout << "base" <<endl;
}
};

class Derived:public Base
{
public:
int d;
virtual void Test()
{
cout << "derived" <<endl;
}
};

int main()
{

Derived d;
Base b = d;//直接賦值(產生切割)
b.Test();

Base& b2 = d;//使用引用賦值(不產生切割)
b2.Test();

Base* b3 = &d;//使用指標賦值(不產生切割)
b3->Test();

return 1;
}

因此,我們得出結論,在向上強制轉換過程中,使用指標和引用不會造成切割,而使用直接賦值會造成切割。

向下強制型別轉換

使用dynamic_cast進行向下強制型別轉換。使用此關鍵字有一下幾個條件:

1、必須有虛擬函式;
2、必須開啟編譯器的RTTI開關(vc6: progect-> settings -> c/c++ tab ->category[c++ language]-> Enable RTTI);
3.必須有繼承關係。

Base *b = new Derived;
Derived *d = dynamic_cast<Derived*>(b);
if(!d)
{
cout << "dynamic cast err!"<<endl;
}
else
{
d->Test();
}

本例子中,符合以上條件,轉換成功。否則,會丟擲std::bad_cast異常,轉換返回NULL。

因此,我們可以使用dynamic_cast來判斷兩個類是否存在繼承關係。

相關文章