队列特点
1、 队列是一个有序列表,可以用数组或者链表来实现;
2、 遵循先进先出的原则;
构造一个环形队列思路
需要的变量
1、 maxSize、表示数组最大容量;
2、 front、取数据时会向后移动,默认0,默认指向最后一个元素的后一位;
3、 rear、加数据时向后移动,默认0;
4、 arr[]、存放数据的数组;
构造思路
1、 默认front、rear为0;
2、 新加一个数据rear后移一位;
3、 取出一个数据front,后移一位;
4、 当rear=front时候,队列空;
5、 当(rear+1)%maxSize==front时候,队列满;
6、 队列有效数据个数公式为:(rear+maxSize-front)%maxSize;
代码示例
public class CircleQueue {
private int maxSize;
private int front;
private int rear;
private int[] arr;
public CircleQueue(int arrMaxSize) {
maxSize = arrMaxSize;
arr = new int[maxSize];
}
public boolean isFull() {
return (rear + 1) % maxSize == front;
}
public boolean isEmpty() {
return rear == front;
}
public void addQueue(int n) {
if (isFull()) {
System.out.println("队列满,不能加入数据~");
return;
}
arr[rear] = n;
rear = (rear + 1) % maxSize;
}
public int getQueue() {
if (isEmpty()) {
throw new RuntimeException("队列空,不能取数据");
}
int value = arr[front];
front = (front + 1) % maxSize;
return value;
}
public void showQueue() {
if (isEmpty()) {
System.out.println("队列空的,没有数据~~");
return;
}
for (int i = front; i < front + size(); i++) {
System.out.printf("arr[%d]=%d\n", i % maxSize, arr[i % maxSize]);
}
}
public int size() {
return (rear + maxSize - front) % maxSize;
}
public int headQueue() {
if (isEmpty()) {
throw new RuntimeException("队列空的,没有数据~~");
}
return arr[front];
}
}
版权声明:本文不是「本站」原创文章,版权归原作者所有 | 原文地址: