在成员函数内的lambda捕获列表中使用成员variables

以下代码使用gcc 4.5.1进行编译,但不使用VS2010 SP1进行编译:

#include <iostream> #include <vector> #include <map> #include <utility> #include <set> #include <algorithm> using namespace std; class puzzle { vector<vector<int>> grid; map<int,set<int>> groups; public: int member_function(); }; int puzzle::member_function() { int i; for_each(groups.cbegin(),groups.cend(),[grid,&i](pair<int,set<int>> group){ i++; cout<<i<<endl; }); } int main() { return 0; } 

这是错误的:

 error C3480: 'puzzle::grid': a lambda capture variable must be from an enclosing function scope warning C4573: the usage of 'puzzle::grid' requires the compiler to capture 'this' but the current default capture mode does not allow it 

所以,

1>哪个编译器是对的?

2>如何在VS2010中使用lambda中的成员variables?

我相信VS2010这次是正确的,我会检查我是否有标准的方便,但目前我没有。

现在,就像错误信息所示:您不能捕获lambda封闭范围之外的东西。 grid不在封闭范围内,但这是(每个对grid访问实际上都以成员函数中的this->grid出现)。 对于你的用例,捕获this工作,因为你会立即使用它,你不想复制grid

 auto lambda = [this](){ std::cout << grid[0][0] << "\n"; } 

但是,如果要存储网格并将其复制以供以后访问,其中的puzzle对象可能已被销毁,则需要制作中间本地副本:

 vector<vector<int> > tmp(grid); auto lambda = [tmp](){}; // capture the local copy per copy 

†我正在简化 – Google是为了“达到范围”,或者参阅第5.1.2节了解所有的细节。

备选scheme摘要:

捕捉this

 auto lambda = [this](){}; 

使用本地成员的引用:

 auto& tmp = grid; auto lambda = [ tmp](){}; // capture grid by (a single) copy auto lambda = [&tmp](){}; // capture grid by ref 

C ++ 14:

 auto lambda = [ grid = grid](){}; // capture grid by copy auto lambda = [&grid = grid](){}; // capture grid by ref 

例如: https : //godbolt.org/g/dEKVGD

我相信,你需要捕捉this

限制lambda范围的替代方法,而不是让它访问整个this是传递一个本地引用的成员variables,例如

 auto& localGrid = grid; int i; for_each(groups.cbegin(),groups.cend(),[localGrid,&i](pair<int,set<int>> group){ i++; cout<<i<<endl; });