结构体做函数参数,在C语言中属于常见现象,此时为了内存考虑,不传递结构体,而是传递结构体的地址
结构体定义
1 | struct Man |
结构体可以与typedef结合使用1
2
3
4
5typedef struct _Man
{
char name[64];
int age;
}Man;
另外,可以直接定义结构体变量1
2
3
4
5typedef struct _Man
{
char name[64];
int age;
}Man1,Man2;
还可以采用匿名结构体变量1
2
3
4
5typedef struct
{
char name[64];
int age;
}Man1;
结构体指针
指向结构体的指针1
2
3Man tArray;
Man *pArray = NULL;
pArray = &tArray;
1 | Man tArray[3]; |
简单的结构体做函数参数
1 | int printMan(Man *tArray, int num) |
被调函数给结构体分配内存
当结构体的内存在被调函数中分配时,要将其传出,有两种方法
使用return传出
1
2
3
4
5
6
7
8
9
10Man *createMan(int num)
{
Man *tArray = NULL;
tArray = (Man *)malloc(num * sizeof(Man));
if (tArray == NULL)
{
return NULL;
}
return tArray;
}使用二级指针传出
1
2
3
4
5
6
7
8
9
10int createMan(Man **tArray, int num)
{
(*tArray) = (Man *)malloc(num * sizeof(Man));
if (tArray == NULL)
{
return -1;
}
return 0;
}
createMan(&Man1, 3);
当结构体中存在指针
存在一级指针
1 | typedef struct _Man |
此时,要注意一点,要使用结构中的指针,就需要给其分配内存空间1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18Man *creatMan(int num)
{
int i = 0;
Man *tArray = NULL;
tArray = (Man *)malloc(num * sizeof(Man));
if (tArray == NULL)
{
return NULL;
}
for (i = 0; i < num; i++)
{
tArray[i].like = (char *)malloc(100);
}
return tArray;
}
Man *pArray = NULL;
pArray = crateMan(3);
存在二级指针
1 | typedef struct _Man |
此处和一级指针类似,必须分配其内存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
34Man *createMan(int num)
{
int i = 0, j = 0;
Man *tArray = NULL;
tArray = (Man *)malloc(num * sizeof(Man));
if (tArray == NULL)
{
return NULL;
}
for (i = 0; i < num; i++)
{
tArray[i].like = (char *)malloc(100);
}
for (i = 0; i < num; i++)
{
char **ptmp = (char **)malloc((4+1)*sizeof(char *));
for (j = 0; j < 4; j++)
{
ptmp[j] = (char *)malloc(120);
}
ptmp[4] = NULL;//分配5个空间,最后一个空间用来自我约束,相当于分配4个空间
tArray[i].skill = ptmp;
}
return tArray;
}
Man *pArray = NULL;
pArray = createMan(3);
if (pArray == NULL)
{
return ;
}
在使用完毕要释放内存,此时开辟了多少内存就要释放多少内存,从内层到外层依次释放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
34int FreeTArray(Man *tArray, int num)
{
int i = 0, j = 0;
if (tArray == NULL)
{
return -1;
}
for (i = 0; i < num; i++)
{
char **tmp = tArray[i].skill;
if (tmp ==NULL)
{
continue;;
}
for (j = 0; j < 3; j++)
{
if (tmp[j] != NULL)
{
free(tmp[j]);
}
}
free(tmp);
}
for (i = 0; i < 3; i++)
{
if (tArray[i].like != NULL)
{
free(tArray[i].like);
tArray[i].like = NULL;
}
}
free(tArray);
tArray = NULL;
}
求结构体成员的相对偏移量
1 | int i = 0; |
其实是将首地址映射到0,求其偏移量