reinterpret_cast:一个指针转化为其他类型的指针时,不做类型检测,操作结果是一个指针指向另一个指针的值的二进制拷贝;
static_cast:允许执行隐式转换和相反的转换操作,父类转换为子类是强制转换Son *son=static_cast(father),而子类转换为父类就是隐式转换;
dynamic_cast:用于对象的指针和引用,当用于多态类型转换时,允许隐式转换及相反的过程中,与static_cast的不同之处在于,在相反的转换过程中,dynamic_cast会检测操作的有效性,如果返回的不是被 请求的 有效完整对象,则返回null,反之返回这个有效的对象,如果是引用返回无效时则会抛出bad_cast异常;
const_cast:这个转换操作会操纵传递对象的const属性,或者设置或者移除该属性。
1static_cast
转换功能与C风格类型转换一样,含义也一样。通过使用static_cast可以使没有继承关系的类型进行转换。但是要注意不能将内置类型转化为自定义类型,或者将自定义类型转化为内置类型,并且不能将cosnt类型去掉,但能将non-cosnt类型转换为const类型。例如:
char a=’a’;
int b=static_cast(a);
两个类型之间的转换,其实也是要自己实现支持,原理和内置类型之间转换相似。
#include <iostream>
class Car;
class People
{
public:
People(int a,int h)
:age(a),height(h)
{}
inline int getAge() const
{
return age;
}
inline int getHeight() const
{
return height;
}
People & operator=(const Car& c);
private:
int age;
int height;
};
class Car
{
public:
Car(double c, double w)
:cost(c),weight(w)
{}
inline double getCost() const
{
return cost;
}
inline double getWeight() const
{
return weight;
}
Car & operator=(const People& c);
private:
double cost;
double weight;
};
People & People::operator=(const Car& c)
{
age = static_cast<int>(c.getCost());
height = static_cast<int>(c.getWeight());
return *this;
}
Car & Car::operator=(const People& c)
{
cost = static_cast<double>(c.getAge());
weight = static_cast<double>(c.getHeight());
return *this;
}
int main(int argc,char * argv[])
{
Car c(1000.87,287.65);
People p(20,66);
People p2(0,0);
Car c2(0.00,0.00);
p2=c;
c2=p;
std::cout<< "car'info: cost is " << c2.getCost() << ". weight is " << c2.getWeight() <<std::endl;
std::cout<< "people'info: age is " << p2.getAge() <<". height is " << p2.getHeight() <<std::endl;
return 0;
}
运行结果为
car'info: cost is 20. weight is 66
people'info: age is 1000. height is 287
2const_cast
主要用来去掉const和volatileness属性,大多数情况下是用来去掉const限制。
3dynamic_cast
它用于安全地沿着继承关系向下进行类型转换。一般使用dynamic_cast把指向基类指针或者引用转换成其派生类的指针或者引用,并且当转换失败时候,会返回空指针。
4reinterprit_cast
该转换最普通用途就是在函数指针类型之间进行转换。
typedef void (*fun) ( ) //一个指向空函数的指针
fun funArray[10]; //含有10个函数指针的数据。
int function( ); //一个返回值为int类型函数
funArray[0] = &function( ) //错误!类型不匹配
funArray[0] = reinterpret_cast<fun>(&function); //ok
注意转换函数指针的代码是不可移植的。一般应该避免去转换函数指针类型。