在C ++类中,我需要调用来自动态加载库的函数。我得到像这样的函数指针:
typedef void (*TDef_libfunc)(); // also tried extern "C" typedef void (*TDef_libfunc)();
my_libfunc = (TDef_libfunc)dlsym(thelibrary, "libfunc");
(加载了lib函数,我在调试器中看到它。)
my_libfunc被声明为一个成员变量,如下所示:
TDef_libfunc my_libfunc;
在该类的成员函数中,我尝试像这样调用我的函数指针:
my_libfunc();
但它崩溃了......我这样做了吗?有可能有一个成员变量是一个指向C函数的指针吗?
答案 0 :(得分:4)
使用gcc编译的简单库(如果编译将使用g ++,则需要添加extern“C”)。
// test-lib.c
// gcc -Wall -g -shared -fpic test-lib.c -o test-lib.so
#include <stdio.h>
void
libfunc()
{
printf("Hello World - Message sent from the libfunc() function.\n");
}
将加载上述库的简单程序(路径和函数硬编码)。
我有一个seg错误,因为我声明了fn_作为指针。
// test-loadlib.cpp
// g++ -Wall -g test-loadlib.cpp -o test-loadlib -ldl
#include <iostream>
#include <dlfcn.h>
typedef void (*TDef_libfunc)(void);
class TestClass
{
public:
TestClass() : lib_(NULL) , fn_(NULL) { }
~TestClass() { if (lib_ != NULL) dlclose(lib_); }
bool
load_library()
{
if ((lib_ = dlopen("./test-lib.so", RTLD_NOW)) == NULL)
return false;
// From man page, this is correct way to store function ptr.
*(void**) (&fn_) = dlsym(lib_, "libfunc");
if (fn_ == NULL)
{
dlclose(lib_);
lib_ = NULL;
return false;
}
return true;
}
void
call_func()
{
if (fn_ != NULL)
(*fn_)();
else
std::cout << "Function not loaded.\n";
}
private:
void* lib_;
TDef_libfunc fn_; // Don't include '*' - it will segfault.
};
int
main(int argc, char *argv[])
{
TestClass tc;
if (tc.load_library())
tc.call_func();
else
std::cout << "Failed to load library.\n";
return 0;
}
我使用存储库中的编译器在Ubuntu 10.04下测试并编译了它。