【数据结构】链队列的基本操作

链队列

写在前面

  • 不同于循环队列,链队列由于它的储存结构(可以无限开辟内存空间),则不需要判断队满,只需要判断队空就好了。
  • 初始化时,队列的队头是空的,这点很重要,不存放任何数据,所以入队出队时,都是要越过头节点操作,q->front->next。图解见下文,摘自严蔚敏老师的《数据结构》p74。
  • 【数据结构】链队列的基本操作_第1张图片

目录

    • 链队列
  • 1.队列的链式储存结构
  • 2.链队列的初始化
  • 3.入队
  • 4.出队
  • 5.判断队空
  • 6.取链队队头元素

1.队列的链式储存结构

typedef struct QNode
{
     
    struct QNode *next;
    int data;
}QNode;
typedef struct
{
     
    QNode *front;
    QNode *rear;
}LinkQueue;

2.链队列的初始化

int InitQueue(LinkQueue *q)
{
     
   q->front=q->rear=(QNode *)malloc(sizeof(QNode));
   q->front->next=NULL;
   return 1;
}

3.入队

int PushQueue(LinkQueue *q,int x)
{
     
    QNode *p=(QNode *)malloc(sizeof(QNode));
    p->data=x;
    p->next=NULL;
    q->rear->next=p;
    q->rear=p;
    return 1;
}

4.出队

int PopQueue(LinkQueue *q,int *x)
{
     
    if(q->front==q->rear) return 0;
    QNode *p;
    p=q->front->next;
    *x=p->data;
    q->front->next=p->next;
    if(q->rear==p) q->rear=q->front;
    free(p);
    return 1;
}

5.判断队空

int EmptyQueue(LinkQueue *q)
{
     
    if(q->front==q->rear) return 1;
    return 0;
}

6.取链队队头元素

int GetTopData(LinkQueue *q)
{
     
    if(EmptyQueue(q))
    return q->front->next->data;
}

完整代码

#include 
#include 
typedef struct QNode
{
     
    struct QNode *next;
    int data;
}QNode;
typedef struct
{
     
    QNode *front;
    QNode *rear;
}LinkQueue;
int InitQueue(LinkQueue *q)
{
     
   q->front=q->rear=(QNode *)malloc(sizeof(QNode));
   q->front->next=NULL;
   return 1;
}
int PushQueue(LinkQueue *q,int x)
{
     
    QNode *p=(QNode *)malloc(sizeof(QNode));
    p->data=x;
    p->next=NULL;
    q->rear->next=p;
    q->rear=p;
    return 1;
}
int PopQueue(LinkQueue *q,int *x)
{
     
    if(q->front==q->rear) return 0;
    QNode *p;
    p=q->front->next;
    *x=p->data;
    q->front->next=p->next;
    if(q->rear==p) q->rear=q->front;
    free(p);
    return 1;
}
int EmptyQueue(LinkQueue *q)
{
     
    if(q->front==q->rear) return 1;
    return 0;
}

int main()
{
     
    int x;
    LinkQueue q;
    InitQueue(&q);
    while(~scanf("%d",&x)&&x)
    {
     
         PushQueue(&q,x);
    }
    while(!EmptyQueue(&q))
    {
     
        PopQueue(&q,&x);
        printf("%d ",x);
    }

    return 0;
}
/*
1 2 3 0
*/

你可能感兴趣的:(数据结构,数据结构,c语言)