深入理解 C/C++ 结构体 <7>:Struct 中的函数和函数指针

By Long Luo

在系列之三 大话结构体之三:借我一双慧眼吧,让我把C++中Class(类)和Struct(结构体)看个清清楚楚明明白白… ,我们在文章的结尾留了一个悬念:

我们了解到C语言规范是struct里面是不能有函数体的,但是在应用中假如struct中没有函数的话,我们会遇到很多问题,第一数据往往是依附于函数来进行操作的;其二是我们需要用C来实现面向对象的思想

比如下面这段代码:

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
#include <stdio.h>

struct FuncInside
{
int mA;
void func()
{
printf("Hello, function inside!\n");
}
};


void main(void)
{
struct FuncInside f;

f.mA = 99;
f.func();

getchar();
}

编译会提示:

1
1>e:\learn\vs\struct\struct\funcpointer.c(7) : error C2032: “func”: 函数不能是 struct“FuncInside” 的成员

那么这个问题应该如何解决呢?

一刹那,一句话在脑海中闪现,“指针是C语言的精华。

啊哈,灵机一动!

虽然Struct中不能有函数体,但是我们可以在Struct中使用函数指针来实现同样的目的

函数指针是什么?

函数指针,注意要区别于指针函数,声明格式如下:

函数类型 (标志符 指针变量名) (形参列表);

就像某一数据变量的内存地址可以存储在相应的指针变量中一样,函数的首地址也以存储在某个函数指针变量里的。

这样,我们就可以通过这个函数指针变量来调用所指向的函数了。

举个例子来说明吧:

1
int *pfun(int, int);

你注意到它们之间的区别了吗?

我们修改下之前的代码:

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
#include <stdio.h>

struct FuncInside
{
int mA;
void (*pFunc)();
};

void Foo()
{
printf("Hello, Function Inside Struct!\n");
}


void main(void)
{
struct FuncInside f;

f.mA = 99;
f.pFunc = Foo;

f.pFunc();

getchar();
}

编译顺利通过,输出也是我们期望的结果:

函数指针

之前int (*pFun)(int, int),其中pFun是一个函数指针。

而事实上,为了代码的移植考虑,一般使用typedef定义函数指针类型:

1
typedef int (*pFun)(int, int);

当使用typedef声明后,则pFun就成为了一个函数指针“类型”,即一种函数回调类型。这其实是一种回调函数的实现方法。

一个简单的例子如下:

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
/************************************************************************************
** File: - E:\Code\VS2010_prjs\Struct\StructDeclare\pFunCallBack.c
**
** Copyright (C), Long.Luo, All Rights Reserved!
**
** Description:
** pFunCallBack.c - A demo show the usage of function pointer.
**
** Version: 1.0
** Date created: 01:03:04,09/12/2012
** Author: Long.Luo
**
** --------------------------- Revision History: --------------------------------
** <author> <data> <desc>
**
************************************************************************************/

#include <stdio.h>

// Defines the function callback type.
typedef int (*pFun)(int paraA, int paraB);

struct FuncPtr
{
int x;
int y;

// A function pointer to the implementation of the Summary.
pFun GetSum;
};

// The function of summary.
int GetSum(int paraA, int paraB)
{
return (paraA + paraB);
}

void main(void)
{
struct FuncPtr fp;
int result = 0;

fp.x = 1987;
fp.y = 1988;

fp.GetSum = GetSum;
result = fp.GetSum(fp.x, fp.y);
printf("\n result = %d\n", result);

getchar();
}

输出结果如下:

函数指针输出

至此,我们了解了C语言struct中是如何通过函数指针来实现函数的。

不过,回顾这一节,也同样带来了几个问题,什么是指针函数,什么是函数指针,这2者的区别之处在哪里呢?回调函数的概念又是怎么回事呢?

这些疑问,都会在后续的文章中一一为你讲诉,所以不要走开,请关注我的博客更新:-)

Updated by Long Luo at 2016-6-11 05:18:27 @Shenzhen, China. Modified by Long Luo at 2018年9月28日23点20分 @Hangzhou, China.