#include <iostream>
class F
{
public:
F() {}
//virtual ~F() {}
virtual void Print()
{
std::cout << "F::Print()" << std::endl;
}
};
class S : public F
{
public:
S() {}
~S() {}
void Print()
{
std::cout << "S::Print()" << std::endl;
}
public:
int tmp_ = 0;
};
int main()
{
S s;
F f;
//向下转型,由父变子
S* s1 = dynamic_cast<S*>(&f);
//此处s1为nullptr,表明dynamic_cast有提升安全的功能,故不会进入条件语句中。
//因为此处f指向的是基类,而非某个具体的派生类,仅和下面static_cast作对比测试
if (s1)
{
s1->Print();
std::cout << s1->tmp_ << std::endl;
}
//S* s2 = static_cast<S*>(&f);
//向下转型static_cast没有安全检测,会进入到下方条件语句中,在输出子类tmp_时抛出异常
//if (s2)
//{
//s2->Print();
//std::cout << s1->tmp_ << std::endl;
//}
//正常的向下转型应用场景:当知晓父类的指针指向了某一个子类的对象时,调用转换函数,进行转换
F* f3 = new S();
S* s3 = dynamic_cast<S*>(f3);
if (s3)
{
s3->Print();
std::cout << s3->tmp_ << std::endl;
}
//向上转型 虚函数表找到子类重写过的虚函数,实则为子类对象调用
F* f1 = dynamic_cast<F*>(&s);
if (f1)
{
//父类指针其实指向了该子类对象
f1->Print();
}
//向上转型static_cast和dynamic_cast效果一样
F* f2 = static_cast<F*>(&s);
if (f2)
{
f2->Print();
}
return 0;
}
//输出结果如下
//S::Print()
//0
//S::Print()
//S::Print()