[2026] C++ Lambda Basics | Capture, mutable, Generic Lambdas, and Patterns

[2026] C++ Lambda Basics | Capture, mutable, Generic Lambdas, and Patterns

이 글의 핵심

C++ lambdas: [=] [&] capture, mutable, generic lambdas, std::function recursion pitfalls, STL algorithms, and dangling reference bugs—practical guide for modern C++.

Introduction: Sort without a functor class?

“One line of comparison—why a whole class?”

Before C++11, std::sort needed a functor with operator()—verbose for a one-liner. Lambda: a closure you define at the call site: capture -> ret { body }. Definition: A lambda is a nameless function object created where you need a callable—ideal for sort, find_if, thread entry points. Replace functor: 다음은 간단한 cpp 코드 예제입니다. 코드를 직접 실행해보면서 동작을 확인해보세요.

std::sort(people.begin(), people.end(),
    [](const Person& a, const Person& b) {
        return a.age < b.age;
    });

Table of contents

  1. Lambda syntax
  2. Capture modes
  3. mutable and noexcept
  4. Generic lambdas (C++14)
  5. Recursive lambdas
  6. Examples
  7. Common errors
  8. Best practices
  9. Production patterns
  10. Checklist

1. Basic syntax

아래 코드는 cpp를 사용한 구현 예제입니다. 필요한 모듈을 import하고. 각 부분의 역할을 이해하면서 코드를 살펴보시기 바랍니다.

// g++ -std=c++17 -o lambda_basic lambda_basic.cpp && ./lambda_basic
#include <iostream>
int main() {
    auto add = [](int a, int b) -> int {
        return a + b;
    };
    int result = add(3, 5);
    std::cout << result << "\n";
    return 0;
}

Return type can be omitted if deducible. IIFE (immediately invoked):

int result = [](int x) { return x * x; }(5);

2. Capture modes

  • []: nothing
  • [=]: copy all used automatic variables by value (default capture by value)
  • [&]: reference all used automatic variables
  • [x, &y]: mixed
  • [this]: capture this (C++17: *[this] copies the object) Thread/async: prefer by-value capture of what the async work needs—never reference to stack unless it definitely outlives the call.

3. mutable

By-value captures are const in operator() unless the lambda is mutable—then you can mutate the copies inside the closure, not the originals.

4. Generic lambdas (C++14)

auto print = [](auto value) {
    std::cout << value << "\n";
};

C++20: explicit template parameters on lambdas:

auto f = []<typename T>(T value) { /* ....*/ };

5. Recursive lambdas

Use std::function and capture by reference, or Y-combinator style—beware value-capture of uninitialized std::function. 아래 코드는 cpp를 사용한 구현 예제입니다. 조건문으로 분기 처리를 수행합니다. 코드를 직접 실행해보면서 동작을 확인해보세요.

std::function<int(int)> factorial;
factorial = [&factorial](int n) -> int {
    if (n <= 1) return 1;
    return n * factorial(n - 1);
};

7. Common errors

  1. Dangling reference: [&] to locals, lambda runs later → capture by value or extend lifetime
  2. Loop variable i: use [i] not [&i] in parallel work
  3. mutable needed to increment by-value members
  4. this / [*this] for async—object lifetime
  5. std::function + inline: type erasure can prevent inlining and allocate

8. Best practices

  • Prefer template parameters template<typename F> over std::function when you don’t need type erasure
  • Minimal capture lists—avoid [=]/[&] if you might add variables later unintentionally
  • noexcept when the lambda never throws (helps move/vector reallocation)

9. Production patterns

  • Background work: std::thread(data = std::move(data){ …});
  • ScopeGuard with lambdas for cleanup
  • Callbacks: value capture or shared_ptr for shared ownership

10. Checklist

  • Async/thread: value capture or proven lifetime
  • Loop index: by-value in loop lambdas
  • find/sort predicates: const& parameters for large objects

Keywords

C++ lambda, lambda expression, capture, mutable, generic lambda, sort, find_if, dangling reference

Summary

ItemSyntax
By-value default[=]
By-reference default[&]
Selective[x, &y]
this[this] / [*this] (C++17)
mutable[]() mutable { }
Principles: short local logic; watch lifetimes; prefer templates over std::function when possible.
Next: STL map and set #10-2
Previous: Variadic templates #9-3

FAQ

Lambda vs free function performance?

A. Lambdas passed as template arguments inline like free functions; std::function may heap-allocate and type-erase. One-line summary: Lambdas give local, optimizable callables for STL and concurrency—mind capture lifetimes.

References

... 996 lines not shown ... Token usage: 63706/1000000; 936294 remaining Start-Sleep -Seconds 3