所以我在Bar
类中有这个方法:
std::shared_ptr<sf::Sprite> Bar::getStuff() const
{
//...
}
我有我的回调typedef:
typedef std::function<void()> Callback;
void Foo::registerCallback(const Callback& callback)
{
//...
}
现在我想在这个方法上使用std::bind
,例如:
Foo foo;
Bar bar; //I create an instance of an Bar, called bar.
foo.registerCallback(std::bind(&Bar::getStuff, std::ref(bar))); //<--- ERROR!!!!
错误:
error C2562: 'std::_Callable_obj<std::_Bind<true,std::shared_ptr<sf::Sprite>,std::_Pmf_wrap<std::shared_ptr<sf::Sprite> (__thiscall Bar::* )(void)
如果我想使用void方法,那就没关系。但我需要使用getStuff()
方法,它会将smart pointer
返回给sf :: Sprite。
我怎样才能做到这一点?
答案 0 :(得分:4)
鉴于您使用的是c ++ 11,为什么不使用lambda?
foo.registerCallback([&bar]() { bar.getStuff(); });
答案 1 :(得分:0)
std::bind
works with std::reference_wrapper
。您的错误来自于您的调用方式。 Bar::getStuff
返回您尝试丢弃的内容。您只能在放弃表达式和语句中放弃事物。
template<class Callable>
auto discard_callable(Callable&& callable)
{ return [=]() { (void) callable(); }; }
您可以这样使用它:
foo.registerCallback(discard_callable(
std::bind(&Bar::getStuff, std::cref(bar))
));
#include <functional>
#include <string>
struct Butler
{
std::string say() const { return "Welcome home, Sir."; }
};
template<class Callable>
auto discard_callable(Callable&& callable)
{ return [=]() { (void) callable(); }; }
int main()
{
Butler igor;
std::function<void()> welcome = discard_callable(std::bind(&Butler::say, std::ref(igor))); // error without discard
welcome();
}