#include
#define MAX_SIZE 10
class CircularQueue {
private:
int front, rear;
int queue[MAX_SIZE];
public:
CircularQueue() {
front = -1;
rear = -1;
}
bool isEmpty() {
return front == -1 && rear == -1;
}
bool isFull() {
return (rear + 1) % MAX_SIZE == front;
}
void enqueue(int value) {
if (isFull()) {
std::cout << "Queue is full. Cannot enqueue.\n";
return;
}
if (isEmpty()) {
front = 0;
rear = 0;
} else {
rear = (rear + 1) % MAX_SIZE;
}
queue[rear] = value;
std::cout << value << " enqueued to the queue.\n";
}
void dequeue() {
if (isEmpty()) {
std::cout << "Queue is empty. Cannot dequeue.\n";
return;
}
std::cout << queue[front] << " dequeued from the queue.\n";
if (front == rear) {
front = -1;
rear = -1;
} else {
front = (front + 1) % MAX_SIZE;
}
}
void display() {
if (isEmpty()) {
std::cout << "Queue is empty.\n";
return;
}
int i = front;
while (i != rear) {
std::cout << queue[i] << " ";
i = (i + 1) % MAX_SIZE;
}
std::cout << queue[rear] << "\n";
}
};
int main() {
CircularQueue q;
q.enqueue(10);
q.enqueue(20);
q.enqueue(30);
q.display();
q.dequeue();
q.display();
q.enqueue(40);
q.display();
return 0;
}
C++循环队列的实现方法
未经允许不得转载 » 本文链接:https://www.117.info/ask/fe4b2AzsIAw9QA1w.html
推荐文章
-
C++ byte数组的大小如何确定
C++中的byte数组大小可以通过以下两种方法确定: 使用sizeof运算符:可以通过sizeof运算符获取数组的大小,例如sizeof(arr),其中arr是byte数组的名称。这将返回...
-
C++ byte数组与性能优化技巧
在C++中,可以使用字节数组来表示二进制数据,这在处理文件、网络数据等场景中经常会用到。以下是一些性能优化技巧,可以帮助提高字节数组的处理效率: 使用指针...
-
C++ byte数组常见的操作误区
使用sizeof获取数组长度:在C++中,使用sizeof来获取数组的长度可能会导致错误,因为sizeof返回的是整个数组占用的内存空间大小,而不是数组中元素的个数。正确的...
-
如何在C++中高效使用byte数组
在C++中高效使用byte数组可以通过以下几种方式实现: 使用内置数组:可以直接声明一个byte类型的数组来存储数据。这样可以直接访问数组中的元素,不需要额外的内...
-
C++ npos面试题精选解析
什么是npos? npos是string类中的一个静态成员变量,表示一个不存在的位置或者不存在的索引。在大多数情况下,当字符串中的一个函数返回npos时,表示没有找到指定...
-
C++ npos的最佳实践技巧
在C++中,npos是一个常量,表示无效的位置或长度。它通常用于标识字符串或容器中的最后一个元素的位置。以下是一些关于npos的最佳实践技巧: 使用npos来表示无效...
-
C++ npos在搜索算法中的作用
在C++中,npos是一个静态常量,它表示字符串或序列的末尾位置。在搜索算法中,npos通常用于表示未找到所需元素或子串的情况。当搜索算法无法找到目标元素或子串时...
-
C++ npos与迭代器的关联
npos 是 C++ 标准库中的一个常量,用于表示一个无效的或不存在的位置或索引。在 string、vector 和其他容器类中,npos 通常表示一个位置或索引不存在或未找到。<...