static_cast和reinterpret_cast似乎都可以很好地将void*转换为另一种指针类型。是否有一个很好的理由来偏爱其中一个?
当前回答
static_cast更适合于将void*转换为其他类型的指针。
当两种类型之间存在自然的、直观的转换(不一定保证在运行时有效)时,可以选择Static_cast类型。例如,可以使用static_cast将基类指针转换为派生类指针,这种转换在某些情况下是有意义的,但直到运行时才能验证。类似地,可以使用static_cast将int类型转换为char类型,这是定义良好的,但在执行时可能会导致精度损失。
reinterpret_cast, on the other hand, is a casting operator designed to do conversions that are fundamentally not safe or not portable. For example, you can use reinterpret_cast to convert from a void * to an int, which will work correctly if your system happens to have sizeof (void*) ≤ sizeof (int). You can also use reinterpret_cast to convert a float* to an int* or vice-versa, which is platform-specific because the particular representations of floats and ints aren't guaranteed to have anything in common with one another.
In short, if you ever find yourself doing a conversion in which the cast is logically meaningful but might not necessarily succeed at runtime, avoid reinterpret_cast. static_cast is a good choice if you have some advance knowledge that the cast is going to work at runtime, and communicates to the compiler "I know that this might not work, but at least it makes sense and I have a reason to believe it will correctly do the right thing at runtime." The compiler can then check that the cast is between related types, reporting a compile-time error if this isn't the case. Using reinterpret_cast to do this with pointer conversions completely bypasses the compile-time safety check.
在一些情况下,您可能希望使用dynamic_cast而不是static_cast,但这些情况主要涉及类层次结构中的类型转换,并且(很少)直接涉及void*。
至于规范中更倾向于使用哪一种,这两种都没有被过分提及为“正确的使用”(或者至少,我不记得有哪一种是这样提到的)。然而,我认为规范希望你使用static_cast而不是reinterpret_cast。例如,当使用c风格强制转换时,例如
A* ptr = (A*) myVoidPointer;
尝试的强制转换操作符的顺序总是尝试在reinterpret_cast之前使用static_cast,这是您想要的行为,因为reinterpret_cast不能保证可移植。
其他回答
Reinterpret_cast将强制将void*转换为目标数据类型。它不能保证任何安全,你的程序可能会崩溃,因为底层对象可能是任何东西。
对于ex,你可以将myclass*类型转换为void*,然后使用reinterpret_cast将其转换为你的class*,这可能具有完全不同的布局。
所以最好使用static_cast
您可能通过隐式转换获得了void*,因此应该使用static_cast,因为它最接近隐式转换。
使用static_cast:它是最窄的强制转换,准确地描述了这里所进行的转换。
有一种误解,认为使用reinterpret_cast会是更好的匹配,因为它意味着“完全忽略类型安全,只是从a转换到B”。
然而,这实际上并没有描述reinterpret_cast的效果。相反,reinterpret_cast有许多含义,所有这些含义都认为“由reinterpret_cast执行的映射是实现定义的”。“(5.2.10.3)
但在从void*转换到T*的特殊情况下,该映射完全由标准定义;也就是说,将类型赋给无类型指针而不改变其地址。
这是首选static_cast的一个原因。
此外,可以说更重要的是,reinterpret_cast的每一次使用都是完全危险的,因为它实际上(对于指针)将任何东西转换为任何东西,而static_cast的限制要大得多,因此提供了更好的保护级别。这已经将我从错误中拯救出来,我不小心试图将一种指针类型强制转换为另一种。
这是个很难回答的问题。一方面,Konrad对reinterpret_cast的规范定义提出了一个很好的观点,尽管在实践中它可能做同样的事情。另一方面,如果您在指针类型之间进行强制转换(例如,通过char*在内存中进行索引时相当常见),static_cast将生成编译器错误,并且您将被迫使用reinterpret_cast。
在实践中,我使用reinterpret_cast,因为它更能描述强制转换操作的意图。您当然可以使用不同的操作符来指定指针重新解释(这保证返回相同的地址),但标准中没有这样的操作符。
为此使用static_cast。只有在没有其他方法的极少数情况下才使用reinterpret_cast。