-
Notifications
You must be signed in to change notification settings - Fork 254
/
Copy path01 Queue using array enqueue & dequeue .cpp
61 lines (58 loc) · 1.71 KB
/
01 Queue using array enqueue & dequeue .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
// deletion will be always done from front
// insertion will be always done from rear
#include<stdio.h>
#include<stdlib.h>
struct Queue
{
int size; // size of queue
int front; // front of queue // del is done from front
int rear; // last of queue // indertion is donr from rear
int* Q; // dynamically creatng Array
};
void Create(struct Queue* q, int size)
{
q->size = size;
q->front = q->rear = -1; // initially queue is empty
q->Q = (int*)malloc(q->size * sizeof(int)); // everytime taking creating in heap memory
}
void enqueue(struct Queue* q, int x)
{
if (q->rear == q->size - 1) // condition for checking either queue is full or not
printf("queue is full");
else // if queue is not full then we can insert element in queue
{
q->rear++; // increatment the rear and then insert element
q->Q[q->rear] = x;// inserting element in the queue
}
}
int dequeue(struct Queue* q)
{
int x = -1; // assign x with -1 intially
if (q->front == q->rear) // condition for checking the either queue is empty or not
printf("Queue is empty");
else // if there is element in the queue
{
q->front++; // increment the front and then take out the front element
x=q->Q[q->front]; // store deleted element in the x
}
return x; // and return it
}
void Display(struct Queue q) // function for displaying queue
{
int i;
for (i = q.front + 1; i <= q.rear; i++) // traversing the queue
printf("%d ",q.Q[i]); // and printing the eleemnt
printf("\n");
}
int main()
{
struct Queue q; // making a queue objects in main funtion
Create(&q, 5);
enqueue(&q, 10);
enqueue(&q, 15);
enqueue(&q, 20);
enqueue(&q, 30);
Display(q);
printf("%d ",dequeue(&q));
return 0;
}