function template
<functional>

std::mem_fun_ref

template <class S, class T>  mem_fun_ref_t<S,T> mem_fun_ref (S (T::*f)());template <class S, class T, class A>  mem_fun1_ref_t<S,T,A> mem_fun_ref (S (T::*f)(A));template <class S, class T>  const_mem_fun_ref_t<S,T> mem_fun_ref (S (T::*f)() const);template <class S, class T, class A>  const_mem_fun1_ref_t<S,T,A> mem_fun_ref (S (T::*f)(A) const);
将成员函数转换为函数对象(引用版本)
返回一个封装类型为 T 的成员函数 f 的函数对象。该成员函数返回类型为 S 的值,并且可以选择性地接受一个类型为 A 的参数。

此函数返回的函数对象期望一个对象的引用作为其(第一个)参数,用于operator()。一个类似的函数 mem_fun 生成相同的函数,但期望一个对象的指针作为(第一个)参数。

函数对象是定义了成员函数operator()的类对象。该成员函数允许对象以与常规函数调用相同的语法来使用。几个标准的算法适配器被设计用来与函数对象一起使用。

它的定义与以下行为相同:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
template <class S, class T>
  mem_fun_ref_t<S,T> mem_fun_ref (S (T::*f)())
  { return mem_fun_ref_t<S,T>(f); }

template <class S, class T, class A>
  mem_fun1_ref_t<S,T,A> mem_fun_ref (S (T::*f)(A))
  { return mem_fun1_ref_t<S,T,A>(f); }

template <class S, class T>
  const_mem_fun_ref_t<S,T> mem_fun_ref (S (T::*f)() const)
  { return const_mem_fun_ref_t<S,T>(f); }

template <class S, class T, class A>
  const_mem_fun1_ref_t<S,T,A> mem_fun_ref (S (T::*f)(A) const)
  { return const_mem_fun1_ref_t<S,T,A>(f); }

模板参数

S
成员函数的返回类型。
T
成员函数所属的类型(类)。
A
成员函数接受的参数类型(如果有)。

参数

f
指向成员函数的指针,该成员函数接受一个参数(类型为 A)或不接受参数,并返回类型为 S 的值。

返回值

一个函数对象,用于调用作为其(第一个)参数传递的对象的成员函数 f
如果成员函数接受一个参数,则该参数在函数对象中指定为第二个参数。

示例

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
// mem_fun_ref example
#include <iostream>
#include <functional>
#include <vector>
#include <algorithm>
#include <string>
using namespace std;

int main () {
  vector<string> numbers;

  // populate vector:
  numbers.push_back("one");
  numbers.push_back("two");
  numbers.push_back("three");
  numbers.push_back("four");
  numbers.push_back("five");

  vector <int> lengths (numbers.size());

  transform (numbers.begin(), numbers.end(), lengths.begin(), mem_fun_ref(&string::length));
	
  for (int i=0; i<5; i++) {
	  cout << numbers[i] << " has " << lengths[i] << " letters.\n";
  }
  return 0;
}

输出

one has 3 letters.
two has 3 letters.
three has 5 letters.
four has 4 letters.
five has 4 letters.


另见