C++ 库 - <functional>



简介

函数对象是专门设计用于以类似于函数的语法使用的对象。std::function 的实例可以存储、复制和调用任何可调用目标——函数、lambda 表达式、bind 表达式或其他函数对象,以及指向成员函数的指针和指向数据成员的指针。

声明

以下是 std::function 的声明。

template<class >
class function; 

C++11

template< class R, class... Args >
class function<R(Args...)>

参数

  • R - 返回值类型。

  • argument_type - 如果 sizeof...(Args)==1 且 T 是 Args 中第一个也是唯一的类型,则为 T。

示例

在下面的 std::function 示例中。

#include <functional>
#include <iostream>

struct Foo {
   Foo(int num) : num_(num) {}
   void print_add(int i) const { std::cout << num_+i << '\n'; }
   int num_;
};
 
void print_num(int i) {
   std::cout << i << '\n';
}

struct PrintNum {
   void operator()(int i) const {
      std::cout << i << '\n';
   }
};

int main() {
   std::function<void(int)> f_display = print_num;
   f_display(-9);

   std::function<void()> f_display_42 = []() { print_num(42); };
   f_display_42();

   std::function<void()> f_display_31337 = std::bind(print_num, 31337);
   f_display_31337();

   std::function<void(const Foo&, int)> f_add_display = &Foo::print_add;
   const Foo foo(314159);
   f_add_display(foo, 1);

   std::function<int(Foo const&)> f_num = &Foo::num_;
   std::cout << "num_: " << f_num(foo) << '\n';

   using std::placeholders::_1;
   std::function<void(int)> f_add_display2= std::bind( &Foo::print_add, foo, _1 );
   f_add_display2(2);
 
   std::function<void(int)> f_add_display3= std::bind( &Foo::print_add, &foo, _1 );
   f_add_display3(3);

   std::function<void(int)> f_display_obj = PrintNum();
   f_display_obj(18);
}

示例输出应如下所示:

-9
42
31337
314160
num_: 314159
314161
314162
18

成员函数

序号 成员函数 定义
1 (构造函数) 用于构造新的 std::function 实例
2 (析构函数) 用于销毁 std::function 实例
3 operator= 用于分配新的目标
4 swap 用于交换内容
5 assign 用于分配新的目标
6 operator bool 用于检查是否包含有效目标
7 operator() 用于调用目标

非成员函数

序号 非成员函数 定义
1 std::swap 专门化 std::swap 算法
2 operator== operator!= 将 std::function 与 nullptr 进行比较

运算符类

序号 运算符类 定义
1 bit_and 位与函数对象类
2 bit_or 位或函数对象类
3 bit_xor 位异或函数对象类
3 divides 除法函数对象类
4 equal_to 用于相等比较的函数对象类
5 greater 用于大于不等式比较的函数对象类
6 greater_equal 用于大于或等于比较的函数对象类
7 less 用于小于不等式比较的函数对象类
8 less_equal 用于小于或等于比较的函数对象类
9 logical_and 逻辑与函数对象类
10 logical_not 逻辑非函数对象类
11 logical_or 逻辑或函数对象类
12 minus 减法函数对象类
13 modulus 取模函数对象类
14 multiplies 乘法函数对象类
15 negate 负函数对象类
16 not_equal_to 用于不相等比较的函数对象类
17 plus 加法函数对象类
广告