将动态分配的2d数组传递给函数

时间:2012-09-06 03:57:19

标签: c

以下代码无法正常运行。我运行程序时遇到了段错误。我通过gdb运行我的程序,发现fillArrays(int **,int)函数中发生了错误。

GDB正在为fillArrays(int **,int)显示以下参数:

fillArrays (arrays=0x0,numArrays=3)

以下是我的程序的源代码

#include <stdlib.h> /* malloc and free */

#define MULTIPLIER          1
#define SMALL               10
#define BIG                 20

void allocateSmallArrays(int **arrays,int numArrays) {
    int index,freeIndex;
    int outerIndex,innerIndex;
    arrays = malloc(numArrays*sizeof(int*));
    if(arrays == NULL) {
        printf("out of memory\n");
        exit(1);
    }
    for(index = 0;index < numArrays;index++) {
        arrays[index] = malloc(SMALL*sizeof(int));
        if(arrays[index] == NULL) {
            printf("out of memory\n");
            exit(1);
        }
    }
}

void fillArrays(int **arrays,int numArrays) {
    int outerIndex,innerIndex;
    for(outerIndex = 0;outerIndex < numArrays;outerIndex++) {
        for(innerIndex = 0;innerIndex < SMALL;innerIndex++)
            arrays[outerIndex][innerIndex] = 0;
    }
}

void deallocateSmallArrays(int **arrays,int numArrays) {
    int index;
    for(index = 0;index < numArrays;index++)
        free(arrays[index]);
    free(arrays);
}

int main(void) {
   int numArrays  = (3 * MULTIPLIER);
   int **arrays = 0;

   allocateSmallArrays(arrays,numArrays);
   fillArrays(arrays,numArrays);
   deallocateSmallArrays(arrays,numArrays);

   arrays = 0;

   return 0;
}

我假设由于数组是在allocateSmallArrays中分配的,因此通过fillArrays传递数据会使分配的数组失效,然后在最后一个函数中释放。我该如何完成这项工作?

1 个答案:

答案 0 :(得分:4)

问题是allocateSmallArrays更改了自己的arrays指针副本。因此,malloc的结果将丢失,在函数完成后,调用者arrays仍为0.您可以:

  • 传递三重指针int ***arrays并执行*arrays您正在做的所有事情arrays

  • 返回指针而不是空白

A C FAQ处理此主题。