队列的概念及结构
队列:只允许在一端进行插入数据操作,在另一端进行删除数据操作的特殊线性表,队列具有先进先出FIFO(First In First Out) 入队列:进行插入操作的一端称为队尾 出队列:进行删除操作的一端称为队头 data:image/s3,"s3://crabby-images/9b38b/9b38bdb425c7711b3a58d7f0a5ec398e4c5276e3" alt="在这里插入图片描述"
队列的链式存储实现
采用单链表来实现队列的链式结构,设置一个头指针和尾指针。通常将队头指针和队尾指针封装在一个结构体中,并将该结构体类型重新命名为链队列类型。
typedef int QDataType;
typedef struct QListNode
{
struct QListNode *next;
QDataType data;
}QNode;
typedef struct Queue
{
QNode *phead;
QNode *ptail;
}Queue;
data:image/s3,"s3://crabby-images/a9944/a9944bc429dbaee591ebc517a3cd41a9d5bbd5fb" alt="在这里插入图片描述"
队列初始化
初始化比较简单
void QueueInit(Queue* pq)
{
assert(pq);
pq->front = NULL;
pq->rear = NULL;
}
重点:入队列
data:image/s3,"s3://crabby-images/d8fad/d8fadae88d0cfbc5817ebf8236c6fa8f853ef4d8" alt="在这里插入图片描述" 入队列就是尾插,需要注意空队列。
void QueuePush(Queue* pq, QDataType x)
{
assert(pq);
QNode *newnode = (QNode *)malloc(sizeof(QNode));
if (newnode == NULL)
{
printf("malloc fail");
exit(-1);
}
newnode->data = x;
newnode->next = NULL;
if (pq->front == NULL)
{
pq->front = newnode;
pq->rear = newnode;
}
else
{
pq->rear->next = newnode;
pq->rear = newnode;
}
}
打个断点调试 data:image/s3,"s3://crabby-images/c8804/c8804a7dd188a22e0d60cb6f19af09345705e4fc" alt="在这里插入图片描述" 1,2,3就已经入队了。
重点:出队列
头删,保存下一个结点,free当前结点 data:image/s3,"s3://crabby-images/32554/3255409dec8599cf1b2c5277b248e205a1494e0a" alt="在这里插入图片描述" 错误的写法 data:image/s3,"s3://crabby-images/25f86/25f86e1694044064ebc1361fde744bec10e1eccd" alt="在这里插入图片描述" 从调试看出rear还在指向结点,虽然3已经free,但rear还在指向那里的空间。这个坑要单独处理。
void QueuePop(Queue* pq)
{
assert(pq);
assert(!QueueEmpty(pq));
if (pq->front->next == NULL)
{
free(pq->front);
pq->front = pq->rear = NULL;
}
else
{
Queue* next = pq->front->next;
free(pq->front);
pq->front = next;
}
}
获取队列头部元素
注意空队列
QDataType QueueFront(Queue* pq)
{
assert(pq);
assert(!QueueEmpty(pq));
return pq->front->data;
}
获取队列队尾元素
跟上面的一样
QDataType QueueBack(Queue* pq)
{
assert(pq);
assert(!QueueEmpty(pq));
return pq->rear->data;
}
检测队列是否为空
int QueueEmpty(Queue* pq)
{
assert(pq);
return pq->front == NULL && pq->rear == NULL;
}
队列的销毁
void QueueDestroy(Queue* pq)
{
assert(pq);
QNode *cur = pq->front;
while (cur)
{
Queue *next = cur->next;
free(cur);
cur = next;
}
pq->front = pq->rear = NULL;
}
data:image/s3,"s3://crabby-images/0fd0b/0fd0bb224b89ccded95b562818019d18e328f349" alt="在这里插入图片描述"
|