小编典典

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

all

以下代码使用 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 中使用成员变量?


阅读 70

收藏
2022-07-30

共1个答案

小编典典

我相信这次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 以了解所有血腥细节。

2022-07-30