我想创建一个函数,它执行一组数据上通过参数传递的函数。如何在C中传递函数作为参数?
当前回答
你需要传递一个函数指针。语法有点麻烦,但是一旦你熟悉了它,它真的很强大。
其他回答
将一个函数的地址作为参数传递给另一个函数,如下所示
#include <stdio.h>
void print();
void execute(void());
int main()
{
execute(print); // sends address of print
return 0;
}
void print()
{
printf("Hello!");
}
void execute(void f()) // receive address of print
{
f();
}
也可以使用函数指针将函数作为参数传递
#include <stdio.h>
void print();
void execute(void (*f)());
int main()
{
execute(&print); // sends address of print
return 0;
}
void print()
{
printf("Hello!");
}
void execute(void (*f)()) // receive address of print
{
f();
}
我将用一个简单的示例代码来解释,该代码将比较函数作为另一个排序函数的参数。 假设我有一个冒泡排序函数,它接受一个自定义比较函数,并使用它来代替固定的if语句。
比较函数
bool compare(int a, int b) {
return a > b;
}
现在,冒泡排序以另一个函数作为参数来执行比较
冒泡排序函数
void bubble_sort(int arr[], int n, bool (&cmp)(int a, int b)) {
for (int i = 0;i < n - 1;i++) {
for (int j = 0;j < (n - 1 - i);j++) {
if (cmp(arr[j], arr[j + 1])) {
swap(arr[j], arr[j + 1]);
}
}
}
}
最后,main通过传递布尔比较函数作为参数来调用冒泡排序函数。
int main()
{
int i, n = 10, key = 11;
int arr[10] = { 20, 22, 18, 8, 12, 3, 6, 12, 11, 15 };
bubble_sort(arr, n, compare);
cout<<"Sorted Order"<<endl;
for (int i = 0;i < n;i++) {
cout << arr[i] << " ";
}
}
输出:
Sorted Order
3 6 8 11 12 12 15 18 20 22
typedef int function();
function *g(function *f)
{
f();
return f;
}
int main(void)
{
function f;
function *fn = g(f);
fn();
}
int f() { return 0; }
从c++ 11开始,你可以使用函数库以一种简洁和通用的方式来做到这一点。语法是,例如,
std::function<bool (int)>
这里的bool是一个单参数函数的返回类型,该函数的第一个参数是int类型。
下面是一个示例程序:
// g++ test.cpp --std=c++11
#include <functional>
double Combiner(double a, double b, std::function<double (double,double)> func){
return func(a,b);
}
double Add(double a, double b){
return a+b;
}
double Mult(double a, double b){
return a*b;
}
int main(){
Combiner(12,13,Add);
Combiner(12,13,Mult);
}
不过,有时候使用模板函数会更方便:
// g++ test.cpp --std=c++11
template<class T>
double Combiner(double a, double b, T func){
return func(a,b);
}
double Add(double a, double b){
return a+b;
}
double Mult(double a, double b){
return a*b;
}
int main(){
Combiner(12,13,Add);
Combiner(12,13,Mult);
}
这个问题已经有了定义函数指针的答案,但是它们可能会变得非常混乱,特别是如果你要在应用程序中传递它们。为了避免这种不愉快,我建议您将函数指针的类型定义为更可读的类型。为例。
typedef void (*functiontype)();
声明一个返回void且不接受参数的函数。要创建指向该类型的函数指针,您现在可以执行以下操作:
void dosomething() { }
functiontype func = &dosomething;
func();
对于返回int型并接受char型的函数,您可以这样做
typedef int (*functiontype2)(char);
然后使用它
int dosomethingwithchar(char a) { return 1; }
functiontype2 func2 = &dosomethingwithchar
int result = func2('a');
有一些库可以帮助您将函数指针转换为良好的可读类型。boost函数库是伟大的,是非常值得的努力!
boost::function<int (char a)> functiontype2;
比上面的好多了。
推荐文章
- 函数可以作为参数传递吗?
- 为什么函数指针定义可以使用任意数量的&号或星号* ?
- JavaScript错误(Uncaught SyntaxError:意外的输入结束)
- 在Bash中测试非零长度字符串:[-n "$var"]或["$var"]
- 什么是可重入函数?
- 如何在C中将数组初始化为0 ?
- Typedef定长数组
- 在C语言中通过引用传递
- sizeof(某个指针)总是等于4吗?
- 为什么星号在变量名之前,而不是在类型之后?
- 何时使用内联函数,何时不使用它?
- 在C语言中如何比较结构是否相等?
- 在套接字编程中AF_INET和PF_INET的区别是什么?
- #在C中定义打印调试宏?
- Shell脚本for循环语法