我正在尝试在使用 mingw 构建的 dll 中创建一个可在 Windows VS 应用程序中使用的互编译器兼容类。我的问题是,当从 VS 程序调用函数时,我的类在尝试初始化成员变量时崩溃。使用 STL 或在同一函数中创建局部变量可以正常工作。
ConsoleApplication2.exe 中 0x6BEC19FE (test.dll) 处的未处理异常:0xC0000005:访问冲突写入位置 0x154EB01E。
简单演示:
dll代码
#include <iostream>
class Tester
{
public:
virtual void test() = 0;
};
class TesterImp : public Tester
{
public:
TesterImp(){}
~TesterImp(){}
virtual void test() {
int test = 5; // fine
m_test = 5; // access violation
}
private:
int m_test;
};
extern "C"
{
__declspec (dllexport) Tester* Create()
{
return new TesterImp();
}
}
加载dll并调用测试函数的主程序:
#include <iostream>
#include <Windows.h>
class Tester
{
public:
virtual void test() = 0;
};
typedef Tester* (*createPtr)();
int main(int argc, const char **argv, char * const *envp) {
HINSTANCE hGetProcIDDLL = LoadLibraryA("test.dll");
if (hGetProcIDDLL == NULL) {
std::cout << "could not load the dynamic library" << std::endl;
return EXIT_FAILURE;
}
createPtr ctr = (createPtr)GetProcAddress(hGetProcIDDLL, "Create");
if (!ctr) {
std::cout << "could not locate the function" << std::endl;
return EXIT_FAILURE;
}
std::cout << "dll loading success!" << std::endl;
Tester* testf = ctr();
std::cout << "Got test class" << std::endl;
testf->test(); // crash if the member variable is referenced, fine otherwise with local variable initialization or STL use inside the function
std::cout << "Running dll functions success!" << std::endl;
return 0;
}
主程序使用 VS2012 在调试模式下编译,dll 使用 mingw 的 g++ 构建 -
g++ -shared -o test.dll test.cpp
有人可以为我解释一下这种行为吗?
谢谢你。