我有一个QT库,我想在另一个项目中导入它。
现在,既然我想要,即使我修改了库,另一个项目也不需要再次编译,我开始使用QLibrary。
但是......我无法导入课程。或者更好,我可以导入类,但我无法访问它的方法。
这是我做的例子。
这是类声明:
class TESTDLL_LIBSHARED_EXPORT TestDLL_lib
{
public:
TestDLL_lib();
int a;
int b;
int c;
int getValues();
};
这是实施:
#include "testdll_lib.h"
TestDLL_lib::TestDLL_lib()
{
a = 10;
b = 20;
c = 30;
}
int TestDLL_lib::getValues()
{
return a+b+c;
}
extern "C" TESTDLL_LIBSHARED_EXPORT TestDLL_lib* create_TestDLL_lib()
{
return new TestDLL_lib();
}
虽然这是主文件,但在另一个项目中:
#include <testdll_lib.h>
#include <QDebug>
#include <QLibrary>
int main(int argc, char *argv[])
{
QLibrary library("TestDLL_lib");
if (library.load())
{
typedef TestDLL_lib* (*create_TestDLL_lib_fun)();
create_TestDLL_lib_fun create_TestDLL_lib = (create_TestDLL_lib_fun)library.resolve("create_TestDLL_lib");
if (create_TestDLL_lib)
{
TestDLL_lib *myClassInstance = create_TestDLL_lib();
if (myClassInstance)
{
//qDebug() << QString::number(myClassInstance->getValues());
qDebug() << QString::number(myClassInstance->a) + " " + QString::number(myClassInstance->b) + " " + QString::number(myClassInstance->c);
}
}
library.unload();
}
}
现在,我可以访问对象a
的所有数据值(b
,c
,myClassInstance
)(如果我在DLL中更改它们,它们也在程序中被改变而没有重建)但我不能打电话给myClassInstance->getValues()
,因为我得到了
main.obj:-1: error: LNK2001: unresolved external symbol "__declspec(dllimport) public: int __thiscall TestDLL_lib::getValues(void)" (__imp_?getValues@TestDLL_lib@@QAEHXZ)
我该如何解决这个问题?是否可以从导入的类中调用方法?
谢谢..
答案 0 :(得分:6)
您无法在运行时导入的类上调用方法。这是因为编译器在编译时而不是在运行时链接这些调用(无法执行)。我们的优质产品提供了一条出路。朋友,vtable:
您可以在实现接口的类上调用virtual
方法(接口不是&#34;导入&#34;在运行时)。这意味着使用virtual
(可能是纯虚拟)方法定义定义接口的类。然后TestDLL_lib
将继承该接口,实现这些方法。您可以通过该接口引用TestDLL_lib
实例,并通过该接口调用方法,通过接口的vtable有效地调用它们,这是&#34;取代&#34;通过TestDLL_lib
vtable。
不要忘记制作你的virtual
并在界面上添加virtual
dtor。如果你不这样做,你就不能通过界面指针安全地delete
实例。
我也可以解释为什么你可以访问会员,但不能在&#34;导入&#34;类。成员由内存位置访问,内存位置仅由编译器定义。因此,编译器生成代码以访问成员,而无需引用任何类&#39;符号(方法等)。这反过来导致没有链接依赖性。但是请注意,如果更改类,则需要使用DLL重新编译DLL和应用程序,例如添加或删除成员,因为这会更改内存布局。
class TestInterface
{
public:
virtual ~TestInterface()
{
}
virtual int getValues() = 0;
}
class TESTDLL_LIBSHARED_EXPORT TestDLL_lib : public TestInterface
{
public:
TestDLL_lib();
virtual ~TestDLL_lib();
int a;
int b;
int c;
int getValues() override; // MSVC may not support "override"
};
// return pointer to interface!
// TestDLL_lib can and should be completely hidden from the application
extern "C" TESTDLL_LIBSHARED_EXPORT TestInterface *create_TestDLL_lib()
{
return new TestDLL_lib();
}