C語言動態內存管理介紹

前言:

簡單記錄一下,內存管理函數

為什麼使用動態內存呢?

簡單理解就是可以最大限度調用內存

用多少生成多少,不用時就釋放而靜止內存不能釋放

動態可避免運行大程序導致內存溢出


C 語言為內存的分配和管理提供瞭幾個函數:

頭文件:<stdlib.h>

註意:void * 類型表示未確定類型的指針 

1.malloc() 用法

 分配一塊大小為 num 的內存空間

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
 
int main() {
    char name[12];
    char *test;
 
    strcpy(name, "KiKiNiNi");
 
    // 動態分配內存
    test = (char *) malloc(26 * sizeof(char));
 
    // (void *) malloc(int num) -> num = 26 * sizeof(char)
    // void * 表示 未確定類型的指針
    // 分配瞭一塊內存空間 大小為 num 存放值是未知的
 
    if (test == NULL) {
        fprintf(stderr, "Error - unable to allocate required memory\n");
    } else {
        strcpy(test, "Maybe just like that!");
    }
 
    printf("Name = %s\n", name);
    printf("Test: %s\n", test);
 
    return 0;
}
 
// 運行結果
// Name = KiKiNiNi
// Test: Maybe just like that!

2.calloc() 用法

 分配 num 個長度為 size 的連續空間

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
 
int main() {
    char name[12];
    char *test;
 
    strcpy(name, "KiKiNiNi");
 
    // 動態分配內存
    test = (void *) calloc(26, sizeof(char));
 
    // (void *) calloc(int num, int size) -> num = 26 / size = sizeof(char)
    // void * 表示 未確定類型的指針
    // 分配瞭 num 個 大小為 size 的連續空間 存放值初始化為 0
 
    if (test == NULL) {
        fprintf(stderr, "Error - unable to allocate required memory\n");
    } else {
        strcpy(test, "Maybe just like that!");
    }
 
    printf("Name = %s\n", name);
    printf("Test: %s\n", test);
 
    return 0;
}
 
// 運行結果
// Name = KiKiNiNi
// Test: Maybe just like that!

3.realloc() 與 free() 用法

重新調整內存的大小和釋放內存

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
 
int main() {
    char name[12];
    char *test;
 
    strcpy(name, "KiKiNiNi");
 
    // 動態分配內存
    test = (char *) malloc(26 * sizeof(char));
 
    // (void *) malloc(int num) -> num = 26 * sizeof(char)
    // void * 表示 未確定類型的指針
    // 分配瞭一塊內存空間 大小為 num 存放值是未知的
 
    if (test == NULL) {
        fprintf(stderr, "Error - unable to allocate required memory\n");
    } else {
        strcpy(test, "Maybe just like that!");
    }
 
    /* 假設您想要存儲更大的描述信息 */
    test = (char *) realloc(test, 100 * sizeof(char));
    if (test == NULL) {
        fprintf(stderr, "Error - unable to allocate required memory\n");
    } else {
        strcat(test, " It's a habit to love her.");
    }
 
    printf("Name = %s\n", name);
    printf("Test: %s\n", test);
 
    // 釋放 test 內存空間
    free(test);
 
    return 0;
}
 
// 運行結果
// Name = KiKiNiNi
// Test: Maybe just like that! It's a habit to love her.

到此這篇關於C語言動態內存管理介紹的文章就介紹到這瞭,更多相關C語言動態內存內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: