std::function 使用_

时间:2024-03-24 18:06:56
 #include <iostream>
#include <functional> //函数指针写法
typedef int(*FuncPoint)(const int&); std::function<int(const int &)> Function; //普通函数
int FuncDemo(const int &value)
{
std::cout << "普通函数\t:" << value << "\n";
return value;
} //lamda函数
auto lmdFuc = [](const int &value) -> int
{
std::cout << "lamda函数\t:" << value << "\n";
return value;
}; //仿函数
class Functor
{
public:
int operator()(const int &value)
{
std::cout << "仿函数\t:" << value << "\n";
return value;
}
}; //类内静态函数和类成员函数
class Testclass
{
public:
int TestDemo(const int &value)
{
std::cout << "类内成员函数\t:" << value << "\n";
return value;
} static int TestStatic(const int &value)
{
std::cout << "类内静态成员函数\t:" << value << "\n";
return value;
}
}; int main()
{
//以往函数指针调用
FuncPoint Func(FuncDemo);
Func();
//普通函数
Function = FuncDemo;
Function(); //lamda函数
Function = lmdFuc;
Function(); //仿函数(函数对象)
Functor Fobj;
Function=Fobj;
Function(); //类内成员函数(需要bind())
Testclass testclass;
Function=std::bind(&Testclass::TestDemo,testclass,std::placeholders::_1);
Function(); //类内静态成员函数
Function=Testclass::TestStatic;
Function(); return ;
}
  • 关于可调用实体转换为std::function对象需要遵守以下两条原则:
    • 转换后的std::function对象的参数能转换为可调用实体的参数;
    • 可调用实体的返回值能转换为std::function对象的返回值。
  • std::function对象最大的用处就是在实现函数回调,使用者需要注意,它不能被用来检查相等或者不相等,但是可以与NULL或者nullptr进行比较。

为什么加入std::function;

好用并实用的东西才会加入标准的。因为好用,实用,我们才在项目中使用它。std::function实现了一套类型消除机制,可以统一处理不同的函数对象类型。以前我们使用函数指针来完成这些;现在我们可以使用更安全的std::function来完成这些任务。