I was hoping that someone could clarify exactly what is meant by undefined behaviour in C++. Given the following class definition:
class Foo { public: explicit Foo(int Value): m_Int(Value) { } void SetValue(int Value) { m_Int = Value; } private: Foo(const Foo& rhs); const Foo& operator=(const Foo& rhs); private: int m_Int; }; If I've understood correctly the two const_casts to both a reference and a pointer in the following code will remove the const-ness of the original object of type Foo, but any attempts made to modify this object through either the pointer or the reference will result in undefined behaviour.
int main() { const Foo MyConstFoo(0); Foo& rFoo = const_cast<Foo&>(MyConstFoo); Foo* pFoo = const_cast<Foo*>(&MyConstFoo); //MyConstFoo.SetValue(1); //Error as MyConstFoo is const rFoo.SetValue(2); //Undefined behaviour pFoo->SetValue(3); //Undefined behaviour return 0; } What is puzzling me is why this appears to work and will modify the original const object but doesn't even prompt me with a warning to notify me that this behaviour is undefined. I know that const_casts are, broadly speaking, frowned upon, but I can imagine a case where lack of awareness that C-style cast can result in a const_cast being made could occur without being noticed, for example:
Foo& rAnotherFoo = (Foo&)MyConstFoo; Foo* pAnotherFoo = (Foo*)&MyConstFoo; rAnotherFoo->SetValue(4); pAnotherFoo->SetValue(5); In what circumstances might this behaviour cause a fatal runtime error? Is there some compiler setting that I can set to warn me of this (potentially) dangerous behaviour?
NB: I use MSVC2008.
const_castor a C-style cast at all means, "I know that what I'm doing is dangerous, don't stop me". The general philosophy of C++ compilers and programmers is that a warning here would not be useful, since the presence of aconst_castin the code is warning enough.MyConstFoointo some code that in fact doesn't modify it (and is documented not to do so, etc), but wasn't written with const-safety in mind and hence takes aFoo&instead of aconst Foo&. The fact that casts of pointers/references are dangerous, and used for dangerous things, and hence require extra scrutiny, is one reason to work to avoid using them. Still, sometimes some third-party library, especially old C interfaces taking a non-const pointer, will ruin your day.