使用用户定义的大小分配和零初始化数组

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

int main (void)
{
  int * pdata;
  size_t n;

  printf ("Enter the size of the array: ");
  fflush(stdout); /* Make sure the prompt gets printed to buffered stdout. */

  if (1 != scanf("%zu", &n)) /* If zu is not supported (Windows?) use lu. */
  {
    fprintf("scanf() did not read a in proper value.\n");
    exit(EXIT_FAILURE);
  }

  pdata = calloc(n, sizeof *pdata);
  if (NULL == pdata) 
  {
    perror("calloc() failed"); /* Print error. */
    exit(EXIT_FAILURE);
  }

  free(pdata); /* Clean up. */

  return EXIT_SUCCESS;
}

该程序尝试从标准输入中扫描无符号整数值,通过调用 calloc() 函数为 int 类型的 n 个元素数组分配一块内存。内存被后者初始化为全零。

如果成功,则通过调用 free() 释放内存。