C++ 函数作为参数传递给另一个函数的形参

实际编程应用中,有一种场景是需要把某些函数作为参数传递给另一个函数的形参。一共三种实现办法,具体代码如下:

#include 
#include 
using namespace std;
//加法
int add(int a, int b);
//乘法
int multiply(int a, int b);
//函数作为形参的函数1
int funcTest1(int a, int b, int (*func)(int, int));
//函数作为形参的函数2(利用了std::function模版,需要#include 才能实现)
int funcTest2(int a, int b, std::function<int(int, int)> func);
int main()
{
	//第一种写法测试
	int value1 = funcTest1(10, 20, &add);
	int value2 = funcTest1(10, 20, &multiply);
    std::cout << "value1:" << value1 << endl;
	std::cout << "value2:" << value2 << endl;

	//第二种写法测试
	int value3 = funcTest2(10, 20, &add);
	int value4 = funcTest2(10, 20, &multiply);
	std::cout << "value3:" << value3 << endl;
	std::cout << "value4:" << value4 << endl;

	//Lambda写法测试(前提是funcTest2已经声明)
	int value5 = funcTest2(10, 20,
		[](int a, int b) -> int 
		{
			return a + b;
		});
	int value6 = funcTest2(10, 20,
		[](int a, int b) -> int
		{
			return a * b;
		});
	std::cout << "value5:" << value5 << endl;
	std::cout << "value6:" << value6 << endl;
}
int add(int a, int b)
{
	return a + b;
}
int multiply(int a, int b)
{
	return a * b;
}
int funcTest1(int a, int b, int(*func)(int, int))
{
	return func(a, b);
}
int funcTest2(int a, int b, std::function<int(int, int)> func)
{
	return func(a, b);
}

C++ 函数作为参数传递给另一个函数的形参_第1张图片

你可能感兴趣的:(c++,算法,人工智能)