//File A.h containing class A
//DLL or dylib code.
class A {
//Class methods
A ()
{
count = 5;
}
//Append is running fine as it is tested
A& Append (const A& a)
{
//Append operation.
str = str + a.str;
return *this;
}
//this is running fine in all other cases except for this static object.
A& operator= (const A& a)
{
//Statement 1
str = a.str;
//Problem is faced in the statement 1 on the assignment of str to a.str
//I forget to add this code.
count = a.count;
return *this;
}
private:
std::string str;
int count;
};
//File B.cpp in some other layer
//When these variables in dylib.
static A obj1;
static A obj2;
static void f ();
static void g ();
//This Initialize is called whenver DLL or dylib is being loaded.
Initialize ()
{
f();
g();
}
//Problem faced in a function f
void f ()
{
A a;
//Some operation performed on a
a.Append (GetA("String"));
//Here I am facing problem of Bad memory access possibly over statement 1.
obj1 = a;
//Debugger on Windows showing the member of obj1 initialized, but not on Mac OS X.
}
void g ()
{
A a;
//Some operation performed on a
//Here I am facing problem of Bad memory access possibly over statement 1.
obj2 = a;
//Debugger on Windows showing the member of obj1 initialized, but not on Mac OS X.
}
//The application An exe or .app on Mac OS X
int main ()
{
InitializeApplication ();
void * handle;
//Dynamic library is being loaded.
handle = dlopen("mylib.dylib", RTLD_LAZY);
//Functions are being loaded.
f1 = dlsym(handle, "MyFunction");
//Rest of the code.
}
当我在 Windows 上运行类似的程序(使用 cl 编译器编译)时,值 obj1.count 和 obj2.count 为 5(由默认构造函数初始化)。
但是,当我在 Mac OS X 上运行这个程序(使用 clang 编译器编译)时,obj1.count 和 obj2.count 的值为 0。
我错过了初始化类的静态对象的东西吗?如果有数组需要哪些步骤?
在我的程序中,有一个应用程序加载 dylib(在 Mac OS X 上)或 DLL(在 Windows 上)。此代码是共享库或 DLL 的一部分。
静态对象 obj1 和 obj2 在 DLL 中。正在加载并调用此 DLL。
在 Windows 中观察到以下行为
- obj1 和 obj2 的静态类声明中的断点被命中。
- obj1 和 obj2 的对象已正确初始化。
- 放置在构造函数中的断点也会被命中。
在 Mac OS X 上
- 由于此静态声明,声明和构造函数中的断点不会被命中。
- 对象 obj1 和 obj2 未初始化。
在 Mac OS X 上,对象中的所有内容都由零初始化。每个地址都是 NULL。
但是,当我将这些变量移动到静态库(链接到这个 dylib)时,一切都按照预期运行。
dylib 中是否存在全局/静态对象的问题?