Lambda表达式可作为函数参数传递,常用于回调和STL算法;通过模板或std::function接收,模板性能更高,std::function更灵活;支持值捕获和引用捕获,需注意变量生命周期。

在c++中,lambda表达式可以作为函数参数传递,常用于实现回调机制、算法自定义行为等场景。由于lambda具有简洁的语法和捕获上下文的能力,它成为替代函数指针或仿函数的优选方式。
lambda作为函数参数的基本用法
要将lambda作为参数传入函数,目标函数的参数类型需要能够接受可调用对象。常用的方式包括使用模板、std::function,或者直接接受泛型可调用类型。
示例:通过模板接收lambda
这是最高效的方式,避免运行时开销:
立即学习“C++免费学习笔记(深入)”;
#include <iostream> #include <vector> <p>template<typename Callback> void forEach(const std::vector<int>& vec, Callback callback) { for (int value : vec) { callback(value); } }</p><p>int main() { std::vector<int> numbers = {1, 2, 3, 4, 5};</p><pre class="brush:php;toolbar:false;"><pre class="brush:php;toolbar:false;">forEach(numbers, [](int n) { std::cout << n * 2 << " "; }); // 输出: 2 4 6 8 10 return 0;
}
使用std::function作为参数类型
当你希望函数接受多种可调用对象(如lambda、函数指针、bind结果等)并统一接口时,可以用std::function。
示例:std::function作为回调参数
#include <iostream> #include <functional> <p>void executeTask(std::function<void(int)> callback) { int result = 42; callback(result); }</p><p>int main() { executeTask([](int value) { std::cout << "Received: " << value << "n"; });</p><pre class="brush:php;toolbar:false;"><pre class="brush:php;toolbar:false;">// 也可以传普通函数 auto print = [](int x) { std::cout << "Lambda: " << x << "n"; }; executeTask(print); return 0;
}
注意:std::function有一定的运行时开销(类型擦除和堆分配),对性能敏感的场景建议优先使用模板。
lambda捕获外部变量用于回调
lambda的强大之处在于能捕获局部变量,使得回调函数可以访问上下文数据。
#include <iostream> #include <functional> #include <string> <p>void asyncOperation(std::function<void()> onComplete) { // 模拟异步操作完成 onComplete(); }</p><p>int main() { std::string name = "Alice"; int age = 30;</p><pre class="brush:php;toolbar:false;"><pre class="brush:php;toolbar:false;">asyncOperation([name, age]() { std::cout << "Hello, " << name << ". You are " << age << " years old.n"; }); return 0;
}
上面的例子中,lambda捕获了name和age,即使在main函数继续执行后仍可安全使用(值捕获)。
如果需要修改捕获的变量,可以使用引用捕获:
int counter = 0; auto increment = [&counter]() { counter++; }; increment(); std::cout << counter; // 输出 1
实际应用场景:STL算法中的lambda
STL广泛使用lambda作为参数,比如std::sort、std::for_each、std::transform等。
#include <algorithm> #include <vector> #include <iostream> <p>int main() { std::vector<int> data = {5, 2, 8, 1, 9};</p><pre class="brush:php;toolbar:false;"><pre class="brush:php;toolbar:false;">// 自定义排序规则 std::sort(data.begin(), data.end(), [](int a, int b) { return a > b; // 降序 }); std::for_each(data.begin(), data.end(), [](int n) { std::cout << n << " "; }); // 输出: 9 8 5 2 1 return 0;
}
基本上就这些。lambda作为参数的核心是理解其类型兼容性和如何被函数接收。模板适合高性能通用逻辑,std::function适合需要统一类型签名的回调系统。配合捕获列表,可以写出清晰又灵活的代码。不复杂但容易忽略的是捕获方式的选择和生命周期管理。


