In C++, if I want to define some non-local const string which can be used in different classes, functions, files, the approaches that I know are:
use define directives, e.g.
#define STR_VALUE "some_string_value"
const class member variable, e.g.
class Demo { public: static const std::string ConstStrVal; }; // then in cpp std::string Demo::ConstStrVal = "some_string_value";
const class member function, e.g.
class Demo{ public: static const std::string GetValue(){return "some_string_value";} };
Now what I am not clear is, if we use the 2nd approach, is the variable ConstStrVal always initialized to "some_string_value" before it is actually used by any code in any case? Im concerned about this because of the "static initialization order fiasco". If this issue is valid, why is everybody using the 2nd approach?
Which is the best approach, 2 or 3? I know that #define directives have no respect of scope, most people don't recommend it.
Thanks!
No
It depends on the value it's initialized to, and the order of initialization.
ConstStrVal
has a global constructor.Consider adding another global object with a constructor:
The order is not defined by the language, and
ConstStrVal2
's constructor may be called beforeConstStrVal
has been constructed.The initialization order can vary for a number of reasons, but it's often specified by your toolchain. Altering the order of linked object files could (for example) change the order of your image's initialization and then the error would surface.
many people use other approaches for very good reasons…
Number 3. You can also avoid multiple constructions like so:
caution: this is approach is still capable of the initialization problem seen in
ConstStrVal2(ConstStrVal)
. however, you have more control over initialization order and it's an easier problem to solve portably when compared to objects with global constructors.