global class object互使用注意事项

看effective c++中说明这一点,有点怀疑,所以试了一下,下面会说明怀疑点:

GlobalTest.h源代码: #ifndef GLOBALTEST_H #define GLOBALTEST_H class GlobalTest { public: GlobalTest(); virtual ~GlobalTest(); int GetA(){return m_a;} protected: private: int m_a; }; #endif // GLOBALTEST_H GlobalTest.cpp源代码: #include "../include/GlobalTest.h" GlobalTest::GlobalTest() { //ctor m_a = 3; } GlobalTest::~GlobalTest() { //dtor } GlobalTest g_test; GlobalUse.h源代码: #ifndef GLOBALUSE_H #define GLOBALUSE_H class GlobalUse { public: GlobalUse(); virtual ~GlobalUse(); void printA(); protected: private: int m_b; }; #endif // GLOBALUSE_H GlobalUse.cpp源代码: #include "../include/GlobalUse.h" #include "../include/GlobalTest.h" #include <stdio.h> GlobalUse::GlobalUse() { //ctor m_b = 4; } GlobalUse::~GlobalUse() { //dtor } extern GlobalTest g_test; GlobalUse user; void GlobalUse::printA() { printf("%d/n",g_test.GetA()); }  

定义了两个的global 变量,在主文件中代码:

#include "include/GlobalUse.h" extern GlobalUse user; int main() { user.printA(); getchar(); return 0; }  

然后在两个类的构造函数中添加断点发现,第一次运行到的位置是GlobalUse类,

而不是GlobalTest类的构造函数断点,这与我们平常理解的不太一样。

所以effective c++中提供了一个解决方案是:

通过一个函数返回一个local_static 变量,这样的话,本身就只有一个共享变量,并且调用这个函数时,一定会先定义

这个变量,一定会先调用构造函数了 。

在GlobalTest.cpp中

 

GlobalTest &GetGTest()

{

    static GlobalTest test;

    return test;

}

在GlobalTest.h中声明,在GlobalUse总做同样的处理,就不会出现这种问题。

以上仅仅是对effective c++中的描述做具体化,没任何个人扩展性想法 。。。

 

你可能感兴趣的:(global class object互使用注意事项)