有趣的是,使用函数名作为函数指针相当于将地址运算符应用于函数名!
这是示例。
typedef bool (*FunType)(int);
bool f(int);
int main() {
FunType a = f;
FunType b = &a; // Sure, here's an error.
FunType c = &f; // This is not an error, though.
// It's equivalent to the statement without "&".
// So we have c equals a.
return 0;
}
使用名称是我们在数组中已经知道的。但是你不能写类似的东西
int a[2];
int * b = &a; // Error!
它似乎与语言的其他部分不一致。这种设计的基本原理是什么?
这个问题解释了这种行为的语义以及它为什么起作用。但我感兴趣的是为什么这种语言是这样设计的。
更有趣的是,函数类型在作为参数使用时可以隐式转换为指向自身的指针,但在作为返回类型使用时不会转换为指向自身的指针!
例子:
typedef bool FunctionType(int);
void g(FunctionType); // Implicitly converted to void g(FunctionType *).
FunctionType h(); // Error!
FunctionType * j(); // Return a function pointer to a function
// that has the type of bool(int).