ネストされた構造を使用して、リンク リスト キューを定義します。
queue.h:
#define QUEUE_MAX_SIZE 4096
struct QUEUE_NODE {
  char *string;
  struct QUEUE_NODE *next;
}queue_node;
struct COMMON_QUEUE {
  struct QUEUE_NODE *q_node;
}common_queue;
=================================
queue.c:
/* here I define the operations */
struct COMMON_QUEUE *C_init_queue() {
  struct QUEUE_NODE *head;
  head = malloc(sizeof(struct QUEUE_NODE));
  if (head==NULL) {
    fprintf(stderr, "Insufficient memory!!!");
    return NULL;
  }
  struct COMMON_QUEUE *new_queue;
  new_queue = malloc(sizeof(struct COMMON_QUEUE));
  if (new_queue==NULL) {
    fprintf(stderr, "Insufficient memory!!!");
    return NULL;
  }
  head->next = NULL;
  head->string = NULL;
  new_queue->q_node = head;
  return new_queue;
}
int C_get_queue_length(struct COMMON_QUEUE *q) {
  int count;
  count = 0;
  while (q->q_node->next!=NULL) {
    count += 1;
    q->q_node = q->q_node->next;
  }
  return count;
}
int C_enqueue(struct COMMON_QUEUE *q, char *in) {
  if (C_get_queue_length(q)>=QUEUE_MAX_SIZE) {
    fprintf(stderr, "Linked queue is full!!!");
    return ERROR;
  }
  struct QUEUE_NODE *new_node;
  new_node = malloc(sizeof(struct QUEUE_NODE));
  if (new_node==NULL) {
    return ERROR;
  }
  new_node->next = NULL;
  new_node->string = NULL;
  while (q->q_node->next!=NULL) {
    q->q_node = q->q_node->next;
  }
  new_node->next = q->q_node->next;
  q->q_node->next = q->q_node;
  new_node->string = in;
  return OK;
  }
しかし、メインプログラムで使用すると、バックトレース後に無限ループにジャンプし、問題が次の場所にあることがわかりました。
while (q->q_node->next!=NULL) {
    count += 1;
    q->q_node = q->q_node->next;
}
正しいように見えますが、ネストされた 2 つの構造体の初期化で間違いを犯す可能性があります。
PS「free()」をリストしませんでした。