class A
{
int a;
};
class B
{
int b;
};
class C : public A
{
int c;
};
int main()
{
B b;
C c;
A* p1 = (A*) &b; // 这句是c风格的强制类型转换,编译不会报错,留下了隐患
A* p2 = static_cast<A*>(&b); // static_cast在编译时进行了类型检查,直接报错
A* p3 = dynamic_cast<A*>(&b);
A* p4 = (A*) &c;
A* p5 = static_cast<A*>(&c);
A* p6 = dynamic_cast<A*>(&c);
return 0;
}
编译直接报错:
cast.cpp: In function 'int main()':
cast.cpp:22:31: error: invalid static_cast from type 'B*' to type 'A*'
cast.cpp:23:32: error: cannot dynamic_cast '& b' (of type 'class B*') to type 'class A*' (source type is not polymorphic)
应使用static_cast取代c风格的强制类型转换,较安全。
================================================================================
C++四种强制类型转换的总结
C风格的强制类型转换(Type Cast)很简单,不管什么类型的转换统统是:
TYPE b = (TYPE)a
C++风格的类型转换提供了4种类型转换操作符来应对不同场合的应用。
const_cast,字面上理解就是去const属性。
static_cast,命名上理解是静态类型转换。如int转换成char。
dynamic_cast,命名上理解是动态类型转换。如子类和父类之间的多态类型转换。
reinterpreter_cast,仅仅重新解释类型,但没有进行二进制的转换。
4种类型转换的格式,如:
TYPE B = static_cast(TYPE)(a)
const_cast
去掉类型的const或volatile属性。
struct SA {
int i;
};
const SA ra;
//ra.i = 10; //直接修改const类型,编译错误
SA &rb = const_castSA&>(ra);
rb.i = 10;