菜鸟笔记
提升您的技术认知

c 匿名函数-ag真人游戏

所谓匿名函数,其实类似于python中的lambda函数,其实就是没有名字的函数。使用匿名函数,可以免去函数的声明和定义。这样匿名函数仅在调用函数的时候才会创建函数对象,而调用结束后立即释放,所以匿名函数比非匿名函数更节省空间

c 中的匿名函数通常为[capture](parameters)->return-type{body},当parameters为空的时候,()可以被省去,当body只有“return”或者返回为void,那么”->return-type“可以被省去,下面将将对其中的参数一一解释

  • capture:
  1. []        //未定义变量.试图在lambda内使用任何外部变量都是错误的.
  2. [x, &y]   //x 按值捕获, y 按引用捕获.
  3. [&]       //用到的任何外部变量都隐式按引用捕获
  4. [=]       //用到的任何外部变量都隐式按值捕获
  5. [&, x]    //x显式地按值捕获. 其它变量按引用捕获
  6. [=, &z]   //z按引用捕获. 其它变量按值捕获
  • parameters:存储函数的参数
  • return-type:函数的返回值
  • body:函数体
  • 我们可以将匿名函数做函数指针使用
#include
void main()
{
	int featurea = 7;
	int featureb = 9;
	auto fun = [](size_t featurea, size_t featureb){return featurea
  • 对一些stl容器函数sort,find等,其最后的一个参数时函数指针,我们也可以使用匿名函数来完成
#include
#include
#include
void main()
{
	std::vector a(5);
	a[0] = 3;
	a[1] = 4;
	a[2] = 5;
	a[3] = 6;
	a[4] = 7;
	std::for_each(std::begin(a), std::end(a), [](int feature){std::cout << feature << std::endl; });
}
  • 我们可以直接调用函数指针
#include
template 
int collectfeatures(callback cb)
{
	int count = 0;
	for (int i = 0; i < 10; i  )
	{
		if (cb(i))
		{
			count  ;
		}
	}
	return count;
}
bool addfeature(size_t feature)
{
	return feature % 2;
}
void main()
{
	
	int i = collectfeatures([](size_t feature) -> bool { return addfeature(feature); });
	std::cout << i << std::endl;
}
网站地图