c ++ 11 / arm编译器v6.9 / keil5
我有2个类(class1,class2)-我想从class1发送一个函数地址到class 2,但是我不能-我必须静态定义我的函数-但我不想这样做
// ---------------------------- CLASS1.CPP ----------------------------
void CLASS1::ControlTransfer(uint8_t Physical_EPn, uint8_t bEPStatus) {
// ...
}
void CLASS1::init() {
class2.intHandler(2, ControlTransfer); // error: reference to non-static member function must be called
}
// ---------------------------- CLASS2.H ----------------------------
typedef void (TFnEPIntHandler) (uint8_t Physical_EPn, uint8_t bEPStatus);
// ---------------------------- CLASS2.CPP ----------------------------
TFnEPIntHandler *_apfnEPIntHandlers[16];
void CLASS2::intHandler( uint8_t num, TFnEPIntHandler *pfnHandler ) {
_apfnEPIntHandlers[ num ] = pfnHandler;
}
// _apfnEPIntHandlers used in my interrupt function
答案 0 :(得分:1)
在不知道要调用哪个CLASS1::ControlTransfer
对象的情况下,不能调用像CLASS1
这样的非静态成员函数。而像TFnEPIntHandler
这样的函数的原始指针只是没有包含足够的信息来指定该对象。
如果可以,请考虑将原始函数指针更改为更灵活的std::function
类型:
// In a header file:
#include <functional>
using TFnEPIntHandler = std::function<void(uint8_t, uint8_t)>;
// TFnEPIntHandler should now be used directly, not as a pointer.
// (Note a std::function can "act like" a null pointer.)
TFnEPIntHandler _apfnEPIntHandlers[16];
void CLASS2::intHandler( uint8_t num, TFnEPIntHandler pfnHandler ) {
_apfnEPIntHandlers[ num ] = std::move(pfnHandler);
}
// Replace CLASS1::init():
void CLASS1::init() {
// Use a lambda which captures the "this" pointer and can be
// converted to the std::function type. The function must not
// be used after this CLASS1 object is destroyed!
class2.intHandler(2, [this](uint8_t Physical_EPn, uint8_t bEPStatus)
{ ControlTransfer(Physical_EPn, bEPStatus); });
}
如果std::function
不是一个选项,因为您需要与C代码进行接口,则可以在函数类型中添加一个额外的void*
参数,并使用包装器函数将该指针转换为类类型调用真正的非静态成员函数。例如:
class CLASS1 {
// ...
private:
static void ControlTransferCB(uint8_t Physical_EPn,
uint8_t bEPStatus,
void* extra)
{
static_cast<CLASS1*>(extra)->ControlTransfer(Physical_EPn, bEPStatus);
}
// ...
};
可以将额外的void*
参数提供给CLASS2::intHandler
(这意味着应该有一个函数指针和额外的void*
数据的结构数组),或者提供给实际调用的其他逻辑功能,以较合适的为准。