是否可以一次使用calloc()在c中动态分配二维数组?

时间:2018-10-05 08:47:35

标签: c multidimensional-array dynamic

我在网上看到的所有解决方案都有两次使用calloc()函数,是否可以只使用一次? 以下代码未打印正确的数组元素

int **ptr;

//To allocate the memory 
ptr=(int **)calloc(n,sizeof(int)*m);

printf("\nEnter the elments: ");

//To access the memory
for(i=0;i<n;i++)
{  
 for(j=0;j<m;j++)
 {  
  scanf("%d",ptr[i][j]);
 }
}

2 个答案:

答案 0 :(得分:3)

从C99开始,您可以使用指向VLA(可变长度数组)的指针:

int n, m;

scanf("%d %d", &n, &m);

int (*ptr)[m] = malloc(sizeof(int [n][m]));

for (i = 0; i < n; i++)
{  
    for (j = 0; j < m; j++)
    {  
        scanf("%d", &ptr[i][j]); // Notice the address of operator (&) for scanf
    }
}
free(ptr); // Call free only once

答案 1 :(得分:0)

如果仅是要减少对内存分配函数的调用次数,则可以创建如下所示的锯齿状数组:

#include <stdlib.h>
#include <stdio.h>

int ** alloc_jagged_2d_array_of_int(size_t n, size_t m)
{
  int ** result = NULL;
  size_t t = 0;

  t += n * sizeof *result;
  t += n*m * sizeof **result;

  result = calloc(1, t);
  if (NULL != result)
  {
    for (size_t i = 0; i < n; ++i)
    {
      result[i] = ((int*) (result + n)) + i*m;
    }
  }

  return result;
}

像这样使用它:

#include <stdlib.h>
#include <stdio.h>

int ** alloc_jagged_2d_array_of_int(size_t, size_t);

int main(void)
{
  int result = EXIT_SUCCESS;

  int ** p = alloc_jagged_2d_array_of_int(2, 3);
  if (NULL == p)
  {
    perror("alloc_jagged_2d_array_of_int() failed");
    result = EXIT_FAILURE;
  }
  else
  {
    for (size_t i = 0; i < 2; ++i)
    {
      for (size_t j = 0; j < 3; ++j)
      {
        p[i][j] = (int) (i*j);
      }
    }
  }

  /* Clean up. */

  free(p);

  return result;
}