C ++定义一个与lambda闭包一起使用的函数

时间:2015-03-21 21:55:28

标签: c++ lambda closures

我在找出lambda函数定义时遇到了问题。所以我有这个代码,它正常工作:

auto fnClickHandler = [](Button *button) -> void
{
    cout << "click" << endl;
};
button->setEventHandler(MOUSEBUTTONUP, fnClickHandler);

但是我需要在fnClickHandler中使用一个闭包,所以我做了这个代码:

int someParam = 1;

auto fnClickHandler = [someParam](Button *button) -> void
{
    cout << "click" << someParam << endl;
};
button->setEventHandler(MOUSEBUTTONUP, fnClickHandler);

现在我收到以下编译错误:

no matching function for call to ‘Button::setEventHandler(BUTTON_EVENT_HANDLERS, nameOfFunctionWhichHostsThisCode::__lambda0&)’|

这就是定义Button :: setEventHandler函数的方法:

void setEventHandler(int, void (*handler)(Button *));

我想我需要更改该定义以支持lambda闭包参数(可选),但到目前为止我还没有失败。你能帮我解决一下吗?

谢谢!

1 个答案:

答案 0 :(得分:2)

无捕获的lambda可以隐式转换为具有相同签名的函数指针。这就是为什么您的代码使用无捕获版本的fnClickHandler。一旦你有一个捕获lambda,你有两个选择:

  1. 创建一个函数模板,让编译器为您推导出类型

    template <typename Handler>
    void setEventHandler(int, Handler handler);//You can use either enable_if or static_assert to restrict the types of Handler.
    
  2. 使用std::function

    void setEventHandler(int, std::function<void(Button *)>);