在C語言中,三元數組(或稱為三維數組)的內存分配需要明確數組的維度大小。以下是一個示例,展示了如何為一個三維數組分配內存:
#include <stdio.h>
#include <stdlib.h>
int main() {
// 定義三維數組的大小
int x = 3, y = 4, z = 5;
// 為三維數組分配內存
int ***array = (int ***)malloc(x * sizeof(int **));
if (array == NULL) {
printf("內存分配失敗!\n");
return 1;
}
for (int i = 0; i < x; i++) {
array[i] = (int **)malloc(y * sizeof(int *));
if (array[i] == NULL) {
printf("內存分配失敗!\n");
return 1;
}
for (int j = 0; j < y; j++) {
array[i][j] = (int *)malloc(z * sizeof(int));
if (array[i][j] == NULL) {
printf("內存分配失敗!\n");
return 1;
}
}
}
// 使用數組...
// 釋放內存
for (int i = 0; i < x; i++) {
for (int j = 0; j < y; j++) {
free(array[i][j]);
}
free(array[i]);
}
free(array);
return 0;
}
在這個示例中,我們首先定義了三維數組的大小(x、y和z),然后使用malloc
函數為數組分配內存。注意,我們首先為最外層的數組分配內存,然后為其子數組分配內存,最后為最內層的數組分配內存。在釋放內存時,我們需要按照相反的順序進行,以確保正確地釋放所有分配的內存。