本文讨论static_cast 和 reinterpret_cast。
介绍
大多程序员在学C++前都学过C,并且习惯于C风格(类型)转换。当写C++(程序)时,有时候我 们在使用static_cast和reinterpret_cast时可能会有点模糊。在本文中,我将说明 static_cast实际上做了什么,并且指出一些将会导致错误的情况。
泛型(Generic Types)
情况1:两个无关的类之间的转换
正如我们在泛型例子中所认识到的,如果你尝试转换一个对象到另一个无关的类static_cast将失败,而reinterpret_cast就总是成功“欺骗”编译器:那个对象就是那个无关类。
CBaseX* pX = new CBaseX();
CBaseY* pY1 = static_cast(pX); // Error
CBaseY* pY2 = reinterpret_cast(pX);
// Compile OK, but pY2 is not CBaseX
pY2->bar(); // System crash!!
情况2:转换到相关的类
1. CDerived* pD = new CDerived();
2. printf("CDerived* pD = %x/n", (int)pD);
3.
4. // static_cast CDerived* -> CBaseY* -> CDerived*
//成功编译,隐式static_cast转换
5. CBaseY* pY1 = pD;
6. printf("CBaseY* pY1 = %x/n", (int)pY1);
7. CDerived* pD1 = static_cast(pY1); // OK
8. printf("CDerived* pD1 = %x/n", (int)pD1);
9.
10. // reinterpret_cast
11. CBaseY* pY2 = reinterpret_cast(pD);
// 成功编译, 但是 pY2 不是 CBaseY*
12. printf("CBaseY* pY2 = %x/n", (int)pY2);
13.
14. // 无关的 static_cast
15. CBaseY* pY3 = new CBaseY();
16. printf("CBaseY* pY3 = %x/n", (int)pY3);
17. CDerived* pD3 = static_cast(pY3);
// 成功编译,尽管 pY3 只是一个 "新 CBaseY()"
18. printf("CDerived* pD3 = %x/n", (int)pD3);
---------------------- 输出 --------------------------- CDerived* pD = 392fb8
CBaseY* pY1 = 392fbc
CDerived* pD1 = 392fb8
CBaseY* pY2 = 392fb8
CBaseY* pY3 = 390ff0
CDerived* pD3 = 390fec
注意:在将CDerived*用隐式 static_cast转换到CBaseY*(第5行)时,结果是(指向)CDerived*(的指针向后) 偏移了4(个字节)(译注:4为int类型在内存中所占字节数)。为了知道static_cast 实际如何,我们不得不要来看一下CDerived的内存布局。
CDerived的内存布局(Memory Layout)
CBaseY* pY = pD; // 成功编译, pY = pD + 4
printf("CBaseY* pY = %x/n", (int)pY);
void* pV1 = pY; //成功编译, pV1 = pY
printf("void* pV1 = %x/n", (int)pV1);
// pD2 = pY, 但是我们预期 pD2 = pY - 4
CDerived* pD2 = static_cast(pV1);
printf("CDerived* pD2 = %x/n", (int)pD2);
// 系统崩溃
// pD2->bar();