我不明白这段代码是什么问题。在编译过程中没有错误,但是在执行Enqueu的给定选项时会突然停止。问题在Queue-> rear-> next = NULL附近发生,在我看来这是正确的。我不知道我要去哪里错了。
struct ListNode
{
int data;
struct ListNode *next;
};
struct Queue
{
struct ListNode *front;
struct ListNode *rear;
};
struct Queue *createQueue()
{
struct Queue *Q;
Q=malloc(sizeof(struct Queue));
if(!Q)
return NULL;
Q->front=Q->rear=NULL;
return Q;
}
int IsEmptyQueue(struct Queue *Q)
{
return (Q->front==NULL);
}
int EnQueue(struct Queue *Q,int data)
{
struct ListNode *newNode;
newNode=malloc(sizeof(struct ListNode));
if(!newNode)
return NULL;
newNode->data=data;
newNode->next=NULL;
Q->rear->next=newNode;
Q->rear=newNode;
if(Q->front==NULL)
Q->front=newNode;
}
int main()
{
int choice=0,size,n;
struct Queue *q;
while(1)
{
printf("\nEnter the following");
printf("\n1. Create a queue ");
printf("\n2.Enqueue");
printf("\n7.Exit ");
scanf("%d",&choice);
switch(choice)
{
case 1:printf("\nCreate Queue");
q=createQueue();
break;
case 2:printf("\nInsert");
printf("\nEnter element to be inserted");
scanf("%d",&n);
EnQueue(q,n);
break;
case 7:exit(0);
break;
}
}
}
最佳答案
在createQueue()
中,将Q->front
和Q->rear
设置为NULL
,但是在EnQueue()
中,您正在使用Q->rear->next
。
关于c - 在C中使用链表和结构进行队列实现,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/14260976/