PiGPIO库提供以下C样式API函数:
typedef void (*gpioAlertFuncEx_t)(int, int, uint32_t, void *); // assumed
int gpioSetAlertFuncEx(unsigned user_gpio, gpioAlertFuncEx_t f, void *userdata)
基本上,它允许您通过回调函数处理引脚状态更改。
到目前为止,一切都很好。问题是将此回调包装到c ++类中。
我的方法如下:
class Pin
{
public:
Pin(_GpioPin)
{
gpioSetAlertFuncEx(_GpioPin, &PushButton::internal_gpio_callback, this );
}
void internal_callback_func(int pin, int level, uint32_t tick)
{
cout << "New level: " << pin << " " << level;
}
}
问题在于回调函数类型不同(因为它是非静态的)。并提示错误:
error: cannot convert 'void (Pin::*)(int, int, uint32_t, void*) {aka void (Pin::*)(int, int, unsigned int, void*)}' to 'gpioAlertFuncEx_t {aka void (*)(int, int, unsigned int, void*)}' for argument '2' to 'int gpioSetAlertFuncEx(unsigned int, gpioAlertFuncEx_t, void*)'
gpioSetAlertFuncEx(this->GpioPin, &Pin::internal_gpio_callback), this );
诀窍是什么?如何强制转换&PushButton::internal_gpio_callback
以匹配所需模板?
稍后编辑:我不想将回调方法设为静态。
答案 0 :(得分:5)
指向成员函数的指针与指向非成员函数的指针不同。区别在于成员函数需要调用对象,而C无法处理该对象。
有多种解决方法,特别是在您已经将this
作为userdata
指针传递的情况下。解决方案是将真正的成员函数简单地包装在 static 成员函数中(因为这些成员函数可以作为C回调函数传递)。
例如:
class Pin
{
public:
Pin(_GpioPin)
{
gpioSetAlertFuncEx(_GpioPin, &Pin::static_internal_callback_func, this );
}
private:
static void static_internal_callback_func(int pin, int level, uint32_t tick, void* userdata)
{
static_cast<Pin*>(userdata)->internal_callback_func(pin, level, tick);
}
void internal_callback_func(int pin, int level, uint32_t tick)
{
cout << "New level: " << pin << " " << level;
}
};