前言
C++中可调用对象的虽然都有一个比较统一的操作形式,但是定义方法五花八门,这样就导致使用统一的方式保存可调用对象或者传递可调用对象时,会十分繁琐。C++提供了std::function和std::bind统一了可调用对象的各种操作。不同类型可能具有相同的调用形式。使用前记得加上functional头文件。
包装普通函数
- #include <iostream>
- #include <string>
- #include <functional>
- using namespace std;
- int Max(int a, int b)
- {
- return a > b ? a : b;
- }
- void print()
- {
- cout << "无参无返回值" << endl;
- }
- int main()
- {
- function<int(int, int)> funMax(Max);
- cout << funMax(1, 2) << endl;
- function<void()> funPrint(print);
- print();
- printData(funMax, 1, 2);
- return 0;
- }
包装类的静态方法
- #include <iostream>
- #include <string>
- #include <functional>
- using namespace std;
- class Test
- {
- public:
- static void print(int a, int b)
- {
- cout << a + b << endl;
- }
- void operator()(string str)
- {
- cout << str << endl;
- }
- operator FuncPTR()
- {
- return print;
- }
- };
- int main()
- {
- //包装类的静态方法
- function<void(int, int)> sFunc = Test::print;
- sFunc(1, 2);
- return 0;
- }
包装仿函数
- #include <iostream>
- #include <string>
- #include <functional>
- using namespace std;
- class Test
- {
- public:
- void operator()(string str)
- {
- cout << str << endl;
- }
- };
- int main()
- {
- //包装仿函数
- Test test;
- function<void(string)> funTest = test;
- test("仿函数");
- return 0;
- }
包装转换成函数指针的对象 (operator的隐式转换)
- #include <iostream>
- #include <string>
- #include <functional>
- using namespace std;
- using FuncPTR = void(*)(int, int);
- class Test
- {
- public:
- static void print(int a, int b)
- {
- cout << a + b << endl;
- }
- operator FuncPTR()
- {
- return print;
- }
- };
- int main()
- {
- //包装转换成函数指针的对象 (operator的隐式转换)
- Test object;
- function<void(int,int)> funOPE = object;
- funOPE(2, 3);
- return 0;
- }