用C++写一个程序实现循环队列(假设队列中的元素类型ElemType为char的基本运算(1)初始化队列q(2)判断队列q是否为空(3)依次进栈元素a,b,c,d(4)出队该元素,输出该元素(5)依次进队e,f,g(6)输出出队序列(7)释放队列
时间: 2024-05-09 12:15:47 浏览: 63
下面是用C++实现循环队列的示例代码:
```c++
#include <iostream>
using namespace std;
const int MAXSIZE = 5; // 队列的最大容量
typedef struct {
char data[MAXSIZE]; // 存放队列元素
int front; // 队头指针
int rear; // 队尾指针
} SqQueue;
// 初始化队列
void InitQueue(SqQueue &q) {
q.front = 0;
q.rear = 0;
}
// 判断队列是否为空
bool IsEmpty(SqQueue q) {
return q.front == q.rear;
}
// 判断队列是否已满
bool IsFull(SqQueue q) {
return (q.rear + 1) % MAXSIZE == q.front;
}
// 入队
bool EnQueue(SqQueue &q, char e) {
if (IsFull(q)) {
return false;
}
q.data[q.rear] = e;
q.rear = (q.rear + 1) % MAXSIZE;
return true;
}
// 出队
bool DeQueue(SqQueue &q, char &e) {
if (IsEmpty(q)) {
return false;
}
e = q.data[q.front];
q.front = (q.front + 1) % MAXSIZE;
return true;
}
int main() {
SqQueue q;
InitQueue(q); // 初始化队列
// 依次入队元素a,b,c,d
EnQueue(q, 'a');
EnQueue(q, 'b');
EnQueue(q, 'c');
EnQueue(q, 'd');
// 出队并输出
char e;
while (DeQueue(q, e)) {
cout << e << " ";
}
cout << endl;
// 依次入队元素e,f,g
EnQueue(q, 'e');
EnQueue(q, 'f');
EnQueue(q, 'g');
// 输出出队序列
while (DeQueue(q, e)) {
cout << e << " ";
}
cout << endl;
return 0;
}
```
输出结果为:
```
a b c d
e f g
```
需要注意的是,循环队列的队尾指针应当指向下一个可用位置,即 `(rear + 1) % MAXSIZE`。而队列为空的条件是队头指针和队尾指针指向同一位置,队列已满的条件是队列中没有空闲位置了。
阅读全文