如何将具有相同签名但来自不同类的非静态成员函数的引用分配给具有匹配签名的函数指针?
我可以借助C ++ std库中的std::function
来做到这一点。我也一直使用常规C函数执行此操作,并且没有来自std库的帮助。我正在编写固件,代码空间有限。如果来自C ++ std库的帮助程序可以做到这一点,那么肯定必须可以使用纯C / C ++语言结构手动完成(首选C ++ 11)。
示例代码展示了我的意图:
class A {
public:
void ping_event_handler();
};
class B {
public:
void ping_event_handler();
};
void A::ping_event_handler_A() {
// Handle ping event in A...
}
void B::ping_event_handler_B() {
// Handle ping event in B...
}
void ping_event_handler_C() {
// Handle ping event in normal function...
}
int main() {
// Ping event "pointer to a function that takes no arguments"
void (*ping_event)();
A a();
B b();
ping_event = a.ping_event_handler; // Attach class A's handler
ping_event(); // Trigger event
ping_event = b.ping_event_handler; // Attach class B's handler
ping_event(); // Trigger event
ping_event = ping_event_handler; // Attach non-class handler
ping_event(); // Trigger event
}
答案 0 :(得分:1)
旧方法是使用函数
传递userData
void (*ping_event)(void* userData);
并保存函数和userData。 然后在用户端,在其类中转换userData并从中调用任何方法:
struct my_function
{
my_function(void (*f)(void*), void* userData) : mF(f), mUserData(userData)
{}
void set(void (*f)(void*), void* userData)
{
mF = f;
mUserData = userData;
}
void operator() () {
mF(mUserData);
}
void (*mF)(void*);
void* mUserData;
};
在通话现场:
template <typename C, void (C::*m)()>
void my_func_helper(void* userData)
{
C* c = static_cast<C*>(userData);
(c->*m)();
}
int main()
{
A a;
my_function f(&my_func_helper<A, &A::ping_event_handler>, &a);
f();
B b;
f.set(&my_func_helper<B, &B::ping_event_handler>, &b);
f();
f.set(ping_event_handler_c, NULL);
f();
}