我在以下场景中遇到了一个模块的静态变量问题:
我有一个单例类“Common”并创建了它的静态库libcommon.a
//common.h
class Common
{
public:
Common();
~Common();
void Show();
};
//common.cpp
Common::Common()
{cout<<"inside Common::Common"<<endl;}
Common::~Common()
{cout<<"inside Common::~Common"<<endl;}
void Common::Show()
{
static Common self;
cout<<"Address of self - "<<&self<<endl;
}
汇编:
g++ -ggdb -Wall -fPIC -c common.cpp
ar -cvq libcommon.a common.o
上述库与两个动态库“libfirst.so.1.0”静态链接。 “libsecond.so.1.0”:
//first_so.cpp
#include "common.h"
void run_first_function()
{
Common c;
c.Show();
}
g ++ -ggdb -Wall -fPIC -c first_so.cpp
g ++ -ggdb -shared -o libfirst.so.1.0 first_so.o -L。 -lcommon
//second_so.cpp
#include "common.h"
void run_second_function()
{
Common c;
c.Show();
}
g ++ -ggdb -Wall -fPIC -c second_so.cpp
g ++ -ggdb -shared -o libsecond.so.1.0 second_so.o -L。 -lcommon
最后一个test.cpp:
#include <dlfcn.h>
#include <iostream>
using namespace std;
int main(int argc, char **argv)
{
void *lib_handle, *lib_handle1;
void (*fn)(void);
void (*fn1)(void);
int x;
char *error;
lib_handle = dlopen("/perforce/sdudhani/test/linux/libfirst.so.1.0", RTLD_LAZY);
if ((error = dlerror()) != NULL)
{
cerr<<"ERROR dlopen.."<<error<<endl;
exit(1);
}
if (!lib_handle)
{
cerr<<"ERROR while loading libfirst.so"<<endl;
exit(1);
}
lib_handle1 = dlopen("/perforce/sdudhani/test/linux/libsecond.so.1.0", RTLD_LAZY);
if (!lib_handle1)
{
cerr<<"ERROR while loading libsecond.so.1.0"<<endl;
exit(1);
}
*(void **)(&fn) = dlsym(lib_handle, "_Z18run_first_functionv");
if ((error = dlerror()) != NULL)
{
cerr<<"ERROR run_first_function.."<<error<<endl;
exit(1);
}
*(void **)(&fn1) = dlsym(lib_handle1, "_Z19run_second_functionv");
if ((error = dlerror()) != NULL)
{
cerr<<"ERROR run_second_function.."<<endl;
exit(1);
}
(*fn)();
(*fn1)();
dlclose(lib_handle);
dlclose(lib_handle1);
return 0;
}
输出:
Address of self - 0x2ad08d8463c0
Address of self - 0x2ad08da483c0
机器详细信息:
bash-3.2$ uname -a
Linux www.something.com 2.6.18-128.el5 #1 SMP Wed Dec 17 11:41:38 EST 2008 x86_64 x86_64 x86_64 GNU/Linux
bash-3.2$
我的问题是,由于上述设计,“self”创建了两次。只是想知道是否有任何链接器/加载器选项,我应该通过它获得单个自我实例?
任何人都可以建议我,如何处理这类问题?
由于 -Shrinivas
答案 0 :(得分:3)
静态在c ++模块中是唯一的。 c ++模块是链接单元,在这种情况下,每个动态库都是一个模块。
您需要定义您希望单身人士居住的动态库。 那个库应该具有静态函数或其他库引用的变量。
如果您需要每个库独立运行但有时共享静态(一起使用时),请考虑为每个库添加一个安装功能。应该在应用程序生命周期的早期调用此函数。该函数将每个库中的本地静态访问器指向其中一个库中的共享静态。
答案 1 :(得分:0)
您尚未将Common类实现为单例。这样做是
//common.h
class Common
{
public:
~Common();
void Show();
static Common* Instance();
private:
Common(); --must be private or else multiple instances can be created!
static Common* m_pInstance
};
//common.cpp
Common* Common::m_pInstance = NULL
Common* Common::Instance()
{
if (!m_pInstance) // Only allow one instance of class to be generated.
m_pInstance = new Common;
return m_pInstance;
}
.....
然后,不是像你那样创建Commons,而是得到这样的实例:
//first_so.cpp
#include "common.h"
void run_first_function()
{
Common::instance().Show();
}
......等等..