4

这是三个功能,例如:-

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”;然后它也可以工作,但对于 (&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 吗?没有大量阅读,但是是的,我没有对此进行任何深入的研究,所以请随时推荐一些这方面的阅读,这将解决我的歧义。

我在这里先向您的帮助表示感谢。

4

2 回答 2

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_Pointer_func 的第三个参数非常适合。Plus是一个函数,因此为了适应 F​​unction_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
}
于 2013-08-12T17:56:00.493 回答
2

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

  • function_name真正的意思是&function_name如果没有指定。

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

  • *function_name真正的意思是*(function_name),它变成了*(&function_name)上面的。*&“取消”,可以这么说,结果function_name衰减回&function_name.

于 2013-08-12T17:33:35.583 回答