我正在使用dlsym在我的程序中查找符号,但它总是返回NULL,这是我没想到的。根据联机帮助页,如果某种方式存在错误,或者符号确实为NULL,则dlsym可能会返回NULL。在我的情况下,我收到一个错误。我会告诉你我今晚做的MCVE。
以下是instr.c的内容:
#include <stdio.h>
void * testing(int i) {
printf("You called testing(%d)\n", i);
return 0;
}
一个非常简单的东西,只包含一个不起眼的示例函数。
以下是test.c的内容:
#include <dlfcn.h>
#include <stdlib.h>
#include <stdio.h>
typedef void * (*dltest)(int);
int main(int argc, char ** argv) {
/* Declare and set a pointer to a function in the executable */
void * handle = dlopen(NULL, RTLD_NOW | RTLD_GLOBAL);
dlerror();
dltest fn = dlsym(handle, "testing");
if(fn == NULL) {
printf("%s\n", dlerror());
dlclose(handle);
return 1;
}
dlclose(handle);
return 0;
}
当我使用调试器逐步执行代码时,我看到dlopen正在返回一个句柄。根据联机帮助页,If filename is NULL, then the returned handle is for the main program.
因此,如果我将名为testing
的符号链接到主程序中,dlsym应该找到它,对吧?
以下是我编译和链接程序的方式:
all: test
instr.o: instr.c
gcc -ggdb -Wall -c instr.c
test.o: test.c
gcc -ggdb -Wall -c test.c
test: test.o instr.o
gcc -ldl -o test test.o instr.o
clean:
rm -f *.o test
当我构建此程序,然后执行objdump -t test | grep testing
时,我看到符号testing
确实在那里:
08048632 g F .text 00000020 testing
然而我的程序的输出是错误:
./test: undefined symbol: testing
我不确定我做错了什么。如果有人能对这个问题有所了解,我将不胜感激。
答案 0 :(得分:5)
我认为你不能这样做,dlsym
适用于导出的符号。因为您在dlsym
(当前图像)上正在进行NULL
,即使符号出现在可执行ELF图像中,也不会导出它们(因为它不是共享库)。
为什么不直接调用它并让链接器处理它?使用dlsym
从与dlsym
调用相同的图像中获取符号是没有意义的。如果您的testing
符号位于您使用dlopen
链接或加载的共享库中,那么您就可以检索它。
我相信还有一种在构建可执行文件时导出符号的方法(布兰登评论中提到的-Wl,--export-dynamic
),但我不确定你为什么要这样做。
答案 1 :(得分:0)
我在代码中遇到了类似的问题。
我做了以下操作来导出符号
#ifndef EXPORT_API
#define EXPORT_API __attribute__ ((visibility("default")))
#endif
现在对于每个函数定义,我都使用上面的属性。
例如,先前的代码是
int func() { printf(" I am a func %s ", __FUNCTION__ ) ;
我更改为
EXPORT_API int func() { printf(" I am a func %s ", __FUNCTION__ ) ;
现在可以了。
dlsym在此之后没有问题。
希望这对您也有用。