本文实例讲述了java数据结构之循环队列简单定义与用法。分享给大家供大家参考,具体如下:
一、概述:
1、原理:
与普通队列的区别在于循环队列添加数据时,如果其有效数据end == maxsize - 1(最大空间)的话,end指针又移动到-1的位置
删除数据时,如果head== maxsize时 head指针移动到0的位置
2、示例图:
二、实现代码:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
|
package com.java.queue; /** * @描述 对列 * @项目名称 java_datastruct * @包名 com.java.stack * @类名 queue * @author chenlin * @version 1.0 * @svn $rev$ */ public class cyclequeue { private long [] arr; private int maxsize; // 最大空间 private int len; // 有效长度 private int head; // 队头 private int end; // 队尾 public cyclequeue( int size) { this .maxsize = size; this .arr = new long [maxsize]; this .len = 0 ; this .head = 0 ; this .end = - 1 ; } /** * 从队尾插入数据 * * @param value */ public void insert( long value) { //如果满了,为什么是maxsize - 1 ,因为从-1开始 if (end == maxsize - 1 ) { end = - 1 ; } arr[++end] = value; len++; } /** * 从队头移除数据 */ public long remove() { long result = arr[head++]; if (head == maxsize) { head = 0 ; } len--; return result; } /** * 判断是否为空 * * @return */ public boolean isempty() { return (len == 0 ); } /** * 判断是否满了 * * @return */ public boolean isfull() { return (len == maxsize); } /** * 获得队列的有效长度 * * @return */ public int size() { return len; } public static void main(string[] args) { cyclequeue queue = new cyclequeue( 50 ); queue.insert( 22 ); queue.insert( 33 ); queue.insert( 44 ); queue.insert( 534 ); queue.insert( 21 ); queue.insert( 55 ); system.out.println( "服务器之家测试结果:" ); while (!queue.isempty()) { system.out.print(queue.remove() + " " ); } system.out.println(); queue.insert( 33 ); queue.insert( 13 ); queue.insert( 23 ); while (!queue.isempty()) { system.out.print(queue.remove() + " " ); } } } |
运行结果:
希望本文所述对大家java程序设计有所帮助。
原文链接:http://blog.csdn.net/lovoo/article/details/51649029