我正在使用存储在具有定义指针的typedef的数组中的函数指针,而我对应该如何调用函数有些迷惑。
这是Menu.h部分:
typedef void( Menu::*FunctionPointer )();
FunctionPointer* m_funcPointers;
这是Menu.cpp部分:
Menu::Menu()
: m_running( true )
, m_frameChanged( true )
, m_currentButton( 0 )
, m_numOfButtons( k_maxButtons )
, m_menuButtons( new MenuButton[k_maxButtons] )
, m_nullBtn( new MenuButton( "null", Vector2( -1, -1 ) ) )
, m_frameTimer( 0 )
, m_funcPointers( new FunctionPointer[k_maxButtons])
{
m_timer.start();
clearButtons();
mainMenu();
}
void Menu::enterButton()
{
m_funcPointers[m_currentButton]();//Error here
}
void Menu::mainMenu()
{
m_funcPointers[0] = &Menu::btnPlay;
m_menuButtons[0] = MenuButton("Play", Vector2(0, 0));
m_funcPointers[1] = &Menu::btnHiScores;
m_menuButtons[1] = MenuButton("HiScores", Vector2(0, 1));
m_funcPointers[2] = &Menu::btnExit;
m_menuButtons[2] = MenuButton("Exit", Vector2(0, 2));
}
void Menu::btnPlay()
{
StandardGame* game = new StandardGame();
game->play();
delete game;
}
m_currentButton是用作索引的整数。我不确定如何实际调用该函数,因为上面的行给了我这个错误:
**C2064 term does not evaluate to a function taking 0 arguments**
视觉工作室给我这个:
expression preceding parentheses of apparent call must have (pointer-to-) function type
我不知道如何解决上述问题,也不知道是由于调用函数还是存储函数。 预先感谢。
答案 0 :(得分:3)
从函数指针数组中调用函数
以与调用不在数组中的函数相同的方式在数组中调用函数指针。
您的问题不是这样的如何在数组中调用函数指针。您试图像调用成员函数指针那样调用成员函数指针的问题。
您可以像这样调用成员函数指针:
Menu menu; // you'll need an instance of the class
(menu.*m_funcPointers[m_currentButton])();
编辑新的示例代码:由于您在成员函数中,因此您可能打算在this
上调用成员函数指针:
(this->*m_funcPointers[m_currentButton])();
如果您觉得语法难以阅读,我不会怪您。相反,我建议改用std::invoke
(自C ++-17起可用):
std::invoke(m_funcPointers[m_currentButton], this);