C 语言为内存的分配和管理提供了几个函数,这些函数可以在头文件中找到。
C 内存管理 - 图1

动态分配内存

  1. #include <stdio.h>
  2. #include <stdlib.h>
  3. #include <string.h>
  4. int main()
  5. {
  6. char name[100];
  7. char *description;
  8. strcpy(name, "Zara Ali");
  9. /* 动态分配内存 */
  10. description = malloc( 200 * sizeof(char) );
  11. if( description == NULL )
  12. {
  13. fprintf(stderr, "Error - unable to allocate required memory\n");
  14. }
  15. else
  16. {
  17. strcpy( description, "Zara ali a DPS student in class 10th");
  18. }
  19. printf("Name = %s\n", name );
  20. printf("Description: %s\n", description );
  21. }

上面的程序也可以使用calloc()来编写,只需要把malloc替换成calloc即可,如下所示:

  1. calloc(200, sizeof(char));

当动态分配内存时,您有完全控制权,可以传递任何大小的值。而那些预先定义了大小的数组,一旦定义则无法改变大小。

重新调整内存的大小和释放内存

当程序退出时,操作系统会自动释放所有分配给程序的内存,但是,建议您在不需要内存时,都应该调用函数 free() 来释放内存。或者,您可以通过调用函数 realloc() 来增加或减少已分配的内存块的大小。让我们使用 realloc() 和 free() 函数,再次查看上面的实例:

  1. #include <stdio.h>
  2. #include <stdlib.h>
  3. #include <string.h>
  4. int main()
  5. {
  6. char name[100];
  7. char *description;
  8. strcpy(name, "Zara Ali");
  9. /* 动态分配内存 */
  10. description = malloc( 30 * sizeof(char) );
  11. if( description == NULL )
  12. {
  13. fprintf(stderr, "Error - unable to allocate required memory\n");
  14. }
  15. else
  16. {
  17. strcpy( description, "Zara ali a DPS student.");
  18. }
  19. /* 假设您想要存储更大的描述信息 */
  20. description = realloc( description, 100 * sizeof(char) );
  21. if( description == NULL )
  22. {
  23. fprintf(stderr, "Error - unable to allocate required memory\n");
  24. }
  25. else
  26. {
  27. strcat( description, "She is in class 10th");
  28. }
  29. printf("Name = %s\n", name );
  30. printf("Description: %s\n", description );
  31. /* 使用 free() 函数释放内存 */
  32. free(description);
  33. }