C动态内存分配(C与指针实例)
主要初步介绍malloc、free、calloc、realloc的基本。日后会有更详细的内容。
malloc、free分别用于动态内存分配和释放。
malloc会从内存池里提取一块合适的内存(连续的),并返回指向这块内存(起始位置的指针,该指针的类型为void*指针(因为malloc不知道你请求的内存需要存储的数据类型),而且这块内存并没有初始化。
如果操作系统无法提供给malloc足够的内存,malloc就会返回一个NULL指针。因此必须对每个从malloc返回的指针进行检查。
1 #include <stdio.h>
2 #include <stdlib.h>
3
4 int main()
5 {
6 int *pi;
7 int i;
8 pi = malloc(25 * sizeof( int ));
9
10 if( pi == NULL )
11 {
12 printf( "Out of memory!\n" );
13 exit(1);
14 }
15
16 for(i = 0; i != 25; i++)
17 pi[i] = i;
18
19 for(i = 0; i != 25; i++)
20 printf("%d ", pi[i]);
21 printf("\n");
22
23 return 0;
2 #include <stdlib.h>
3
4 int main()
5 {
6 int *pi;
7 int i;
8 pi = malloc(25 * sizeof( int ));
9
10 if( pi == NULL )
11 {
12 printf( "Out of memory!\n" );
13 exit(1);
14 }
15
16 for(i = 0; i != 25; i++)
17 pi[i] = i;
18
19 for(i = 0; i != 25; i++)
20 printf("%d ", pi[i]);
21 printf("\n");
22
23 return 0;
24 }
calloc也可以用于内存分配,但是返回指向内存的指针之前会初始化为0。而且calloc和malloc请求内存数量的方式也不一样。
realloc用于修改一个原先已经分配的内存大小。PS:若原来的内存块无法改变大小,realloc将分配另一块正确的小的内存,并把原来的那块内存的内容复制到新的内存块。
free函数的参数为一个先前从malloc、calloc、realloc返回的值。对NULL指针不会产生任何效果。
动态内存分配最常见的错误是忘记检查请求的内存是否分配成功。
《C与指针》里面提供了一个程序可以减少错误的内存分配器。
代码如下:
1 #include <stdlib.h>
2
3 #define malloc //用于防止由于其他代码块直接塞入程序而导致偶尔直接调用malloc
4 #define MALLOC(num, type) (type *)alloc((num) * sizeof(type))//接受元素的数目和类型,调用alloc函数获得内存,alloc调用malloc并进行检查,确保返回的指针不是NULL
2
3 #define malloc //用于防止由于其他代码块直接塞入程序而导致偶尔直接调用malloc
4 #define MALLOC(num, type) (type *)alloc((num) * sizeof(type))//接受元素的数目和类型,调用alloc函数获得内存,alloc调用malloc并进行检查,确保返回的指针不是NULL
5 extern void *alloc( size_t size );
1 #include <stdio.h>
2 #include "alloc.h"
3 #undef malloc
4
5 void *alloc( size_t size )
6 {
7 void *new_mem;
8 /*
9 * 请求所需的内存,并检查是否分配成功
10 */
11 new_mem = malloc( size );
12 if( new_mem == NULL )
13 {
14 printf("Out of memory!\n" );
15 exit(1);
16 }
17 return new_mem;
2 #include "alloc.h"
3 #undef malloc
4
5 void *alloc( size_t size )
6 {
7 void *new_mem;
8 /*
9 * 请求所需的内存,并检查是否分配成功
10 */
11 new_mem = malloc( size );
12 if( new_mem == NULL )
13 {
14 printf("Out of memory!\n" );
15 exit(1);
16 }
17 return new_mem;
18 }
1 #include <stdio.h>
2 #include "alloc.h"
3
4 int main()
5 {
6 int *new_memory;
7 int i;
8
9 /*
10 * 获得一个整型数组
11 */
12 new_memory = MALLOC( 25, int );
13
14 for(i = 0; i != 25; i++)
15 new_memory[i] = i;
16
17 for(i = 0; i != 25; i++)
18 printf("%d ", new_memory[i]);
19 printf("\n");
20 return 0;
21 }
3
4 int main()
5 {
6 int *new_memory;
7 int i;
8
9 /*
10 * 获得一个整型数组
11 */
12 new_memory = MALLOC( 25, int );
13
14 for(i = 0; i != 25; i++)
15 new_memory[i] = i;
16
17 for(i = 0; i != 25; i++)
18 printf("%d ", new_memory[i]);
19 printf("\n");
20 return 0;
21 }