C++11 中的function和bind、lambda用法

std::function

1. std::bind绑定一个成员函数

 #include <iostream>
#include <functional> struct Foo
{
void print_sum(int n1, int n2)
{
std::cout << n1 + n2 << '\n';
}
int data = ;
};
int main()
{
Foo foo;
auto f = std::bind(&Foo::print_sum, &foo, , std::placeholders::_1);
f(); //
}
  • bind绑定类成员函数时,第一个参数表示对象的成员函数的指针,第二个参数表示对象的地址。
  • 必须显示的指定&Foo::print_sum,因为编译器不会将对象的成员函数隐式转换成函数指针,所以必须在Foo::print_sum前添加&;
  • 使用对象成员函数的指针时,必须要知道该指针属于哪个对象,因此第二个参数为对象的地址 &foo;

3.3 绑定一个引用参数

默认情况下,bind的那些不是占位符的参数被拷贝到bind返回的可调用对象中。但是,与lambda类似,有时对有些绑定的参数希望以引用的方式传递,或是要绑定参数的类型无法拷贝。

 #include <iostream>
#include <functional>
#include <vector>
#include <algorithm>
#include <sstream>
using namespace std::placeholders;
using namespace std; ostream& print(ostream &os, const string& s, char c)
{
os << s << c;
return os;
} int main()
{
vector<string> words{ "helo", "world", "this", "is", "C++11" };
ostringstream os;
char c = ' ';
for_each(words.begin(), words.end(),
[&os, c](const string & s) {os << s << c; });
cout << os.str() << endl; ostringstream os1;
// ostream不能拷贝,若希望传递给bind一个对象,
// 而不拷贝它,就必须使用标准库提供的ref函数
for_each(words.begin(), words.end(),
bind(print, ref(os1), _1, c));
cout << os1.str() << endl;
}

参考资料

上一篇:C++11学习笔记之三lamda表达式,std::function, std::bind


下一篇:PLSQL(PL/SQL)集成Team Foundation Server (TFS),实现数据库代码的版本管理