-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathArrayQueue.java
64 lines (54 loc) · 2.19 KB
/
ArrayQueue.java
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
/*
Implementation of the queue ADT using a fixed-length array
enqueue(e): Adds element e to the back of queue.
dequeue( ): Removes and returns the first element from the queue (or null if the queue is empty).
The queue ADT also includes the following accessor methods (with first being analogous to the stack’s top method):
first( ): Returns the first element of the queue, without removing it (or null if the queue is empty).
size( ): Returns the number of elements in the queue.
isEmpty( ): Returns a boolean indicating whether the queue is empty.
last update 2022 Dec 26
*/
public class ArrayQueue<E> implements Queue<E> {
// instance variables
private E[ ] m_data; // generic array used for storage
private int frontIndex = 0; // index of the front element
private int currentIndex = 0; // current number of elements
// constructors
// constructs queue with default capacity
public ArrayQueue( ) {
this(CAPACITY);
}
// constructs queue with given capacity
public ArrayQueue(int capacity) {
m_data = (E[ ]) new Object[capacity]; // safe cast; compiler may give warning
}
// methods
// Returns the number of elements in the queue.
public int size( ) {
return currentIndex;
}
// Tests whether the queue is empty.
public boolean isEmpty( ) {
return (currentIndex == 0);
}
// Inserts an element at the rear of the queue.
public void enqueue(E e) throws IllegalStateException {
if (currentIndex == m_data.length) throw new IllegalStateException("Queue is full");
int avail = (frontIndex + currentIndex) % m_data.length; // use modular arithmetic
m_data[avail] = e;
currentIndex++;
}
// Returns, but does not remove, the first element of the queue (null if empty).
public E first( ) {
if (isEmpty( )) return null;
return m_data[frontIndex];
}
// Removes and returns the first element of the queue (null if empty).
public E dequeue( ) {
if (isEmpty( )) return null;
E answer = m_data[frontIndex];
m_data[frontIndex] = null; // dereference to help garbage collection
frontIndex = (frontIndex + 1) % m_data.length;
currentIndex−−;
return answer;
}