指向类函数数组的指针

时间:2013-05-03 11:54:08

标签: c++ pointers c++11

我在这里寻求帮助。

我的班级

LevelEditor

有这样的功能:

bool SetSingleMast(Game*, GameArea*, GameArea*, vector<IShip*>*);
bool SetDoubleMast(Game*, GameArea*, GameArea*, vector<IShip*>*);
...

在main.cpp中,我想创建一个指向LevelEditor对象函数的指针数组。我正在做这样的事情:

bool (*CreateShips[2])(Game*, GameArea*, GameArea*, vector<IShip*>*) = 
{LevelEdit->SetSingleMast, LevelEdit->SetDoubleMast, ...};

但它给了我一个错误:

error C2440: 'initializing' : cannot convert from 'overloaded-function' to
'bool (__cdecl *)(Game *,GameArea *,GameArea *,std::vector<_Ty> *)'
with
[
    _Ty=IShip *
]
None of the functions with this name in scope match the target type

我甚至不知道它是什么意思。有人可以帮帮我吗?

1 个答案:

答案 0 :(得分:6)

您不能使用普通函数指针指向非静态成员函数;你需要指向成员的指针。

bool (LevelEditor::*CreateShips[2])(Game*, GameArea*, GameArea*, vector<IShip*>*) =
{&LevelEditor::SetSingleMast, &LevelEditor::SetDoubleMast};

你需要一个对象或指针来调用它们:

(level_editor->*CreateShips[1])(game, area, area, ships);

虽然假设您可以使用C ++ 11(或Boost),但您可能会发现使用std::function来包装任何类型的可调用类型更简单:

using namespace std::placeholders;
std::function<bool(Game*, GameArea*, GameArea*, vector<IShip*>*)> CreateShips[2] = {
    std::bind(&LevelEditor::SetSingleMast, level_editor, _1, _2, _3, _4),
    std::bind(&LevelEditor::SetDoubleMast, level_editor, _1, _2, _3, _4)
};

CreateShips[1](game, area, area, ships);