队列
允许插入的一端叫做队尾
允许删除的一段叫做队头
先进先出的线性表(FIFO)
链队列:
#include<stdio.h>
#include<stdlib.h>
#define OK 1
#define ERROR 0
#define OVERFLOW -2
typedef int QElemType;
typedef int Status;
//-------单链队列——队列的链式存储结构--------
typedef struct QNode{
QElemType data;
struct QNode *next;
}QNode,*QueuePtr;
typedef struct{
QueuePtr front;
QueuePtr rear;
}LinkQueue;
//构造空队列Q
Status InitQueue(LinkQueue &Q){
Q.front=Q.rear=(QueuePtr)malloc(sizeof(QNode));
if(!Q.front)
return OVERFLOW;
Q.front->next=NULL;
return OK;
}
//销毁队列
Status DestoryQueue(LinkQueue &Q){
while(Q.front){
Q.rear=Q.front->next;
free(Q.front);
Q.front=Q.rear;
}
return OK;
}
//插入元素e为新的队尾元素
Status EnQueue(LinkQueue &Q,QElemType e){
QNode *p;
p=(QueuePtr)malloc(sizeof(QNode));
if(!p)
return OVERFLOW;
p->data=e;
p->next=NULL;
Q.rear->next=p;
Q.rear=p;
return OK;
}
//队列不为空,删除Q的队头元素,用e返回其值
Status DeQueue(LinkQueue &Q,QElemType &e){
if(Q.front==Q.rear)
return ERROR;
QNode *p;
p=Q.front->next;
e=p->data;
Q.front->next=p->next;
if(Q.rear==p)
Q.rear=Q.front;
free(p);
return OK;
}
循环队列:
#include<stdio.h>
#include<stdlib.h>
#define OK 1
#define ERROR 0
#define OVERFLOW -2
typedef int QElemType;
typedef int Status;
//-------循环队列——队列的顺序存储结构--------
#define MaxQSize 100
typedef struct QNode{
QElemType *base;
int front;
int rear;
}SqQueue;
//构造一个空队列
Status InitQueue(SqQueue &Q){
Q.base=(QElemType*)malloc(MaxQSize*sizeof(QElemType));
if(!Q.base)
return OVERFLOW;
Q.front=Q.rear=0;
return OK;
}
//返回对列长度
int QueueLength(SqQueue Q){
return (Q.rear-Q.front+MaxQSize)%MaxQSize;
}
//插入元素e为新的队尾元素
Status EnQueue(SqQueue &Q,QElemType e){
if((Q.rear+1)%MaxQSize==Q.front)
return ERROR;
Q.base[Q.rear]=e;
Q.rear=(Q.rear+1)%MaxQSize;
return OK;
}
//队列不为空,删除Q的队头元素,用e返回其值
Status DeQueue(SqQueue &Q,QElemType &e){
if(Q.front==Q.rear)
return ERROR;
e=Q.base[Q.front];
Q.front=(Q.front+1)%MaxQSize;
return OK;
}