C++14 lambda的捕获列表初始化

  • 在C++11中lambda捕获列表有两种方式:值捕获和引用捕获,捕获的是外层作用域的变量,也就是左值。
  • C++14进行了扩展,允许捕获的成员用任意的表达式进行初始化,相当于允许捕获右值。
  • 举例
int x = 100;
auto f = [x = 0]() mutable { return x++; };
std::cout << "f()=" << f() << std::endl;
std::cout << "f()=" << f() << std::endl;
std::cout << "f()=" << f() << std::endl;

// lee@leedeMacBook-Pro cpp14 % g++ -o a -std=c++14 lambda_init_capture.cpp
// lee@leedeMacBook-Pro cpp14 % ./a
// f()=0
// f()=1
// f()=2
auto p = std::make_unique<int>(1);
std::cout << "p.get()=" << p.get() << std::endl;
auto f = [p = std::move(p)] { *p = 100; };
std::cout << "p.get()=" << p.get() << std::endl;
// lee@leedeMacBook-Pro cpp14 % g++ -o a -std=c++14 lambda_init_capture.cpp
// lee@leedeMacBook-Pro cpp14 % ./a
// p.get()=0x7f8e6fc05a90
// p.get()=0x0

你可能感兴趣的:(#,C++11/14/17/20,C++14,lambda,捕获列表初始化)