这个问题与dlopen a dynamic library from a static library linux C++密切相关,但包含更复杂的问题(并使用C ++代替C):
我有一个链接静态库(.a)的应用程序,该库使用dlopen函数加载动态库(.so)。另外,动态库调用静态函数中定义的函数。
有没有办法在不将动态库与静态库链接的情况下编译它,反之亦然?
这是我到目前为止所做的,稍微修改相关问题的例子:
app.cpp:
#include "staticlib.hpp"
#include <iostream>
int main()
{
std::cout << "and the magic number is: " << doSomethingDynamicish() << std::endl;
return 0;
}
staticlib.hpp:
#ifndef __STATICLIB_H__
#define __STATICLIB_H__
int doSomethingDynamicish();
int doSomethingBoring();
#endif
staticlib.cpp:
#include "staticlib.hpp"
#include "dlfcn.h"
#include <iostream>
int doSomethingDynamicish()
{
void* handle = dlopen("./libdynlib.so",RTLD_NOW);
if(!handle)
{
std::cout << "could not dlopen: " << dlerror() << std::endl;
return 0;
}
typedef int(*dynamicfnc)();
dynamicfnc func = (dynamicfnc)dlsym(handle,"GetMeANumber");
const char* err = dlerror();
if(err)
{
std::cout << "could not dlsym: " <<err << std::endl;
return 0;
}
return func();
}
staticlib2.cpp:
#include "staticlib.hpp"
#include "dlfcn.h"
#include <iostream>
int doSomethingBoring()
{
std::cout << "This function is so boring." << std::endl;
return 0;
}
dynlib.cpp:
#include "staticlib.hpp"
extern "C" int GetMeANumber()
{
doSomethingBoring();
return 1337;
}
并建立:
g++ -c -o staticlib.o staticlib.cpp
g++ -c -o staticlib2.o staticlib2.cpp
ar rv libstaticlib.a staticlib.o staticlib2.o
ranlib libstaticlib.a
g++ -rdynamic -o app app.cpp libstaticlib.a -ldl
g++ -fPIC -shared -o libdynlib.so dynlib.cpp
当我使用./app
运行时,我得到了
could not dlopen: ./libdynlib.so: undefined symbol: _Z17doSomethingBoringv
and the magic number is: 0
答案 0 :(得分:4)
如果可执行文件与标志链接#34; -rdynamic&#34; (或者,同义地,&#34; - export-dynamic&#34;),然后可执行文件中的全局符号也将用于解析动态加载库中的引用。
这意味着,要导出其符号以便在动态库中使用的应用程序,您必须将应用程序与-rdynamic
标记链接。
除了上面描述的问题之外,还有另一个问题,那就是与静态库有关:问题是因为在你的主程序中没有调用doSomethingBoring
函数,所以目标文件{{1来自静态库的链接没有链接。
答案可以在例如this old question,它告诉您添加staticlib2.o
链接器标志:
--whole-archive