为什么会想起用lamdba表达式呢?
之前有过一些问题,比如使用std::sort对某个类或者某个结构体的某些数据进行操作(比如对某个学生的英语成绩进行排序)。此时我们会写一个函数并传入形参,但是需要的函数有特别简单,最后回头看的时候又还会忘掉。此时,lamdba表达式就出现了qaq...
一.什么是lamdba表达式呢?
Lambda表达式是一种匿名函数,它可以作为参数传递给其他函数或方法。Lambda表达式可以简洁地表示一个函数,省去了定义函数的过程。它由三个部分组成:参数列表、箭头符号和函数体。Lambda表达式的语法如下:
(parameter1, parameter2, ...) -> expression
其中,参数列表指定了函数的参数,箭头符号表示函数体开始的位置,函数体是一个表达式,用于定义函数的具体逻辑。Lambda表达式可以在需要函数作为参数的地方使用,例如在函数式编程、集合操作等场景中。
二.标准的lamdba表达式中每个参数(有些是可选参数,的一些作用)
我们来举例说明吧
#include<iostream>using namespace std;static string str1="this is 全局静态变量";
string str2="this is 全局变量";
void funtion1();
int main(){string str3="this is 局部变量";static string str4="this is 静态局部变量";auto temp=[](int a)->bool{//[]中可以有值捕获和引用捕获,顾名思义,值捕获不可以修改其值//反之,引用捕获可以修改并且。没有参数的话默认不捕获变(但是可以 //获得全局变量)//(template a,...) 表示调用lamdba表达式需要传入的参数//->后面是lambda返回值的类型//大括号中是lamdba表达式的执行语句cout<<str1<<endl;cout<<str2<<endl;cout<<str4<<endl;return true;};temp(1);
}
值捕获(CLion会直接报错,如果要修改值的话会报错,不让修改)我们只看获得到当前域中的值吧
void funtion1(){int tep;auto temp=[=](int a)->bool {cout<<"tep value is"<<tep<<endl;cout<<str1<<endl;cout<<str2<<endl;return false;};temp(2);
}
引用捕获
void funtion1(){int tep;auto temp=[&](int a)->bool {cout<<"tep value is"<<tep<<endl;tep=999;cout<<"tep new value is:"<<tep<<endl;cout<<str1<<endl;cout<<str2<<endl;return false;};temp(2);
}
三.我们来一个小demo吧
lambda表达式让我们在一个变量尽量在比较小的作用域中,尽量不要进行值的传递。让代码更简洁,可读性更高。
#include <iostream>
#include <vector>
#include <algorithm>
using namespace std;class A
{
public:A(int _a,int _b){a=_a;b=_b;};int a;int b;
};
int main()
{vector<A> test;for(int i=0;i<10;i++){A a(i,10-i);test.emplace_back(a);}sort(test.begin(),test.end(),[](A x,A y){return x.a>y.a;});for(int i=0;i<10;i++){cout<<test[i].a<<endl;}return 1;