定义
每一个函数都占用一段内存单元,它们有一个起始地址,指向函数入口地址的指针称为函数指针。
语法
数据类型 (*指针变量名)(参数表):
1
|
int (*myFunc)( double b, int c); |
说明
函数指针的定义形式中的数据类型是指函数的返回值的类型。
区分下面两个语句:
1
2
|
int (*p)( int a, int b); //p是一个指向函数的指针变量,所指函数的返回值类型为整型 int *p( int a, int b); //p是函数名,此函数的返回值类型为整型指针 |
指向函数的指针变量不是固定指向哪一个函数的,而只是表示定义了一个这样类型的变量,它是专门用来存放函数的入口地址的;在程序中把哪一个函数的地址赋给它,它就指向哪一个函数。
在给函数指针变量赋值时,只需给出函数名,而不必给出参数。
如函数max的原型为:int max(int x, int y); 指针p的定义为:int (*p)(int a, int b); 则p = max;的作用是将函数max的入口地址赋给指针变量p。这时,p就是指向函数max的指针变量,也就是p和max都指向函数的开头。
在一个程序中,指针变量p可以先后指向不同的函数,但一个函数不能赋给一个不一致的函数指针(即不能让一个函数指针指向与其类型不一致的函数)。
如有如下的函数:
1
|
int fn1( int x, int y); int fn2( int x); |
定义如下的函数指针:
1
|
int (*p1)( int a, int b); int (*p2)( int a); |
则
1
2
3
|
p1 = fn1; //正确 p2 = fn2; //正确 p1 = fn2; //产生编译错误 |
定义了一个函数指针并让它指向了一个函数后,对函数的调用可以通过函数名调用,也可以通过函数指针调用(即用指向函数的指针变量调用)。
如语句:c = (*p)(a, b); //表示调用由p指向的函数(max),实参为a,b,函数调用结束后得到的函数值赋给c。
函数指针只能指向函数的入口处,而不可能指向函数中间的某一条指令。不能用*(p+1)来表示函数的下一条指令。
函数指针变量常用的用途之一是把指针作为参数传递到其他函数。
函数指针使用举例
说明看代码注释就可以
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
|
#include <iostream> using namespace std; class test { public : test() { cout<< "constructor" <<endl; } int fun1( int a, char c) { cout<< "this is fun1 call:" <<a<< " " <<c<<endl; return a; } void fun2( double d) const { cout<< "this is fun2 call:" <<d<<endl; } static double fun3( char buf[]) { cout<< "this is fun3 call:" <<buf<<endl; return 3.14; } }; int main() { // 类的静态成员函数指针和c的指针的用法相同 double (*pstatic)( char buf[]) = NULL; //不需要加类名 pstatic = test::fun3; //可以不加取地址符号 pstatic( "myclaa" ); pstatic = &test::fun3; (*pstatic)( "xyz" ); //普通成员函数 int (test::*pfun)( int , char ) = NULL; //一定要加类名 pfun = &test::fun1; //一定要加取地址符号 test mytest; (mytest.*pfun)(1, 'a' ); //调用是一定要加类的对象名和*符号 //const 函数(基本普通成员函数相同) void (test::*pconst)( double ) const = NULL; //一定要加const pconst = &test::fun2; test mytest2; (mytest2.*pconst)(3.33); // //构造函数或者析构函数的指针,貌似不可以,不知道c++标准有没有规定不能有指向这两者的函数指针 // (test::*pcon)() = NULL; // pcon = &test.test; // test mytest3; // (mytest3.*pcon)(); return 0; } |