赞
踩
目录
在C语言中,如果赋值运算符左右两侧类型不同,或者形参与实参类型不匹配,或者返回值类型与接收返回值类型不一致时,就需要发生类型转换,C语言中总共有两种形式的类型转换:
- #define _CRT_SECURE_NO_WARNINGS 1
-
- #include <iostream>
- #include <stdio.h>
- using namespace std;
-
- 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);
- }
-
- int main()
- {
-
- Test();
-
- return 0;
- }
缺陷:
转换的可视性比较差,所有的转换形式都是以一种相同的形式书写,难以跟踪错误的转换。
C风格的转换格式很简单,但是缺点也不少:
因此C++提出了自己的类型转换风格,注意:因为C++要兼容C语言,所以C++中还可以使用C语言的转换风格。
标准C++为了加强类型转换的可视性,引入了四种命名的强制类型转换操作符:
static_cast用于非多态类型的转换(静态转换),编译器隐式执行的任何类型转换都可用static_cast,但它不能用于两个不相关的类型进行转换。
- #define _CRT_SECURE_NO_WARNINGS 1
-
- #include <iostream>
- using namespace std;
-
- int main()
- {
-
- double d = 12.34;
- int a = static_cast<int>(d);
-
- cout << a << endl;
-
- return 0;
- }
reinterpret_cast操作符通常为操作数的位模式提供较低层次的重新解释,用于将一种类型转换为另一种不同的类型。
- #define _CRT_SECURE_NO_WARNINGS 1
-
- #include <iostream>
- using namespace std;
-
- 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;
- }
const_cast最常用的用途就是删除变量的const属性,方便赋值。
- #define _CRT_SECURE_NO_WARNINGS 1
-
- #include <iostream>
- using namespace std;
-
- int main()
- {
-
- const int a = 2;
- int* p = const_cast<int*>(&a);
- *p = 3;
-
- return 0;
- }
dynamic_cast用于将一个父类对象的指针/引用转换为子类对象的指针/引用(动态转换)
注意:
- #define _CRT_SECURE_NO_WARNINGS 1
-
- #include <iostream>
- using namespace std;
-
- 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;
- }
注意:
强制类型转换关闭或挂起了正常的类型检查,每次使用强制类型转换前,程序员应该仔细考虑是否还有其他不同的方法达到同一目的,如果非强制类型转换不可,则应限制强制类型转换值的作用域,以减少发生错误的机会。强烈建议:避免使用强制类型转换。
RTTI:Run-time Type identification的简称,即:运行时类型识别。
C++通过以下方式来支持RTTI:
感谢各位大佬支持!!!
互三啦!!!
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。