03-数组模拟环形队列
1、思路
队列的特点先进先出,后进后出。
数组模拟环形队列解决了数组模拟队列不能循环利用空间的问题。
这里我们对front和rear指针的含义重新做了定义,和上一章节的含义不同,以下为图解:
这个时候添加数据并不只是简单的尾指针 rear++ 然后加数据了,既然这个数组是个环形的,我们就要通过取余运算来得到 rear 需要移动到什么位置。
我们先加入一个数据
以此类推……
添加的时候出现下面的情况,说明队列已满:
从队列取数据的图解:
以此类推……
如下图解,说明取数据的时候队列为空
以下图解可以体现出此队列是一个环形的
环形队列中数据的个数计算公式:
(this.rear + this.maxSize - this.front) % this.maxSize |
2、代码实现
package com.ljkj.codetest;
import java.util.Scanner;
/**
* 数组模拟环形队列
*
* @author zd
*/
public class CicleArrayQueueDemo {
public static void main(String[] args) {
CicleArrayQueue queue = new CicleArrayQueue(4);
Scanner scanner = new Scanner(System.in);
while (true) {
System.out.println("[a]添加,[g]取出头数据,[p]查看头数据,[s]展示队列,[e]退出程序");
System.out.println("请输入指令:");
// 接受控制台输入的内容
char input = scanner.next().charAt(0);
switch (input) {
case 'a':
System.out.println("请输入需要添加的数据:");
queue.addData(scanner.nextInt());
break;
case 'g':
try {
System.out.println(queue.getData());
} catch (Exception e) {
System.out.println(e.getMessage());
}
break;
case 'p':
try {
System.out.println(queue.peekData());
} catch (Exception e) {
System.out.println(e.getMessage());
}
break;
case 's':
queue.showQueue();
break;
case 'e':
System.out.println("程序退出");
return;
default:
System.out.println("无效指令");
break;
}
}
}
}
/**
* 用数组模拟环形队列
*/
class CicleArrayQueue {
/**
* 用来模拟环形队列的数组
*/
private int[] queue;
/**
* 队列的容量长度,环形队列的实际容量长度为(maxSize - 1)
*/
private int maxSize;
/**
* 队列的头指针,指向队列头数据,默认=0
*/
private int front;
/**
* 队列的尾指针,指向队列尾数据的后一个位置,默认=0
*/
private int rear;
public CicleArrayQueue(int maxSize) {
if (maxSize > 0) {
this.maxSize = maxSize;
// 初始化队列
this.queue = new int[maxSize];
return;
}
throw new RuntimeException("队列容量长度不能小于1");
}
/**
* 判断队列是否为空
*
* @return
*/
public boolean isEmpty() {
// 头指针和尾指针相等说明为空
return this.front == this.rear;
}
/**
* 判断队列是否已满
*
* @return
*/
public boolean isFull() {
return (this.rear + 1) % this.maxSize == this.front;
}
/**
* 添加数据到队列
*
* @param data
*/
public void addData(int data) {
if (this.isFull()) {
System.out.println("队列已满");
return;
}
queue[this.rear] = data;
// 尾指针位置后移,取余运算的作用是如果尾指针到达队列末尾,则移动到队列头部位置
this.rear = (this.rear + 1) % this.maxSize;
}
/**
* 取出队列的头数据
*
* @return
*/
public int getData() {
if (this.isEmpty()) {
throw new RuntimeException("队列为空");
}
// 先取出头数据
int data = this.queue[this.front];
// 头指针位置后移,取余运算的作用是如果头指针到达队列末尾,则移动到队列头部位置
this.front = (this.front + 1) % this.maxSize;
return data;
}
/**
* 查看队列的头数据
*
* @return
*/
public int peekData() {
if (this.isEmpty()) {
throw new RuntimeException("队列为空");
}
// 将头指针加一,查看队列的数据
return this.queue[this.front];
}
/**
* 展示队列数据
*/
public void showQueue() {
if (this.isEmpty()) {
System.out.println("队列为空");
return;
}
for (int i = this.front; i < this.front + this.getCount(); i++) {
System.out.printf("queue[%d] = %d\n", i % this.maxSize, this.queue[i % this.maxSize]);
}
}
/**
* 获取队列数据的个数
*
* @return
*/
private int getCount() {
return (this.rear + this.maxSize - this.front) % this.maxSize;
}
}