您可以boost::function<>
使用不同类型的可调用对象作为函数的输入。
下面是一个使用 C++11 的例子(见这个例子后面的备注)。这就是你将如何重写你的函数:
#include <functional>
#include <string>
#include <iostream>
void PassFxn(std::function<int(float, std::string, std::string)> func)
// ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^
{
int result = func(12, "a", "b"); // call using function object
std::cout << result << std::endl;
}
以下是几个测试它的函数:
int DoIt(float f, std::string s1, std::string s2)
{
std::cout << f << ", " << s1 << ", " << s2 << std::endl;
return 0;
}
int DoItWithFourArgs(float f, std::string s1, std::string s2, bool b)
{
std::cout << f << ", " << s1 << ", " << s2 << ", " << b << std::endl;
return 0;
}
struct X
{
int MemberDoIt(float f, std::string s1, std::string s2)
{
std::cout << "Member: " << f << ", " << s1 << ", " << s2 << std::endl;
return 0;
}
static int StaticMemberDoIt(float f, std::string s1, std::string s2)
{
std::cout << "Static: " << f << ", " << s1 << ", " << s2 << std::endl;
return 0;
}
};
这是测试例程:
int main()
{
PassFxn(DoIt); // Pass a function pointer...
// But we're not limited to function pointers with std::function<>...
auto lambda = [] (float, std::string, std::string) -> int
{
std::cout << "Hiho!" << std::endl;
return 42;
};
PassFxn(lambda); // Pass a lambda...
using namespace std::placeholders;
PassFxn(std::bind(DoItWithFourArgs, _1, _2, _3, true)); // Pass bound fxn
X x;
PassFxn(std::bind(&X::MemberDoIt, x, _1, _2, _3)); // Use a member function!
// Or, if you have a *static* member function...
PassFxn(&X::StaticMemberDoIt);
// ...and you can basically pass any callable object!
}
这是一个活生生的例子。
备注:
如果您正在使用 C++03,您可以轻松地转换std::function<>
成boost::function<>
和std::bind<>
转换成(事实上,Boost.Function 是受启发的,后来成为标准 C++ 库的一部分)。在这种情况下,您必须包含and标头,而不是包含标头(仅当您想使用时才包含标头)。boost::bind<>
std::function<>
<functional>
boost/function.hpp
boost/bind.hpp
boost::bind
另一个例子应该让你感受到std::function<>
/boost::function<>
通过它封装任何类型的可调用对象的能力给你带来的力量,另请参阅StackOverflow 上的这个问答。