0

我不明白这其中的错误。我正在尝试使用std::functions 将成员函数作为参数传递。除了第 4 种和最后一种情况外,它工作正常。

void window::newGame() {

}
//show options
void window::showOptions() {

}
 void window::showHelp() {

}
//Quits program
void window::quitWindow() {
    close();
}
void window::createMenu() {

    std::function<void()> newGameFunction = std::bind(&window::newGame);

    std::function<void()> showOptionsFunction = std::bind(&window::showOptions);


    std::function<void()> showHelpFunction = std::bind(&window::showHelp);


    std::function<void()> quitWindowFunction = std::bind(&window::quitWindow);
}

的前 3 次使用没有错误std::function,但是在最终使用中我得到以下信息:

Error 1 error C2064: term does not evaluate to a function taking 0 arguments在第 1149 行functional

我只知道错误发生在线上,因为我取出了所有其他错误,这是唯一一个导致各种组合出现任何问题的错误。

4

1 回答 1

1

这些都不应该编译。成员函数很特殊:它们需要一个对象。所以你有两个选择:你可以将它们与一个对象绑定,或者你可以让他们接受一个对象。

// 1) bind with object
std::function<void()> newGameFunction = std::bind(&window::newGame, this);
                                                             //   ^^^^^^
std::function<void()> showOptionsFunction = std::bind(&window::showOptions, this);

// 2) have the function *take* an object
std::function<void(window&)> showHelpFunction = &window::showHelp;
std::function<void(window*)> quitWindowFunction = &window::quitWindow;

后两者可以称为:

showHelpFunction(*this); // equivalent to this->showHelp();
quitWindowFunction(this); // equivalent to this->quitWindow();

这最终取决于function您想要以哪种方式执行 s 的用例 - 但无论哪种方式,您都肯定需要window在某个地方!

于 2015-01-06T03:03:42.910 回答