15

我玩 C++11 是为了好玩。我想知道为什么会这样:

//...
std::vector<P_EndPoint> agents;
P_CommunicationProtocol requestPacket;
//...
bool repeated = std::any_of(agents.begin(), agents.end(),
                    [](P_EndPoint i)->bool 
                    {return requestPacket.identity().id()==i.id();});

编译因以下错误而终止:

error: 'requestPacket' has not been declared

这是在代码前面声明的。我试过::requestPacke了,它也不起作用。

如何在 lambda 函数中使用外部范围变量?

4

1 回答 1

38

您需要通过值(使用语法)捕获变量[=]

bool repeated = std::any_of(agents.begin(), agents.end(),
                    [=](P_EndPoint i)->bool                          
                    {return requestPacket.identity().id()==i.id();});

或通过引用(使用[&]语法)

bool repeated = std::any_of(agents.begin(), agents.end(),
                    [&](P_EndPoint i)->bool 
                    {return requestPacket.identity().id()==i.id();});

请注意,正如@aschepler 指出的那样,没有捕获具有静态存储持续时间的全局变量,只有函数级变量:

#include <iostream>

auto const global = 0;

int main()
{
    auto const local = 0;

    auto lam1 = [](){ return global; }; // global is always seen
    auto lam2 = [&](){ return local; }; // need to capture local

    std::cout << lam1() << "\n";
    std::cout << lam2() << "\n";
}
于 2013-06-04T12:50:48.580 回答