1

我正在尝试从控制台编译 DLL,而不使用任何 IDE 并面临下一个错误。

我写了这段代码:

test_dll.cpp

#include <windows.h>
#define DLL_EI __declspec(dllexport)

BOOL WINAPI DllMain(HINSTANCE hinstDLL, DWORD fwdreason, LPVOID lpvReserved){
  return 1;
}
extern "C" int DLL_EI func (int a, int b){
  return a + b;
}

然后用 command 编译icl /LD test_dll.cpp。我试图func从另一个程序中调用它:

程序.cpp

int main(){
  HMODULE hLib;
  hLib = LoadLibrary("test_dll.dll");  
  double (*pFunction)(int a, int b);
  (FARPROC &)pFunction = GetProcAddress(hLib, "Function");
  printf("begin\n");
  Rss = pFunction(1, 2);
}

用 编译它icl prog.cpp。然后我运行它,它失败并显示标准窗口"Program is not working"。可能存在分段错误错误。

我究竟做错了什么?

4

1 回答 1

3

检查两者LoadLibrary()GetProcAddress()成功,在这种情况下,它们肯定不会因为导出的函数被调用func,而不是"Function"在参数中指定的GetProcAddress()意思是函数指针将NULL在尝试调用它时。

函数指针的签名也与导出函数的签名不匹配,导出函数返回 anint并且函数指针期待 a double

例如:

typedef int (*func_t)(int, int);

HMODULE hLib = LoadLibrary("test_dll.dll");
if (hLib)
{
    func_t pFunction = (func_t)GetProcAddress(hLib, "func");
    if (pFunction)
    {
        Rss = pFunction(1, 2);
    }
    else
    {
        // Check GetLastError() to determine
        // reason for failure.
    }
    FreeLibrary(hLib);
}
else
{
    // Check GetLastError() to determine
    // reason for failure.
}
于 2013-01-15T08:38:09.537 回答