-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathQueueUsingArray.cpp
65 lines (63 loc) · 1.65 KB
/
QueueUsingArray.cpp
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
// Implementation of a Queue using Array
#include <iostream>
using namespace std;
class Queue{
public:
int front, rear, size;
int *arr; // the array used to implement the queue
int maxlen;
public:
Queue(int m){
maxlen = m;
arr = new int[m];
front = 0; // set to the first index of arr
rear = m - 1; // set to the last index of arr
size = 0;
}
// Insert into the Queue (EnQueue Operation)
void enqueue(int data){
// Check for overflow: Front reaches Rear
if(size == maxlen){
cout << "Queue Overflow Error" << endl;
}
else{
rear = (rear + 1) % maxlen; // Incrementing Rear
// Item is added to the Rear of the Queue
arr[rear] = data;
size++;
}
}
// Display front element of the queue
void displayFront(){
cout << arr[front] << endl;
}
// Display rear element of the queue
void displayRear(){
cout << arr[rear] << endl;
}
// Delete an element from the Queue (DeQueue Operation)
void dequeue(){
// Check for underflow: Front exceeds Rear
if(size == 0){
cout << "Queue Underflow Error" << endl;
}
else{
// Item is removed from the Front of the Queue
cout << arr[front] << " was deleted" << endl;
front = (front + 1) % maxlen; // Incrementing Front
size--;
}
}
};
int main(){
Queue q(5);
q.enqueue(1);
q.enqueue(2);
q.displayFront();
q.displayRear();
q.dequeue();
q.enqueue(3);
q.displayFront();
q.displayRear();
return 0;
}