-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathMyQueue.java
76 lines (66 loc) · 1.73 KB
/
MyQueue.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
65
66
67
68
69
70
71
72
73
74
75
76
package midterm;
public class MyQueue {
int[] info;
int head, tail;
public MyQueue(int size) {
info = new int[size];
head = tail = -1;
}
public void enqueue(int info) {
if (!isFull()) {
if (isEmpty()) {
head = tail = 0;
this.info[0] = info;
} else {
if (tail == this.info.length - 1) {
tail = 0;
this.info[tail] = info;
} else {
this.info[++tail] = info;
}
}
} else {
System.out.println("Stack is full!");
}
}
public int dequeue() {
if (!isEmpty()) {
if (head == tail) {
int data = info[head];
head = tail = -1;
return data;
} else {
if (head == this.info.length - 1) {
int data = info[head];
head = 0;
return data;
} else {
return info[head++];
}
}
} else {
System.out.println("Nothing to pop from stack!");
return Integer.MAX_VALUE;
}
}
public int peek() {
if (!isEmpty()) {
return info[head];
} else {
System.out.println("Nothing to peek at queue!");
return Integer.MAX_VALUE;
}
}
public boolean isEmpty() {
return head == -1;
}
public boolean isFull() {
return (head == 0 && tail == info.length - 1) || (head == tail + 1);
}
// public int size() {
//// return
// }
public void clear() {
head = tail = -1;
}
}