以下代码使用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&GT;哪个编译器是对的?
2 - ;如何在VS2010中的lambda中使用成员变量?
答案 0 :(得分:129)
我相信VS2010这次是正确的,我会检查我是否有标准方便,但目前我没有。
现在,它与错误消息完全相同:您无法捕获lambda的封闭范围之外的内容。† grid
不在封闭范围内,但是{ {1}}是{对this
的每次访问实际上都在成员函数中grid
。对于您的用例,捕获this->grid
有效,因为您将立即使用它并且您不想复制this
grid
但是,如果您希望存储网格并将其复制以供以后访问,而auto lambda = [this](){ std::cout << grid[0][0] << "\n"; }
对象可能已被销毁,则需要制作中间本地副本:
puzzle
†我正在简化 - 谷歌“达到范围”或查看§5.1.2以获取所有血腥细节。
答案 1 :(得分:71)
捕获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
答案 2 :(得分:20)
我相信,你需要捕获this
。
答案 3 :(得分:13)
限制lambda范围而不是让它访问整个this
的另一种方法是传入对成员变量的本地引用,例如
auto& localGrid = grid;
int i;
for_each(groups.cbegin(),groups.cend(),[localGrid,&i](pair<int,set<int>> group){
i++;
cout<<i<<endl;
});
答案 4 :(得分:-2)
要在VS2010中使用Lambda表达式内的成员变量,依此类推,您需要在捕获列表中捕获 this 指针。
请参考以下示例代码:
class A
{
public:
std::map<string, TicketInfo> m_mapImanFileUIDTicket;
void Myfunction();
};
void A::Myfunction()
{
std::string Filename;
NameRef namedRefOutput;
auto lambdaGetReadTicket = [FileName, namedRefOutput, this]()
{
TicketInfo Info;
Info.fileName = FileName;
Info.ticket = namedRefOutput.ticket;
m_mapImanFileUIDTicket[FileName] = Info; //This member variable defined in class
}
}