calloc() 到结构中的指针在 clang 上不起作用

calloc() to a pointer in struct doesn't work on clang

我已经在 C 中实现了一个队列。考虑以下代码:

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

typedef struct queue queue;
struct queue {
  int len;
  int head;
  int tail;
  int* array;
};

int main(int argc, char* argv[argc+1]) {
  int len = 12;
  queue* q = malloc(sizeof(q));
  *q = (queue){
    .array = calloc(len, sizeof(int)),
    .len = len,
  };
  for (int i = 0; i < len; i += 1) {
    printf("%d\n", q->array[i]);
  }
  free(q->array);
  free(q);
  return EXIT_SUCCESS;
}

我用calloc()在结构体中初始化了一个数组,但是数组的某些值不为零。

$ clang -Wall -O0 -g -o queue.o queue.c && ./queue.o
952118112
32728
0
0
0
0
0
0
0
0
0
0

这是为什么?

这个内存分配

queue* q = malloc(sizeof(q));

错了。它只为指针而不是队列类型的对象分配内存。

改写

queue* q = malloc(sizeof(*q));