我希望代码能够在没有它的情况下运行具有某个自编写库的应用程序。因此,如果需要,我会使用并预加载库。我需要能够在不重新编译的情况下做到这一点。不过,如果我静态链接库,一切正常。__attribute__ ((weak))
此外,该库是用 C++ 编写的,而使用它的应用程序可以是 C++ 或 C。
我归结为:
库头test_lib.h
:
#ifdef __cplusplus
extern "C"
#endif
void test_func() __attribute__ ((weak));
库实现test_lib.cpp
:
#include "test_lib.h"
#include <iostream>
extern "C"
void test_func()
{
std::cout << "in test_func\n";
}
C测试test_main.c
:
#include <stdio.h>
#include "test_lib.h"
int main(void)
{
if (test_func){ printf("+\n"); }
else{ printf("-\n"); }
return 0;
}
C++ 测试test_main_cpp.cpp
:
#include <iostream>
#include "test_lib.h"
int main(void)
{
if (test_func){ std::cout << "+\n"; }
else{ std::cout << "-\n"; }
return 0;
}
为了您的方便,编译和运行脚本:
#!/bin/bash
g++ -shared -fPIC test_lib.cpp -o libtest.so
gcc test_main.c -o test_c
g++ test_main_cpp.cpp -o test_cpp
# output should be "-"
./test_c
./test_cpp
# output should be "+"
LD_PRELOAD=libtest.so ./test_c
LD_PRELOAD=libtest.so ./test_cpp
预期的输出是:
-
-
+
+
我得到的是:
-
-
-
-
最后是一些额外的信息:
$ uname -a
Linux bermuda-iii 3.8.6-1-ARCH #1 SMP PREEMPT Sat Apr 6 07:27:01 CEST 2013 x86_64 GNU/Linux
$ gcc --version
gcc (GCC) 4.8.0
$ nm libtest.so | grep -i func
0000000000000858 W test_func
$ nm test_c | grep -i func
w test_func
$ nm test_cpp | grep -i func
w test_func
所以:(de)mangling 似乎工作正常,test_func
可执行文件知道该符号。但是“LD_PRELOAD”似乎不起作用。
我错过了什么?