如何将函数指针传递给c ++中的函数?

时间:2013-08-12 17:28:10

标签: c++ c function-pointers

这是三个功能,例如: -

float Plus    (float a, float b) { return a+b; }
float Minus   (float a, float b) { return a-b; }
float Multiply(float a, float b) { return a*b; }

现在有一个函数将指向函数的指针作为参数之一: -

void Function_Pointer_func(float a, float b, float (*pt2Func)(float, float))
{
   float result = pt2Func(a, b);    // call using function pointer

   cout << " Result = ";  // display result
   cout << result << endl;
}

并调用上面的函数“Function_Pointer_func”,函数写在下面

void Replace()
{ 
   Function_Pointer_func(2, 5, /* pointer to function 'Minus' */ Plus);////   (1)
   Function_Pointer_func(2, 5, /* pointer to function 'Minus' */ &Minus);//// (2)

}

为什么上面的函数可以正常工作,因为函数“Function_Pointer_func”将函数指针作为参数。 如果我们在行中替换RHS

 float result = pt2Func(a, b);    // call using function pointer 
通过(* pt2Func)(a,b)的函数“Function_Pointer_func”的

;然后它也适用于(&amp; pt2Func)(a,b);

它在VS2008中出错:

  

“错误C2064:术语不评估为采用2个参数的函数”

现在用函数“Function_Pointer_func”中的“float(* pt2Func)(float,float)”的参数替换float(pt2Func)(float,float)然后全部三个

float result = pt2Func(a, b);    // 
float result = (&pt2Func)(a, b); // 
float result = (*pt2Func)(a, b); // 

声明有效,为什么?我希望我的不适之处在于理解函数指针的核心理解。好吧,我不介绍Q?没有任何良好的阅读量,但是我没有对此进行任何深入的研究,所以请随意推荐一些这方面的阅读,这将解决我的模糊性。

感谢您的帮助。

2 个答案:

答案 0 :(得分:2)

函数自动衰减到函数指针中。 在这种情况下,

    如果没有指定,
  • function_name的确意味着&function_name

  • &function_name将函数转换为函数指针。

  • *function_name实际上意味着*(function_name),每个上面变为*(&function_name)*&“取消”,可以说,结果function_name衰退回&function_name

答案 1 :(得分:2)

它是c ++标准。

float Plus(float a, float b);
void Function_Pointer_func(float a, float b, float (*pt2Func)(float, float));

Function_Pointer_func(2, 5, Plus); // (1)
...
float result = pt2Func(a, b); // (2)

(1)是将函数转换为指针(标准2003,4.3 ):

An lvalue of function type T can be converted to an rvalue of
type “pointer to T.” The result is a pointer to the function

(2)是函数调用(标准2003,5.2.2 ):

For an ordinary function call, the postfix expression shall be either
an lvalue that refers to a function (in which case the function-to-pointer
standard conversion (4.3) is suppressed on the postfix expression), or it
shall have pointer to function type.

[更新] 详情:

void Replace() { 
   Function_Pointer_func(2, 5, Plus);
   Function_Pointer_func(2, 5, &Minus);
}

减号是function =&gt; &amp; Minus 是指向函数的指针,因此没有转换,3-rd参数 of Function_Pointer_func非常适合。 Plus 是一个函数,因此为了适应Function_Pointer_func,它必须转换为指针。标准(1)表示它可以自动完成。

呼叫案例:

void Function_Pointer_func(float a, float b, float (*pt2Func)(float, float)) {
   float result = pt2Func(a, b); // call by pointer, see (2)
   float result = (*pt2Func)(a, b); // convert pointer to function, so 'normal' call
   float result = (&pt2Func)(a, b); // pointer to function pointer, nope, will not work
}