线性结构(五)顺序队
队列,是只能通过访问它的一端来实现数据存储和检索的一种线性数据结构。对于队列的修改要按照先进先出的原则进行,因此,队列又被称为先进先出(FIFO)的线性表。
顺序队,队列的顺序结构。
基本方法有:
- 初始化:创建一个空的队列。
- 判断队列是否为空:如果队列为空,则返回”真“,否则返回”假“。
- 入队:将元素x加入到队列的队尾,并更新队尾指针。
- 出队:将队头元素从队列中删除,并更新队头指针。
- 读取队头元素:返回对头元素的值,但不更新队头指针。
C语言实现
#define TRUE 1 #define FALSE 0 #define ERROR -1 #define NULL -2 typedef int bool; typedef int ElementType; typedef int Position; Queue CreateQueue(int MaxSize); bool IsFull(Queue Q); bool IsEmpty(Queue Q); bool AddQ(Queue Q, ElementType X); ElementType DeleteQ(Queue Q); struct QNode { ElementType *Data; /* 存储元素的数组 */ Position Front, Rear; /* 队列的头、尾指针 */ int MaxSize; /* 队列最大容量 */ }; typedef struct QNode *Queue; Queue CreateQueue( int MaxSize ) { Queue Q = (Queue)malloc(sizeof(struct QNode)); Q->Data = (ElementType *)malloc(MaxSize * sizeof(ElementType)); Q->Front = Q->Rear = 0; Q->MaxSize = MaxSize; return Q; } bool IsFull( Queue Q ) { return ((Q->Rear+1)%Q->MaxSize == Q->Front); } bool AddQ( Queue Q, ElementType X ) { if ( IsFull(Q) ) { printf("队列满"); return FALSE; } else { Q->Rear = (Q->Rear+1)%Q->MaxSize; Q->Data[Q->Rear] = X; return TRUE; } } bool IsEmpty( Queue Q ) { return (Q->Front == Q->Rear); } ElementType DeleteQ( Queue Q ) { if ( IsEmpty(Q) ) { printf("队列空"); return ERROR; } else { Q->Front =(Q->Front+1)%Q->MaxSize; return Q->Data[Q->Front]; } }
应用
- 排队买 XXX
- 医院的挂号系统