Можно ли динамически распределить 2-D массив в c с помощью calloc () один раз? - PullRequest
0 голосов
/ 05 октября 2018

Во всех решениях, которые я видел в Интернете, функция 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 голосов
/ 06 октября 2018

Если это просто сведение к минимуму количества обращений к функциям выделения памяти, вы можете создать такой зубчатый массив, как этот:

#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;
}
0 голосов
/ 05 октября 2018

Начиная с 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
...