YouTube视频链接
C++的类型转换
本文是ChernoP69视频的学习笔记。
这里的类型转换是指在C++可用的类型系统中进行的类型转换。类型转换分为隐式和显示。
隐式转换如下
int a = 5;
double value = a;double value=5.25;
int a=value;
显示转换如下
double value=5.25;
int a=(int)value;double value=5.25;
double a=(int)value+5.3;
还可以用C++的方式cast,这里使用static_cast(静态类型转换)。
double s&#61;static_cast<int>(value)&#43;5.3;
C&#43;&#43;的风格转换有很多&#xff0c;除了static_cast还有reinterpret_cast、dynamic_cast、const_cast这四种。reinterpret_cast就像类型双关一样&#xff0c;把这段内存重新解释成别的东西。const_cast指用来除或者添加变量的const限定。
如下代码&#xff0c;若尝试把value转换成AnotherClass类型会造成错误&#xff0c;这是由构造函数引起的。若加上指针则是一个无效的类型转换。
即使获取了它的内存地址&#xff0c;给了一个int指针&#xff0c;试图对它进行类型双关也不行&#xff0c;这也是一个无线的类型转换。
对于类型双关需要使用reinterpret_cast。我们将value指针处的数据重新解释为AnotherClass实例的数据&#xff0c;但这会增加编译时的检查。
double s &#61; reinterpret_cast<AnotherClass*>(&value) &#43; 5.3;
假设有一个Derived类的实例&#xff0c;但想把它转换成Base类型。那么Base指针是Derived类的实例还是AnotherClass类的实例&#xff1f;它们都是从Base类扩展而来。我们可以使用dynamic_cast&#xff0c;假装不知道base是Derived类的一个实例&#xff0c;dynamic_cast会先判断是否可以这样转换。在第30行设置断点&#xff0c;按F5运行。再按F10发现ac等于NULL。
#includeclass Base
{
public:Base() { }virtual ~Base() { }
};class Derived : public Base
{
public:Derived() { }~Derived() { }
};class AnotherClass :public Base
{
public:AnotherClass(){}~AnotherClass(){}
};int main()
{Derived* derived &#61; new Derived();Base* base &#61; derived;AnotherClass* ac &#61; dynamic_cast<AnotherClass*>(base);if (ac){std::cout << "hello" << std::endl;}std::cin.get();
}
可以通过不打印hello来判断是空。
我们知道base实际上是Derived类实例&#xff0c;因此把AnotherClass改成Derived就行。按F5运行再按F10。
发现指针是有效的&#xff0c;说明类型转换是成功的。所以dynamic_cast是一个很好的方法来查看转换是否成功。