C++11中Lambda的使用

C++11中Lambda的使用

Lambda functions: Constructs a closure, an unnamed function object capable of capturing variables in scope.

In C++11, a lambda expression----often called a lambda----is a convenient way of defining an anonymous function object right at the location where it is invoked or passed as an argument to a function. Typically lambdas are used to encapsulate a few lines of code that are passed to algorithms or asynchronous methods.

A lambda function is a function that you can write inline in your source code (usually to pass in to another function, similar to the idea of a functor or function pointer). With lambda, creating quick functions has become much easier, and this means that not only can you start using lambda when you'd previously have needed to write a separate named function, but you can start writing more code that relies on the ability to create quick-and-easy functions.

Lambda表达式语法:[capture ] ( params ) mutable exception attribute -> return-type { body }

其中capture为定义外部变量是否可见(捕获),若为空,则表示不捕获所有外部变量,即所有外部变量均不可访问,= 表示所有外部变量均以值的形式捕获,在body中访问外部变量时,访问的是外部变量的一个副本,类似函数的值传递,因此在body中对外部变量的修改均不影响外部变量原来的值。& 表示以引用的形式捕获,后面加上需要捕获的变量名,没有变量名,则表示以引用形式捕获所有变量,类似函数的引用传递,body操作的是外部变量的引用,因此body中修改外部变量的值会影响原来的值。params就是函数的形参,和普通函数类似,不过若没有形参,这个部分可以省略。mutalbe表示运行body修改通过拷贝捕获的参数,exception声明可能抛出的异常,attribute修饰符,return-type表示返回类型,如果能够根据返回语句自动推导,则可以省略,body即函数体。除了capture和body是必需的,其他均可以省略。

Lambda表达式是用于创建匿名函数的。Lambda 表达式使用一对方括号作为开始的标识,类似于声明一个函数,只不过这个函数没有名字,也就是一个匿名函数。Lambda 表达式的返回值类型是语言自动推断的。如果不想让Lambda表达式自动推断类型,或者是Lambda表达式的内容很复杂,不能自动推断,则这时必须显示指定Lambda表达式返回值类型,通过”->”。

引入Lambda表达式的前导符是一对方括号,称为Lambda引入符(lambda-introducer):

(1)、[] // 不捕获任何外部变量

(2)、[=] //以值的形式捕获所有外部变量

(3)、[&] //以引用形式捕获所有外部变量

(4)、[x, &y] // x 以传值形式捕获,y 以引用形式捕获

(5)、[=, &z] // z 以引用形式捕获,其余变量以传值形式捕获

(6)、[&,x] // x 以值的形式捕获,其余变量以引用形式捕获

(7)、对于[=]或[&]的形式,lambda 表达式可以直接使用 this 指针。但是,对于[]的形式,如果要使用 this 指针,必须显式传入,如:this { this->someFunc(); }();

下面是从其他文章中copy的测试代码,详细内容介绍可以参考对应的reference:

#include "Lambda.hpp"
#include <iostream>
#include <algorithm>
#include <functional>
#include <vector>
#include <string>

// Blog: http://blog.csdn.net/fengbingchun/article/details/52653313

///////////////////////////////////////////////////
// reference: http://en.cppreference.com/w/cpp/language/lambda
int test_lambda1()
{
    /*
    []      Capture nothing (or, a scorched earth strategy?)
    [&]     Capture any referenced variable by reference
    [=]     Capture any referenced variable by making a copy
    [=, &foo]   Capture any referenced variable by making a copy, but capture variable foo by reference
    [bar]       Capture bar by making a copy; don't copy anything else
    [this]      Capture the this pointer of the enclosing class
    */
    int a = 1, b = 1, c = 1;

    auto m1 = [a, &b, &c]() mutable {
        auto m2 = [a, b, &c]() mutable {
            std::cout << a << b << c << '\n';
            a = 4; b = 4; c = 4;
        };
        a = 3; b = 3; c = 3;
        m2();
    };

    a = 2; b = 2; c = 2;

    m1();                             // calls m2() and prints 123
    std::cout << a << b << c << '\n'; // prints 234

    return 0;
}

///////////////////////////////////////////////////
// reference: http://en.cppreference.com/w/cpp/language/lambda
int test_lambda2()
{
    std::vector<int> c = { 1, 2, 3, 4, 5, 6, 7 };
    int x = 5;
    c.erase(std::remove_if(c.begin(), c.end(), [x](int n) { return n < x; }), c.end());

    std::cout << "c: ";
    std::for_each(c.begin(), c.end(), [](int i){ std::cout << i << ' '; });
    std::cout << '\n';

    // the type of a closure cannot be named, but can be inferred with auto
    auto func1 = [](int i) { return i + 4; };
    std::cout << "func1: " << func1(6) << '\n';

    // like all callable objects, closures can be captured in std::function
    // (this may incur unnecessary overhead)
    std::function<int(int)> func2 = [](int i) { return i + 4; };
    std::cout << "func2: " << func2(6) << '\n';

    return 0;
}

///////////////////////////////////////////////////////
// reference: https://msdn.microsoft.com/zh-cn/library/dd293608.aspx
int test_lambda3()
{
    // The following example contains a lambda expression that explicitly captures the variable n by value
    // and implicitly captures the variable m by reference:
    int m = 0;
    int n = 0;
    [&, n](int a) mutable { m = ++n + a; }(4);

    // Because the variable n is captured by value, its value remains 0 after the call to the lambda expression.
    // The mutable specification allows n to be modified within the lambda.
    std::cout << m << std::endl << n << std::endl;

    return 0;
}

//////////////////////////////////////////////
// reference: https://msdn.microsoft.com/zh-cn/library/dd293608.aspx
template <typename C>
void print(const std::string& s, const C& c)
{
    std::cout << s;

    for (const auto& e : c) {
        std::cout << e << " ";
    }

    std::cout << std::endl;
}

void fillVector(std::vector<int>& v)
{
    // A local static variable.
    static int nextValue = 1;

    // The lambda expression that appears in the following call to
    // the generate function modifies and uses the local static 
    // variable nextValue.
    generate(v.begin(), v.end(), [] { return nextValue++; });
    //WARNING: this is not thread-safe and is shown for illustration only
}

int test_lambda4()
{
    // The number of elements in the vector.
    const int elementCount = 9;

    // Create a vector object with each element set to 1.
    std::vector<int> v(elementCount, 1);

    // These variables hold the previous two elements of the vector.
    int x = 1;
    int y = 1;

    // Sets each element in the vector to the sum of the 
    // previous two elements.
    generate_n(v.begin() + 2,
        elementCount - 2,
        [=]() mutable throw() -> int { // lambda is the 3rd parameter
        // Generate current value.
        int n = x + y;
        // Update previous two values.
        x = y;
        y = n;
        return n;
    });
    print("vector v after call to generate_n() with lambda: ", v);

    // Print the local variables x and y.
    // The values of x and y hold their initial values because 
    // they are captured by value.
    std::cout << "x: " << x << " y: " << y << std::endl;

    // Fill the vector with a sequence of numbers
    fillVector(v);
    print("vector v after 1st call to fillVector(): ", v);
    // Fill the vector with the next sequence of numbers
    fillVector(v);
    print("vector v after 2nd call to fillVector(): ", v);

    return 0;
}

/////////////////////////////////////////////////
// reference: http://blogorama.nerdworks.in/somenotesonc11lambdafunctions/

template<typename T>
std::function<T()> makeAccumulator(T& val, T by) {
    return [=, &val]() {
        return (val += by);
    };
}

int test_lambda5()
{
    int val = 10;
    auto add5 = makeAccumulator(val, 5);
    std::cout << add5() << std::endl;
    std::cout << add5() << std::endl;
    std::cout << add5() << std::endl;
    std::cout << std::endl;

    val = 100;
    auto add10 = makeAccumulator(val, 10);
    std::cout << add10() << std::endl;
    std::cout << add10() << std::endl;
    std::cout << add10() << std::endl;

    return 0;
}

////////////////////////////////////////////////////////
// reference: http://blogorama.nerdworks.in/somenotesonc11lambdafunctions/
class Foo_lambda {
public:
    Foo_lambda() {
        std::cout << "Foo_lambda::Foo_lambda()" << std::endl;
    }

    Foo_lambda(const Foo_lambda& f) {
        std::cout << "Foo_lambda::Foo_lambda(const Foo_lambda&)" << std::endl;
    }

    ~Foo_lambda() {
        std::cout << "Foo_lambda~Foo_lambda()" << std::endl;
    }
};

int test_lambda6()
{
    Foo_lambda f;
    auto fn = [f]() { std::cout << "lambda" << std::endl; };
    std::cout << "Quitting." << std::endl;
    return 0;
}

template<typename Cal>
static void display(Cal cal)
{
    fprintf(stderr, "start\n");
    cal();
}

int test_lambda7()
{
    int num { 1 };
    // create callback
    auto fun = [&](){
        if (num % 5 == 0) {
            fprintf(stderr, "****** reset ******\n");
            fprintf(stderr, "num = %d\n", num);

            num = 0;
        } else {
            fprintf(stderr, "++++++ continue ++++++\n");
            fprintf(stderr, "num = %d\n", num);
        }

        num++;
    };

    for (int i = 0; i < 20; i++) {
        fprintf(stderr, "========= i = %d\n", i);
        display(fun);
    }

    return 0;
}
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 216,142评论 6 498
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 92,298评论 3 392
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 162,068评论 0 351
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 58,081评论 1 291
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 67,099评论 6 388
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 51,071评论 1 295
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,990评论 3 417
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 38,832评论 0 273
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 45,274评论 1 310
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 37,488评论 2 331
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 39,649评论 1 347
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 35,378评论 5 343
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,979评论 3 325
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 31,625评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,796评论 1 268
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 47,643评论 2 368
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 44,545评论 2 352

推荐阅读更多精彩内容