2016-05-30 88 views
1

我想做一个OIS :: Keys(int)和std :: function的数组。如何将成员函数绑定到std :: function?

我有这样的:

struct UserCommands 
{ 
    OIS::KeyCode key; 
    std::function<bool(Worms *, const Ogre::FrameEvent& evt)> func; 
}; 

UserInput input; 

UserCommands usrCommands[] = 
{ 
    { 
    OIS::KC_A, std::bind(&input, &UserInput::selectBazooka) 
    }, 
}; 

但是当我尝试编译此我有这样的编译错误:

In file included from includes/WormsApp.hh:5:0, 
        /src/main.cpp:2: 
/includes/InputListener.hh:26:25: error: could not convert ‘std::bind(_Func&&, _BoundArgs&& ...) [with _Func = UserInput*; _BoundArgs = {bool (UserInput::*)(Worms*, const Ogre::FrameEvent&)}; typename std::_Bind_helper<std::__is_socketlike<_Func>::value, _Func, _BoundArgs ...>::type = std::_Bind<UserInput*(bool (UserInput::*)(Worms*, const Ogre::FrameEvent&))>](&UserInput::selectBazooka)’ from ‘std::_Bind_helper<false, UserInput*, bool (UserInput::*)(Worms*, const Ogre::FrameEvent&)>::type {aka std::_Bind<UserInput*(bool (UserInput::*)(Worms*, const Ogre::FrameEvent&))>}’ to ‘std::function<bool(Worms*, const Ogre::FrameEvent&)>’ 
     OIS::KC_A, std::bind(&input, &UserInput::selectBazooka) 
          ^

我做了什么错?

+3

也许'的std ::绑定(UserInput :: selectBazooka, &input,std :: placeholders :: _ 1,std :: placeholders :: _ 2)' –

+3

有什么理由不使用lambda? (imo它使代码更清晰而不是绑定) – Borgleader

+1

PiotrSkotnicki thansk,工作正常! @Borgleader lambda在这里可能有用吗? –

回答

5

std::bind的第一个参数是一个可调用的对象。在你的情况下,应该是&UserInput::selectBazooka。与该成员函数(&input)的调用相关联的对象随后发生(您颠倒了此顺序)。不过,你必须使用占位符缺少的参数:

std::bind(&UserInput::selectBazooka, &input, std::placeholders::_1, std::placeholders::_2) 
6

使用Lambda,会是这样的(而不是std::bind()

[&](Worms*x, const Ogre::FrameEvent&y) { return input.selectBazooka(x,y); } 
相关问题