1

我有一个应用程序代码,它调用具有显式链接(或运行时链接)的 DLL 库来访问导出的类。

DLL.h

#ifdef DLL_EXPORT
#define DLL_API __declspec(dllexport)
#else
#define DLL_API __declspec(dllimport)
#endif 

FooDLL.h

#include "DLL.h"

class DLL_API Foo
{
public:
    void doSomeThing();     
};

extern "C" DLL_API Foo* _getInstance() {
   return new Foo();
}

typedef Foo* (*getInstanceFactory)();

Foo* getInstance() {
    HINSTANCE dllHandle = LoadLibraryA("Foo.dll");
    getInstanceFactory factory_func = (getInstanceFactory)GetProcAddress(dllHandle, "_getInstance");
    return factory_func();
}

FooDLL.cpp

#include "FooDLL.h"

Foo::doSomething() {
 // .......
}

Application.cpp(调用 DLL)

#include "FooDLL.h"

Foo* obj = getInstance();
obj->doSomething(); // XXX this line can be compiled and linked only when DLL is already in path

只有当 DLL 文件包含在 lib 路径中时,才能构建(例如编译和链接)上述代码。否则我得到未解决的外部符号错误

error LNK2001: unresolved external symbol "__declspec(dllimport) public: void __thiscall Foo::doSomething()" .....

是否可以在构建期间仅使用 DLL 头文件(即 FooDLL.h)而不使用 DLL/LIB 文件来构建应用程序代码?(ps 类实现必须在 cpp 文件中。)

谢谢!

4

2 回答 2

0

带有虚函数。

class Foo
{
public:
    void virtual doSomeThing();     
};
于 2012-05-30T15:05:28.897 回答
0

对的,这是可能的。如果您没有导出类,则根本不需要头文件。我不确定你为什么在头文件中调用 LoadLibrary。由于您正在导出类,因此您必须让编译器知道类型。此外,您不必导出整个类,您可以只导出要公开的类的特定成员函数 您的 dll 头用于 dll 和 exe 项目,应包括以下内容(我使用了自己的名字):

#ifdef WIN32DLL_EXPORTS
#define WIN32DLL_API __declspec(dllexport)
#else
#define WIN32DLL_API __declspec(dllimport)
#endif

class CWin32DLL 
{
public:
    CWin32DLL();
    int WIN32DLL_API GetInt();
};

执行:

#include "stdafx.h"
#include "Win32DLL.h"

extern "C" WIN32DLL_API CWin32DLL* _getInstance() 
{ 
    return new CWin32DLL(); 
} 

// This is the constructor of a class that has been exported.
// see Win32DLL.h for the class definition
CWin32DLL::CWin32DLL()
{
}

int CWin32DLL::GetInt()
{
    return 42;

}

您的 DLL 使用者:

#include "Win32DLL.h"
#include "SomeOther.h"
typedef CWin32DLL* (*getInstanceFactory)();

HINSTANCE dllHandle = LoadLibrary(_T("Win32DLL.dll")); 

getInstanceFactory factory_func = (getInstanceFactory)GetProcAddress(dllHandle, "_getInstance"); 

CWin32DLL* pWin32 = factory_func();

int iRet = pWin32->GetInt();

不要忘记在项目属性、C++、预处理器、dll 的预处理器定义中定义 WIN32DLL_EXPORTS(或等效项)。

于 2012-05-31T01:18:09.817 回答