是否可以将函数指针作为参数传递给C?
中的函数如果是这样,我将如何声明和定义一个以函数指针作为参数的函数?
答案 0 :(得分:64)
当然。
void f(void (*a)()) {
a();
}
void test() {
printf("hello world\n");
}
int main() {
f(&test);
return 0;
}
答案 1 :(得分:26)
假设你有功能
int func(int a, float b);
所以指向它的指针将是
int (*func_pointer)(int, float);
所以你可以像这样使用它
func_pointer = func;
(*func_pointer)(1, 1.0);
/*below also works*/
func_pointer(1, 1.0);
为避免每次需要时都指定完整的指针类型,请使用typedef
typedef int (*FUNC_PTR)(int, float);
而不是像任何其他类型一样使用
void executor(FUNC_PTR func)
{
func(1, 1.0);
}
int silly_func(int a, float b)
{
//do some stuff
}
main()
{
FUNC_PTR ptr;
ptr = silly_func;
executor(ptr);
/* this should also wotk */
executor(silly_func)
}
我建议看世界闻名的C faqs。
答案 2 :(得分:11)
这是一个很好的例子:
int sum(int a, int b)
{
return a + b;
}
int mul(int a, int b)
{
return a * b;
}
int div(int a, int b)
{
return a / b;
}
int mathOp(int (*OpType)(int, int), int a, int b)
{
return OpType(a, b);
}
int main()
{
printf("%i,%i", mathOp(sum, 10, 12), mathOp(div, 10, 2));
return 0;
}
The output is : '22, 5'
答案 3 :(得分:2)
检查qsort()
void qsort(void *base, size_t nmemb, size_t size,
int (*compar)(const void *, const void *));
该函数的最后一个参数是函数指针。当你在你的程序中调用qsort()
时,执行“进入库”并通过使用该指针“回到你自己的代码中”。
答案 4 :(得分:1)
如其他答案所述,您可以像在
中那样void qsort(void *base, size_t nmemb, size_t size,
int (*compar)(const void *, const void *));
但是,在一种特殊情况下,声明函数指针类型的参数:如果参数具有函数类型,它将被转换为指向函数类型的指针,就像数组被转换为参数列表中的指针一样,所以前者也可以写成
void qsort(void *base, size_t nmemb, size_t size,
int compar(const void *, const void *));
自然,这仅适用于参数,因为在参数列表int compar(const void *, const void *);
外部将声明一个函数。