Reputation: 42377
What is the difference/relationship between extern
and __declspec(dllimport)
? I found that sometimes it is necessary to use both of them, sometimes one is enough.
Am I right that:
extern
is for statically linked libraries,__declspec(dllimport)
is for DLL (dynamically linked libraries),Upvotes: 33
Views: 24466
Reputation: 24180
extern
means that the entity has external linkage, i.e. is visible outside its translation unit (C or CPP file). The implication of this is that a corresponding symbol will be placed in the object file, and it will hence also be visible if this object file is made part of a static library. However, extern
does not by itself imply that the symbol will also be visible once the object file is made part of a DLL.
__declspec(dllexport)
means that the symbol should be exported from a DLL (if it is indeed made part of a DLL). It is used when compiling the code that goes into the DLL.
__declspec(dllimport)
means that the symbol will be imported from a DLL. It is used when compiling the code that uses the DLL.
Because the same header file is usually used both when compiling the DLL itself as well as the client code that will use the DLL, it is customary to define a macro that resolves to __declspec(dllexport)
when compiling the DLL and __declspec(dllimport)
when compiling its client, like so:
#if COMPILING_THE_DLL
#define DLLEXTERN __declspec(dllexport)
#else
#define DLLEXTERN __declspec(dllimport)
#endif
To answer your specific questions:
extern
alone is sufficient for static libraries.extern
(see explanation here).extern
with a __declspec(dllimport)
(see explanation linked to above), but since you'll usually be using the same header file, you'll already have the extern
in there because it's needed when compiling the DLL.Upvotes: 50