Skip to main content
 首页 » 编程设计

C++ Lambda 表达式教程

2022年07月19日145arxive

C++ Lambda 函数或表达式类似于无需重用的内联函数,一般以简单的代码片段形式存在。典型Lambda应用场景为把封装的几行代码传给algorithmasynchronou方法。本文通过示例展示它的几个应用场景。

C++ Lambda 表达式

自C++ 11引入Lambda 表达式,它可以方便地定义匿名函数对象(闭包),可以直接执行或作为参数传递给函数。

基本语法如下:

[capture clause] (parameters) -> return-type 
{        
    // body 
} 

[] 表示空捕获子句,它有访问限制,仅能访问局部变量。通过定义捕获组lambda表达式也可以访问外部变量:

[&] – 按引用访问外部变量.

[=] – 按值访问外部变量.

[x,&y] – x按值访问,y按引用访问

返回值类型可以省略,编译器自动推断,但通常为了增加可读性可以显示指明。下面通过几个示例进行说明。

向量排序

首先定义向量对象,并按升序插入5个元素。然后利用lambda表达和sort函数进行降序排序:

	vector<int> a; 
 
	for (int i = 0; i < 5; i++) 
		a.push_back(i + 1); 
 
	sort(a.begin(), a.end(), [](const int& x, const int& y) -> bool 
	{ 
		return x > y; 
	}); 
	cout << "Sorted List in decreasing order: \n"; 
	for (int i = 0; i < 5; i++) 
		cout << a[i] << " "; 
	return 0; 

这里[]内没有捕获子句表示仅能访问表达式局部变量。输出结果为倒序:5 4 3 2 1.

向量求和

这个示例对向量元素进行求和,输出结果为单个变量。accumulate函数有四个参数,用于实现向量元素累加,结果保存在ans变量中,需要引入numeric库:#include <numeric> :

	vector<int> a; 
 
	for (int i = 0; i < 5; i++) 
		a.push_back(i + 1); 
 
	int ans = accumulate(a.begin(), a.end(), 0, [](int i, int j) {return i + j; }); 
	cout << "SUM: " << ans << "\n"; 
 
	return 0; 

输出结果:

SUM: 15 

修改向量

下面通过示例展示按引用访问外部变量,从而改变外部数据结构的值。

#include <iostream> 
#include <vector> 
#include <algorithm> 
 
using namespace std; 
 
int main(){ 
	vector<int> a; 
 
	for (int i = 0; i < 5; i++) 
		a.push_back(i + 1); 
 
	cout << "Before : "; 
	for (int i = 0; i < a.size(); i++)  
		cout << a[i] << " "; 
 
	cout << "\n"; 
 
	auto change = [a&](int x) 
	{ 
		a.push_back(x); 
	}; 
 
	change(6); 
 
	cout << "After lambda function: "; 
	for (int i = 0; i < a.size(); i++)  
		cout << a[i] << " "; 
 
	return 0; 
} 

首先定义向量并初始化值为:12345,在执行lambda表达式之前输出结果。然后定义名称为change的lambda表达式,这里捕获组内有a&,表示按引用传递参数。

输出结果为:

Before : 1 2 3 4 5 
After lambda function: 1 2 3 4 5 6 

向量计数

本节我们考虑捕获子句按值传递。我们可以在lambda函数内部使用一些外部变量,并通过它输出一些结果。

	vector<int> a; 
 
	for (int i = 0; i < 5; i++) 
		a.push_back(i + 1); 
 
	int chk = 3; 
 
	int sum = count_if(a.begin(), a.end(), [=](int x) 
	{  return x >= chk; }); 
 
	cout << "Count of elements greater than equal to 3 in vector a : "; 
	cout << sum; 
 
	return 0; 

向量共包括5个元素,设置检查值为3,输出大于检查值元素的数量。这里使用 count_if 函数,它包括三个参数,这里捕获组为=,表示按值传递,表示如果传入值大于3返回1,反之返回0. 因为按值传递不会影响传入向量的元素值,输出结果为3.


本文参考链接:https://blog.csdn.net/neweastsun/article/details/123682831