下面的两个代码部分显示了重要信息。真正的工作是在第三个代码部分main.cpp中完成的。
// For all files:
typedef void (*func_ptr)(Event&); // Event is a class with certain methods
foo.cpp
extern "C" void init(std::map<std::string, func_ptr> *func_ptrs)
{
std::cout<<std::endl<<"Initializing..."<<std::endl; // does appear in output, so function does execute
(*func_ptrs)["test"] = stuff; // the stuff function below
}
// this is the function we are trying to add to the func_ptrs map
// It looks like it's added in main.cpp, but calling it in main.cpp seg faults
void stuff(Event &e)
{
std::cout<<"In stuff..."<<std::endl; // seg faults before this line
// do things with e
}
的main.cpp
// Excluding fluff for brevity, use comments to understand location of problem
// In main....
map<string, func_ptr> func_ptrs; // map of strings to func_ptrs
void (*init)(map<string, func_ptr>*);
// some other stuff
handle = dlopen("libfoo.so", RLTD_NOW);
// library opens successfully
*(void **) (&init) = dlsym(handle, "init"); // get the init function from the library
// No, I don't completely understand the above sequence of pointers and reference, but it does open successfully
(*init)(&func_ptrs);
// Executes successfully
// Iterating over func_ptrs shows that the new "test" mapping is in func_ptrs!!
// Next, this should call the stuff function in foo.cpp that was assigned to func_ptrs["test"]
(func_ptrs["test"])(event); // seg fault
所以回顾一下,
错误:尝试执行libfoo的东西,位于main.cpp的地图func_ptrs中, seg fault
注意:另一个选项可能是给main.cpp一个“add to map”函数,libfoo.so可以调用它来将映射添加到函数列表中。这看起来更容易/更好吗?
我能够找到很多类似的问题/答案,但没有一个能够与我正在处理的情况紧密相关。非常感谢你们的帮助,我还没有失望。希望我没有搞砸缩短代码。
答案 0 :(得分:0)
此代码适用于gcc版本4.7.2 20121109:
d_a.cc:
#include <iostream>
#include <map>
#include <string>
#include <dlfcn.h>
class Event {
public:
void method1() { std::cout << "method1: " << name << std::endl; }
Event(std::string& n):name(n) {}
private: std::string name;
};
typedef void (*func_ptr)(Event&);
int main(int argc, const char **argv) {
std::string name = "Some";
Event ev(name);
std::map<std::string, func_ptr> func_ptrs;
void (*init)(std::map<std::string, func_ptr>*);
void *handle = dlopen("./d_l.so", RTLD_NOW);
*(void **) (&init) = dlsym(handle, "init");
(*init)(&func_ptrs);
(func_ptrs["test"])(ev);
return 0;
}
d_l.cc:
#include <map>
#include <string>
#include <iostream>
void stuff(Event& e)
{
e.method1();
std::cout<<"In stuff..."<<std::endl;
}
extern "C" void init(std::map<std::string, func_ptr> *func_ptrs)
{
std::cout<<std::endl<<"Initializing..."<<std::endl;
(*func_ptrs)["test"] = stuff;
}
编译:
g++ d_a.cc -ldl
g++ d_l.cc -fPIC -shared -o d_l.so
执行:
./a.out
输出:
Initializing...
method1: Some
In stuff...