未纠错
队列顺序储存
#include<stdio.h>
#include<stdlib.h>
typedef int ElemType;
typedef int Position;
#define ERROR -1
typedef struct QNode {
//数组形式储存数值
ElemType* data;
Position rear;
Position front;
int MaxSize;
};
typedef QNode* Queue;
Queue CreateQueue(int MaxSize)
{
Queue Q = (Queue)malloc(sizeof(struct QNode));
Q->data = (ElemType*)malloc(MaxSize * sizeof(ElemType));
Q->front = Q->rear = 0;
Q->MaxSize = MaxSize;
return Q;
}
bool IsFull(Queue Q)
{
//当(5+1)%6==0时,意味着队列满,无法再加入元素了
return ((Q->rear + 1) % Q->MaxSize == Q->front);
}
bool push(ElemType X, Queue Q)
{
if (IsFull(Q)) {
printf("队列满");
return false;
}
else {
//正常是rear+1是下一个,但存在循环队列,故假设最大为5(0开始计数),那么数学上的6即计算机的0,使用取余可以破除循环所增加得循环数
Q->rear = (Q->rear + 1) % Q->MaxSize;
Q->data[Q->rear] = X;
return true;
}
}
bool IsEmpty(Queue Q)
{
return (Q->front == Q->rear);
}
ElemType pop(Queue Q)
{
if (IsEmpty(Q)) {
printf("队列空");
return ERROR;
}
else {
//返回的是前一元素被出列后的front
Q->front = (Q->front + 1) % Q->MaxSize;
return Q->data[Q->front];
}
}
int main() {
//队列创建
Queue Q;
Q = (QNode*)malloc(sizeof(QNode));
// 注意!!!
//队列最大容量,不同于其他算法,该算法最大容量给定,不会随元素增加而增加,因为是线性表而非链表
int max = 0;
scanf_s("%d", &max);
CreateQueue(max);
ElemType elem;
scanf_s("%d", &elem);
//入栈
push(elem, Q);
//出栈
pop(Q);
}
队列链式储存
//链式与顺序:
//链式分成两个结构体,缩小储存空间,一个结构体储存结点,另一个储存链表整体相关的数据(比如说元素个数,头尾指针等)
#include<stdio.h>
#include<stdlib.h>
#define ERROR -1
typedef int ElemType;
struct Node { /* 队列中的结点 */
ElemType data;
struct Node* next;
};
typedef struct Node* Position;
struct QNode {
Position front, rear; /* 队列的头、尾指针 */
int MaxSize; /* 队列最大容量 */
};
typedef struct QNode* Queue;
bool IsEmpty(Queue Q)
{
return (Q->front == NULL);
}
void push(Queue Q, ElemType elem) {
Position p = (Position)malloc(sizeof(struct Node));
p->data = elem;
p->next = NULL;
(Q->rear)->next = p;
Q->rear = p;
Q->MaxSize++;
}
ElemType pop(Queue Q) {
Position Q1;
//这个Elem1是用于return出队元素值的,直接return会与free结点内存发生逻辑冲突
ElemType Elem1;
if (IsEmpty(Q)) {
printf("队列空");
return ERROR;
}
//核心操作:
//队列先进后出,从front开始删除
Q1 = Q->front;
if (Q->front == Q->rear) /* 若队列只有一个元素 */
Q->front = Q->rear = NULL; /* 删除后队列置为空 */
else
Q->front = Q1->next;
//队列的头指针尾指针可以储存数据
//注意!!! 下一行必须写成Q1,因为经历上一行的if-else,Q->front可能为NULL,NULL->data是很严重的bug,在PAT中显示为段错误
Elem1 = Q1->data;
//错误示例:
//(Q->front)->data; 可能变成: NULL->data;
free(Q1);
return Elem1;
}
int main() {
Queue Q;
Q->front = 0;
Q->rear = NULL;
Q->MaxSize = NULL;
ElemType elem;
scanf_s("%d", &elem);
ElemType elem0;
//入队
push(Q, elem);
//出队
elem0 = pop(Q);
}