在成员函数的 lambda 捕获列表中使用成员变量

以下代码使用 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

那么,

哪个编译器是正确的?

2 > 在 VS2010中如何在 lambda 中使用成员变量?

205781 次浏览

我相信,你需要捕捉 this

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

现在,就像错误消息所说的那样: 你不能捕获 lambda 封闭范围之外的内容。 grid不在封闭范围内,但是 this在(对 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

? 我正在简化-谷歌“达到范围”或见5.1.2的所有血淋淋的细节。

另一种限制 lambda 范围而不是让它访问整个 this的方法是传入对成员变量的本地引用,例如。

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

备选办法摘要:

捕捉 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