您有两个选项,您可以从中选择:
选项 1:从可执行文件中导出所有符号。这是一个简单的选项,只是在构建可执行文件时,添加一个 flag -Wl,--export-dynamic
。这将使所有函数都可用于库调用。
选项 2:创建一个包含函数列表的导出符号文件,然后使用-Wl,--dynamic-list=exported.txt
. 这需要一些维护,但更准确。
演示:简单的可执行和动态加载的库。
#include <stdio.h>
#include <dlfcn.h>
void exported_callback() /*< Function we want to export */
{
printf("Hello from callback!\n");
}
void unexported_callback() /*< Function we don't want to export */
{
printf("Hello from unexported callback!\n");
}
typedef void (*lib_func)();
int call_library()
{
void *handle = NULL;
lib_func func = NULL;
handle = dlopen("./libprog.so", RTLD_NOW | RTLD_GLOBAL);
if (handle == NULL)
{
fprintf(stderr, "Unable to open lib: %s\n", dlerror());
return -1;
}
func = dlsym(handle, "library_function");
if (func == NULL) {
fprintf(stderr, "Unable to get symbol\n");
return -1;
}
func();
return 0;
}
int main(int argc, const char *argv[])
{
printf("Hello from main!\n");
call_library();
return 0;
}
库代码(lib.c):
#include <stdio.h>
int exported_callback();
int library_function()
{
printf("Hello from library!\n");
exported_callback();
/* unexported_callback(); */ /*< This one will not be exported in the second case */
return 0;
}
所以,首先构建库(这一步没有区别):
gcc -shared -fPIC lib.c -o libprog.so
现在构建导出所有符号的可执行文件:
gcc -Wl,--export-dynamic main.c -o prog.exe -ldl
运行示例:
$ ./prog.exe
Hello from main!
Hello from library!
Hello from callback!
导出的符号:
$ objdump -e prog.exe -T | grep callback
00000000004009f4 g DF .text 0000000000000015 Base exported_callback
0000000000400a09 g DF .text 0000000000000015 Base unexported_callback
现在使用导出的列表 ( exported.txt
):
{
extern "C"
{
exported_callback;
};
};
构建和检查可见符号:
$ gcc -Wl,--dynamic-list=./exported.txt main.c -o prog.exe -ldl
$ objdump -e prog.exe -T | grep callback
0000000000400774 g DF .text 0000000000000015 Base exported_callback