面试题:C++有多少种cast,它们的名称和功能各是什么。
一种四种。
static_cast 如整型和浮点型、字符型之间的互相转换,void 指针和具体类型指针之间的转换,例如void *转int *、char *转void *等;
const_cast 运算符仅用于进行去除 const属性或 volatile 修饰 属性的转换
reinterpret_cast 用于进行各种不同类型的指针之间、不同类型的引用之间以及指针和能容纳指针的整数类型之间的转换。转换时,执行的是逐个比特复制的操作。
dynamic_cast专门用于将多态基类的指针或引用强制转换为派生类的指针或引用,而且能够检查转换的安全性。对于不安全的指针转换,转换结果返回 NULL 指针。
static_cast
整型和浮点型、字符型之间的互相转换,void 指针和具体类型指针之间的转换
#include <iostream>
using namespace std;
int main()
{
double d = static_cast<double>(9);
int c = static_cast<int>(7.987);
cout << d << " " << c << endl;
system("pause");
return 0;
}
const_cast
仅用于进行去除 const属性或 volatile 修饰 属性的转换
#include <iostream>
using namespace std;
void InputInt(int * num)
{
cout << *num << endl;
}
int main() {
const int constant = 21;
//无法将参数 1 从“const int *”转换为“int *”
//InputInt(&constant);
InputInt(const_cast<int*>(&constant));
getchar();
return 0;
}
reinterpret_cast
用于进行各种不同类型的指针之间、不同类型的引用之间以及指针和能容纳指针的整数类型之间的转换。
#include <iostream>
using namespace std;
int main()
{
int *a = new int;
double *d = reinterpret_cast<double *>(a);
system("pause");
return 0;
}
dynamic_cast
用 reinterpret_cast 可以将多态基类(包含虚函数的基类)的指针强制转换为派生类的指针,但是这种转换不检查安全性,即不检查转换后的指针是否确实指向一个派生类对象。
dynamic_cast专门用于将多态基类的指针或引用强制转换为派生类的指针或引用,而且能够检查转换的安全性。
特点:
(1)其他三种都是编译时完成的,dynamic_cast是运行时处理的,运行时要进行类型检查。
(2)不能用于内置的基本数据类型的强制转换。
(3)dynamic_cast转换如果成功的话返回的是指向类的指针或引用,转换失败的话则会返回NULL。
(4)使用dynamic_cast进行转换的,基类中一定要有虚函数,否则编译不通过。
需要检测有虚函数的原因:类中存在虚函数,就说明它有想要让基类指针或引用指向派生类对象的情况,此时转换才有意义。 由于运行时类型检查需要运行时类型信息,而这个信息存储在类的虚函数表中,只有定义了虚函数的类才有虚函数表。
#include <iostream>
using namespace std;
class A {
public:
virtual void foo() {
cout << "A foo" << endl;
}
void pp() {
cout << "A pp" << endl;
}
};
class B : public A {
public:
void foo() {
cout << "B foo" << endl;
}
void pp() {
cout << "B PP" << endl;
}
void functionB() {
cout << "Excute FunctionB!" << endl;
}
};
int main()
{
B b;
A *pa = &b;
pa->foo();
pa->pp();
//基类指针可以指向派生类,但是只能调用基类和派生类都存在的成员,也就是说不能调用派生类中新增的成员!
//pa->FunctionB();//error: 'class A' has no member named 'FunctionB'
if (dynamic_cast<B*>(pa) == NULL) {
cout << "NULL" << endl;
}
else {
dynamic_cast<B*>(pa)->foo();
dynamic_cast<B*>(pa)->pp();
dynamic_cast<B*>(pa)->functionB();
}
system("pause");
return 0;
}