函数模板 ref
与 cref
是生成 std::reference_wrapper
类型对象的帮助函数,主要是与 std::bind
一起使用,默认情况下,std::bind
无法使用变量引用传递,即使原来的函数形参是引用类型的
void f(int& n1, int& n2, const int& n3)
{
std::cout << "In function: " << n1 << ' ' << n2 << ' ' << n3 << '\n';
++n1; // 增加存储于函数对象的 n1 副本
++n2; // 增加 main() 的 n2
// ++n3; // 编译错误 error: increment of read-only reference ‘n3’
}
int main()
{
int n1 = 1, n2 = 2, n3 = 3;
// 函数对象 bound_f
// 默认会将此时变量值的副本做为函数对象的参数(函数参数特例化)
std::function<void()> bound_f = std::bind(f, n1, std::ref(n2), std::cref(n3));
n1 = 10;
n2 = 11;
n3 = 12;
std::cout << "Before function: " << n1 << ' ' << n2 << ' ' << n3 << '\n';
bound_f();
std::cout << "After function: " << n1 << ' ' << n2 << ' ' << n3 << '\n';
}
输出:
Before function: 10 11 12
In function: 1 11 12
After function: 10 12 12
参考: