最佳答案
本问题的目的是为如何在 C 语言中正确地动态分配多维数组提供参考。即使在一些 C 编程书籍中,这也是一个经常被误解和解释得很糟糕的主题。因此,即使是经验丰富的 C 程序员也很难做到正确。
我的编程老师/书/教程告诉我,动态分配多维数组的正确方法是使用指针。
然而,一些高代表性的用户现在告诉我,这是错误的和不好的做法。他们说指针到指针不是数组,我实际上并没有分配数组,而且我的代码不必要地慢。
我就是这样学会分配多维数组的:
#include <stdlib.h>
#include <stdio.h>
#include <assert.h>
int** arr_alloc (size_t x, size_t y)
{
int** pp = malloc(sizeof(*pp) * x);
assert(pp != NULL);
for(size_t i=0; i<x; i++)
{
pp[i] = malloc(sizeof(**pp) * y);
assert(pp[i] != NULL);
}
return pp;
}
int** arr_fill (int** pp, size_t x, size_t y)
{
for(size_t i=0; i<x; i++)
{
for(size_t j=0; j<y; j++)
{
pp[i][j] = (int)j + 1;
}
}
return pp;
}
void arr_print (int** pp, size_t x, size_t y)
{
for(size_t i=0; i<x; i++)
{
for(size_t j=0; j<y; j++)
{
printf("%d ", pp[i][j]);
}
printf("\n");
}
}
void arr_free (int** pp, size_t x, size_t y)
{
(void) y;
for(size_t i=0; i<x; i++)
{
free(pp[i]);
pp[i] = NULL;
}
free(pp);
pp = NULL;
}
int main (void)
{
size_t x = 2;
size_t y = 3;
int** pp;
pp = arr_alloc(x, y);
pp = arr_fill(pp, x, y);
arr_print(pp, x, y);
arr_free(pp, x, y);
return 0;
}
输出
1 2 3
1 2 3
这个代码运行得很好,怎么会出错呢?