嘿我正在尝试编写一个游戏引擎,我试图在Dll中导出一个类,并试图在我的主代码中使用它。就像使用loadlibrary()
函数一样。我知道如何从Dll导出和使用函数。但我想导出类,然后像使用函数一样使用它们。我不想include <headers>
为该课程然后使用它。我希望它是运行时。我有一个非常简单的类的以下代码,我正在使用它来试验它。
#ifndef __DLL_EXP_
#define __DLL_EXP_
#include <iostream>
#define DLL_EXPORT __declspec(dllexport)
class ISid
{
public:
virtual void msg() = 0;
};
class Sid : public ISid
{
void msg()
{
std::cout << "hkjghjgulhul..." << std::endl;
}
};
ISid DLL_EXPORT *Create()
{
return new Sid();
}
void DLL_EXPORT Destroy(ISid *instance)
{
delete instance;
}
#endif
如何在主代码中使用它?任何帮助将非常感激。 如果重要的是我在Visual Studio 2012上。
答案 0 :(得分:1)
如果我理解问题不是你不知道如何加载课程但是不能想象如何使用它?我无法帮助语法,因为我习惯于动态加载共享对象,而不是dll但是usecase如下:
// isid.h that gets included everywhere you want to use Sid instance
class ISid
{
public:
virtual void msg() = 0;
};
如果您想使用动态加载的代码,您仍然需要知道它的界面。这就是为什么我建议你将界面移动到常规的非-dll标题
// sid.h
#ifndef __DLL_EXP_
#define __DLL_EXP_
#include <iostream>
#include "isid.h" // thus you do not know what kind of dll you are loading, but you are well aware of the interface
#define DLL_EXPORT __declspec(dllexport)
class Sid : public ISid
{
void msg()
{
std::cout << "hkjghjgulhul..." << std::endl;
}
};
ISid DLL_EXPORT *Create()
{
return new Sid();
}
void DLL_EXPORT Destroy(ISid *instance)
{
delete instance;
}
#endif
然后你做了类似的事情:
// main.cpp
#include <sid.h>
int main()
{
// windows loading magic then something like where you load sid.dll
.....
typedef ISid* (*FactoryPtr)();
FactoryPtr maker = (FactoryPtr) dlsym(symHanlde, "Create");
ISid* instance = (*maker)();
instance->msg();
...
}
抱歉,我无法提供dll代码,但我现在不想学习windows dll界面,所以我希望这有助于理解我的评论。