目录
一.C语言中的类型转换
二.C++中的类型转换
1.C++中的四种类型转换
2.为什么C++需要四种类型转换
3.C++中类型转换的使用
a.static_cast
b.reinterpret_cast
c.const_cast
d.dynamic_cast
一.C语言中的类型转换
void Test ()
{
int i = 1;
// 隐式类型转换
double d = i;
printf("%d, %.2f\n" , i, d);
int* p = &i;
// 显示的强制类型转换
int address = (int) p;
printf("%x, %d\n" , p, address);
}
在C语言中,这样是不可以的,但是在C++中是可以的。
const int n = 10;
int a[n];
原因:
1. C++中的const可以看成是编译期的常量,编译器先不给它分配空间,只是在编译的时候把它的值保存在名字表中,
2.所以在定义数组时,已经可以知道它的值了,但是如果加上关键字extern或者取其地址,则会分配空间。
C++中:
原因:
此处是因为编译器的优化,但是这样做是有风险的,在C++中因为n是const的所以此时程序不会从内存中取数据,而是先保存到寄存器中然后从寄存器中取数据。所以此时打印的仍然是0。
通过volatile 可以解决上面的问题。告诉编译器每次访问时从内存中去取数据。
C语言中:
二.C++中的类型转换
1.C++中的四种类型转换
标准C++为了加强类型转换的可视性,引入了四种命名的强制类型转换操作符:
2.为什么C++需要四种类型转换
3.C++中类型转换的使用
a.static_cast
int main()
{
double d = 12.34;
int a = static_cast<int>(d);
cout<<a<<endl;
return 0;
}
b.reinterpret_cast
int main()
{
double d = 12.34;
int a = static_cast<int>(d);
cout << a << endl;
// 这里使用static_cast会报错,应该使用reinterpret_cast
//int *p = static_cast<int*>(a);
int *p = reinterpret_cast<int*>(a);
return 0;
}
c.const_cast
void Test ()
{
const int a = 2;
int* p = const_cast< int*>(&a );
*p = 3;
cout<<a <<endl;
}
d.dynamic_cast
class A
{
public :
virtual void f(){}
};
class B : public A
{};
void fun (A* pa)
{
// dynamic_cast会先检查是否能转换成功,能成功则转换,不能则返回
B* pb1 = static_cast<B*>(pa);
B* pb2 = dynamic_cast<B*>(pa);
cout<<"pb1:" <<pb1<< endl;
cout<<"pb2:" <<pb2<< endl;
}
int main ()
{
A a;
B b;
fun(&a);
fun(&b);
return 0;
}