Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to create some class from dll(constructor in dll) in C++?

How to create some class from dll(constructor in dll)?(C++) or how to dynamically load class from dll?

like image 246
SomeUser Avatar asked Oct 04 '09 13:10

SomeUser


4 Answers

You need to declare your class using the __declspec(dllexport) keyword when building the DLL. When using the DLL, the class needs to be declared with __declspec(dllimport):

#ifdef COMPILING_DLL
#define DECLSPEC_CLASS __declspec(dllexport)
#else
#define DECLSPEC_CLASS __declspec(dllimport)
#endif

class DECLSPEC_CLASS MyClass
{
...
}

When the DLL is compiled, you should add -DCOMPILING_DLL to the list of defines.

When using the class, you must statically link with the DLL, i.e. pass the import library mydll.lib to the main program.

If you want to load the DLL at runtime, you need to have a C-function in the DLL which creates a object and returns it for you. There is no way to lookup a constructor dynamically in a DLL (using GetProcAddress()).

like image 127
JesperE Avatar answered Oct 30 '22 11:10

JesperE


Answering your question strictly, you need to add an extern "C" function that returns the result of the constructor:

extern "C" foo* __declspec(dllexport) new_foo(int x) {
    return new foo(x);
}

Then in your source you can use GetProcAddr on "new_foo" to call the function.

like image 39
jmucchiello Avatar answered Oct 30 '22 09:10

jmucchiello


You will need to export a function from the DLL that calls on to the constructor and returns the new object.

Try to avoid using concrete C++ types as function parameters; the idea of DLLs is that you can independently update them, but an upgraded compiler may lay out std::string differently, causing incompatibility at runtime.

This is what is at the root of COM, for example - a limited type system and a standard exported function for getting instances of objects.

like image 29
Daniel Earwicker Avatar answered Oct 30 '22 11:10

Daniel Earwicker


Instead of exporting every method of the class using __declspec, you can also rely on the fact that the compiler can invoke virtual functions via the vtable, so for example:

//note: no __declspec
class IPublicInterface
{
  virtual ~IPublicInterface() = 0;
  virtual void SomeMethod() = 0;
};

//note: no __declspec
class SomeClass : IPublicInterface
{
  virtual ~SomeClass() { ... }
  virtual void SomeMethod() { ... }
};

//note: this is the only method which needs to be exported from the DLL
IPublicInterface* createSomeClass()
{
  return new SomeClass();
}
like image 37
ChrisW Avatar answered Oct 30 '22 11:10

ChrisW