C风格的强制类型转换(Type Cast)很简单,不管什么类型的转换统统是:
TYPE b = (TYPE)a。
C++风格的类型转换提供了4种类型转换操作符来应对不同场合的应用。
const_cast,字面上理解就是去const属性。
static_cast,命名上理解是静态类型转换。如int转换成char。
dynamic_cast,命名上理解是动态类型转换。如子类和父类之间的多态类型转换。
reinterpret_cast,仅仅重新解释类型,但没有进行二进制的转换。
4种类型转换的格式,如:TYPE B = static_cast(TYPE)(a)。
const_cast
去掉类型的const或volatile属性。
#include <iostream> using namespace std; struct SA{ int i; }; int main(int argc,char** argv) { const SA sa; //sa.i=10;直接修改const类型,编译错误 SA &rb=const_cast<SA&>(sa); rb.i=10; printf("%d",sa.i); getchar(); return 0; }
static_cast
类似于C风格的强制转换。无条件转换,静态类型转换。用于:
1. 基类和子类之间转换:其中子类指针转换成父类指针是安全的;但父类指针转换成子类指针是不安全的。(基类和子类之间的动态类型转换建议用dynamic_cast)
2. 基本数据类型转换。enum, struct, int, char, float等。static_cast不能进行无关类型(如非基类和子类)指针之间的转换。
3. 把空指针转换成目标类型的空指针。
4. 把任何类型的表达式转换成void类型。
5. static_cast不能去掉类型的const、volitale属性(用const_cast)。
#include <iostream> using namespace std; int main(int argc,char** argv) { int n=100; double d=static_cast<double>(n); printf("%0.2f\n",d);//将会显示带有2位小数的浮点数. int *pn=&n; printf("%d\n",*pn); //double* d=static_cast<double*>(&n);//无关类型指针转换,编译错误 void *p=static_cast<void*>(pn); getchar(); return 0; }
#include <iostream> using namespace std; class Base{ public: int num; virtual void foo(){};//基类必须有虚函数。保持多台特性才能使用dynamic_cast }; class Derived:public Base{ public: char* szName[100]; void bar(){}; }; int main(int argc,char** argv) { Base *pb=new Derived(); Derived *pd1=static_cast<Derived*>(pb);//子类->父类,静态类型转换,正确但不推荐 Derived *pd2=dynamic_cast<Derived*>(pb);//子类->父类,动态类型转换,正确 Base *pb2=new Base(); Derived *pd21=static_cast<Derived*>(pb2);//父类->子类,静态类型转换,危险!访问子类m_szName成员越界 Derived *pd22=dynamic_cast<Derived*>(pb2);//父类->子类,动态类型转换,安全的。结果是NULL getchar(); return 0; }
#include <iostream> using namespace std; int dosomething(){ return 0; } typedef void(*FuncPtr)();//FuncPtr is 一个指向函数的指针,该函数没有参数,返回值类型为 void int main(int argc,char** argv) { FuncPtr funcPtrArray[10];//10个FuncPtrs指针的数组 让我们假设你希望(因为某些莫名其妙的原因)把一个指向下面函数的指针存入funcPtrArray数组: //funcPtrArray[0]=&dosomething;// 编译错误!类型不匹配,reinterpret_cast可以让编译器以你的方法去看待它们:funcPtrArray funcPtrArray[1]=reinterpret_cast<FuncPtr>(&dosomething);//不同函数指针类型之间进行转换 int *=>void* getchar(); return 0; }