我有 C库使用这个函数原型,我想在C ++中使用它
int mlx_key_hook(void *win_ptr, int (*funct_ptr)(), void *param);
但实际上所要求的功能是
int funct_ptr(int keycode, void *param);
事实上我遇到了这个问题:Why put void in params?
然后,我问你怎么用适当的 C ++ funct_ptr 来调用这个函数?
或者在更改了 funct_ptr原型之后,我是否要重新编译这个库?
这不起作用:
mlx_key_hook(win_ptr, [](int keycode, void *param) -> int {
return 0;
}, NULL);
这项工作,但这不是我想要的:
mlx_key_hook(win_ptr, []() -> int {
return 0;
}, NULL);
答案 0 :(得分:6)
最好的解决方案是使用使用适当函数原型的标头重新编译C ++代码,即
int mlx_key_hook(void *win_ptr, int (*funct_ptr)(int keycode, void *param), void *param);
然后带有两个参数的lambda的代码片段将被编译。
另一种解决方案是使用reinterpret_cast
。虽然不允许使用重新解释的签名(未定义的行为)调用函数,但在允许调用之前将重新解释的指针转换回其原始签名。
typedef int (*funct_ptr_good)(int, void *);
typedef int (*funct_ptr_bad)();
void foo(funct_ptr_bad fb) {
// This is a C++ version of what your C library does
funct_ptr_good fg = reinterpret_cast<funct_ptr_good>(fb);
fg(12345, NULL);
}
int main() {
funct_ptr_good fg = [] (int key, void * ptr) -> int {
cout << key << " " << ptr << endl;
return 0;
};
// foo expects a pointer that takes no parameters, in the same way that your C library does
foo(reinterpret_cast<funct_ptr_bad>(fg));
return 0;
}
上面打印12345 0
(demo)。