自学内容网 自学内容网

C++类型转换

🌟🌟hello,各位读者大大们你们好呀🌟🌟
🚀🚀系列专栏:【C++的学习】
📝📝本篇内容:C语言中的类型转换;C++强制类型转换;static_cast;reinterpret_cast;const_cast;dynamic_cast;RTTI
⬆⬆⬆⬆上一篇:C++单例模式
💖💖作者简介:轩情吖,请多多指教(> •̀֊•́ ) ̖́-

1.C语言中的类型转换

在我们C语言中,转换的可视性比较差,所有的转换形式都是以一种相同的形式写的,难以跟踪错误的转换
在C语言中,转换分为两种:隐式类型转换和显式类型转换(强转)

#include <iostream>
using namespace std;
int main()
{
//隐式类型转换
double d = 11.1;
int x = d;

//隐式类型转换需要两个类型的意义相同
int* ptr = &x;
//int y = ptr;//error

//显式类型转换(强转)
int y = (int)ptr;


return 0;
}

C++中还是可以使用C语言式的转换,因为C++要兼容C语言

2.C++强制类型转换

标准C++为了加强类型转换的可视性,引入了四种命名的强制类型转换操作符:static_cast、reinterpret_cast、const_cast、dynamic_cast

2.1.static_cast

用于非多态类型的转换(静态转换),编译器隐式执行的任何类型转换都可以用它,但它不能用于两个不相关的类型进行转换

#include <iostream>
using namespace std;
int main()
{
int x = 10;
double d = static_cast<double>(x);
cout << d << endl;

float f = 11.1f;
int y = static_cast<int>(f);
cout << y<< endl;
return 0;
}

2.2.reinterpret_cast

首先要讲一下这个操作符的读法
在这里插入图片描述
这个操作符通常为操作数的位模式提供低层次的重新解释,用于将一种类型转换为另一种不同的类型

#include <iostream>
using namespace std;
int main()
{
int x = 10;
int* ptr = &x;
printf("%x\n", ptr);
int y = reinterpret_cast<int>(ptr);
printf("%x\n",y);


return 0;
}

2.3.const_cast

最常用的用途就是删除变量的const属性,方便赋值

#include <iostream>
using namespace std;
int main()
{
const int x = 10;
const int* ptr = &x;//用const修饰了ptr指向的值,因此它指向的值不能修改

int* ptr1 = const_cast<int*>(ptr);//这边通过const_cast删除了const属性,使他可以赋值

*ptr1 = 100;

cout << x << endl;
cout << *ptr1<< endl;

return 0;
}

在这里插入图片描述

为什么结果没有修改呢?这是因为编译器会进行优化,对于用const修饰的变量,要么放在寄存器要么像#define一样,因此常常对其操作修改,打印出来结果不会变,但是可以加上volatile让编译器不优化

#include <iostream>
using namespace std;
int main()
{
volatile const int x = 10;
volatile const int* ptr = &x;//用const修饰了ptr指向的值,因此它指向的值不能修改

int* ptr1 = const_cast<int*>(ptr);//这边通过const_cast删除了const属性,使他可以赋值

*ptr1 = 100;

cout << x << endl;
cout << *ptr1<< endl;

return 0;
}

在这里插入图片描述

2.4.dynamic_cast

用于将一个父类对象的指针或者引用转换为子类的指针或引用(动态转换)
向上转型:子类对象指针/引用->父类指针/引用(不需要转换,赋值兼容规则,切片)
向下转型:父类对象指针/引用->子类指针/引用(用dynamic_cast转换是安全的)
注意:
dynamic_cast只能用于父类含有虚函数的类
dynamic_cast会先检查是否能转换成功,能成功则转换,不能则返回0

#include <iostream>
using namespace std;
class Base
{
public:
virtual void Test()//基类没有虚函数就不能使用dynamic_cast,无法编译
{
}
};

class Derive:public Base
{
public:
};

void Func(Base* b)
{
Derive* ret= dynamic_cast<Derive*>(b);
cout << ret << endl;
}

void Func1(Base& b)
{
Derive& ret = dynamic_cast<Derive&>(b);
}

int main()
{
Derive d;
Func(&d);

Derive d1;
Func1(d1);

Base b;
Func(&b);//无法转换成功

return 0;
}

3.RTTI

RTTI:Run-time Type identification的简称,即:运行时类型识别。
C++通过以下方式来支持RTTI:
①typeid运算符
②dynamic_cast运算符
③decltype

🌸🌸C++类型转换的知识大概就讲到这里啦,博主后续会继续更新更多C++的相关知识,干货满满,如果觉得博主写的还不错的话,希望各位小伙伴不要吝啬手中的三连哦!你们的支持是博主坚持创作的动力!💪💪


原文地址:https://blog.csdn.net/m0_73372323/article/details/144148124

免责声明:本站文章内容转载自网络资源,如本站内容侵犯了原著者的合法权益,可联系本站删除。更多内容请关注自学内容网(zxcms.com)!