Blog_Banner_Asset
    Homebreadcumb forward arrow iconBlogbreadcumb forward arrow iconFull Stack Developmentbreadcumb forward arrow iconCircular Queue in C: How to Implement?

Circular Queue in C: How to Implement?

Last updated:
23rd Oct, 2020
Views
Read Time
9 Mins
share image icon
In this article
Chevron in toc
View All
Circular Queue in C: How to Implement?

The data is arranged in a circular queue in a circular pattern where the last element is connected to the first element. Unlike the linear queue where the tasks are executed on FIFO (First In First Out), the circular queue order of task execution may change. Insert and Delete operations can be done in any position.

The circular queue is more efficient than the linear queue. In the graphical representation of a circular queue, you can observe that the front and rear positions are connected, making it a circle wherein the operations are always executed on a FIFO basis. Every new element is added at the rear end and deleted from the front end. A circular queue has a better utilization and has a time complexity of O(1).

Check out our free courses to get an edge over the competition.

Ads of upGrad blog

Source

Applications of a Circular Queue

  • CPU Scheduling: Circular queues make the use of the empty memory spaces that are found in the linear queues.
  • Traffic System: In the traffic system, with the help of the circular queues, traffic lights are operated at the set interval of time.
  • Memory Management: Operating systems frequently keep up a line of processes that are prepared to execute or that are waiting for a specific event to occur.

Check out upGrad’s Advanced Certification in Cyber Security 

Learn: C Program For Bubble Sorting: Bubble Sort in C

Sample Code with Explanation

Line 1: // (1) Preprocessors

Line 2: // Set Queue Limit to 5 elements

Line 3: #include<stdio.h>

Line 4: #define LIM 5

Line 5: // (2) Queue Datatype Declarations

Line 6: // data holds data; delPos, position to delete from; length, no. of

Line 7: // elements currently present in queue

Line 8: typedef struct queue {

Line 9: int data[LIM], delPos, length;

Line 10: } Q;

Line 11: // (3) Global Declarations

Line 12: // Functions & global variable q of struct queue type

Line 13: Q q;

Line 14: void ui_Q_Ops(), insertQel(), deleteQel(), displayQels(), initQ();

Line 15: // (4) Calls UI Function after initialization

Line 16: int main()

Line 17: {

Line 18: initQ();

Line 19: ui_Q_Ops();

Line 20: return 0;

Line 21: }

Line 22: // (5) Initialize queue

Line 23: void initQ()

Line 24: {

Line 25: q.length = 0;

Line 26: q.delPos = 0;

Line 27: }

Line 28: // (6) Menu Driven Loop calls correct functions

Line 29: void ui_Q_Ops()

Line 30: {

Line 31: int choice=0;

Line 32: char input[16];

Line 33: while(choice!=4){

Line 34: printf(” \n ———————-\n “);

Line 35: printf(” 1. Insert into queue \n “);

Line 36: printf(” 2. Delete from queue \n “);

Line 37: printf(” 3. Display queue items \n “);

Line 38: printf(” 4. Exit program \n “);

Line 39: printf(” Enter choice : “);

Line 40: if (fgets(input, 15, stdin) != NULL){

Line 41: if (sscanf(input, “%d”, &choice) == 1){

Line 42: switch(choice){

Line 43: case 1: insertQel();

Line 44: break;

Line 45: case 2: deleteQel();

Line 46: break;

Line 47: case 3: displayQels();

Line 48: break;

Line 49: case 4: return;

Line 50: default: printf(“Invalid choice\n “);

Line 51: continue;

Line 52: }

Line 53: } else

Line 54: printf(” Invalid choice \n “);

Line 55: }

Line 56: }

Line 57: }

Line 58: // (7) Insert into Queue

Line 59: // If length is same as MAX Limit, the queue is full, Otherwise insert

Line 60: // circularly achieved with sum length and delPos modulus by MAX Limit

Line 61: // and increment length

Line 62: void insertQel()

Line 63: {

Line 64: int el, inspos;

Line 65: char input[16];

Line 66: if (q.length == LIM){

Line 67: printf(” Queue is full \n “);

Line 68: return;

Line 69: }

Line 70: inspos = (q.delPos + q.length) % LIM;

Line 71: printf(” Enter element to insert: “);

Line 72: if (fgets(input, 15, stdin) != NULL){

Line 73: if (sscanf(input, “%d”, &el)){

Line 74: q.data[inspos] = el;

Line 75: q.length++;

Line 76: } else

Line 77: printf(” Invalid input \n “);

Line 78: }

Line 79: }

Line 80: // (8) Delete from Queue

Line 81: // If Length is 0, queue is empty, otherwise delete at delPos

Line 82: // and decrement length

Line 83: void deleteQel()

Line 84: {

Line 85: if (q.length == 0){

Line 86: printf(” Queue is empty \n “);

Line 87: } else {

Line 88: printf(” Deleted element %d \n “, q.data[q.delPos]);

Line 89: q.delPos = (q.delPos + 1) % LIM;

Line 90: q.length–;

Line 91: }

Line 92: }

Line 93: // (9) Display Queue elements

Line 94: // Display in a circular manner running a loop starting at delPos

Line 95: // and adding iterator and modulus by Max Limit

Line 96: void displayQels()

Line 97: {

Line 98: int i;

Line 99: if (q.length == 0){

Line 100: printf(” Queue is empty \n “);

Line 101: } else {

Line 102: printf(” Elements of queue are: “);

Line 103: for(i = 0; i < q.length; i++){

Line 104: printf(“%d “, q.data[(q.delPos+i)%LIM]);

Line 105: }

Line 106: printf(” \n “);

Line 107: }

Line 108: }

Line 109:

Outputs:

Check out upGrad’s Advanced Certification in Cloud Computing 

upGrad’s Exclusive Software Development Webinar for you –

SAAS Business – What is So Different?

 

Operations on a Circular Queue

1. insertQel() – Inserting an element into the Circular Queue

In a circular queue, the enQueue() function is used to insert an element into the circular queue. In a circular queue, the new feature is always inserted in the rear position. The enQueue() function takes one integer value as a parameter and inserts it into the circular queue. The following steps are implemented to insert an element into the circular queue:

Step 1 – Check if the length is the same as MAX Limit. If true, it means that the queue is FULL. If it is FULL, then display ” Queue is full ” and terminate the function.

Step 2 – If it is NOT FULL, then insert the value that’s circularly achieved with sum length and delPos modulus by MAX Limit and increment length

Explore our Popular Software Engineering Courses

2. deleteQel() – Deleting an element from the Circular Queue

In a circular queue, deQueue() is a function used to delete an element from the circular queue. In a circular queue, the element is always deleted from the front position. The deQueue() function doesn’t take any value as a parameter. The following steps are implemented to delete an element from the circular queue…

Step 1 – Check whether queue is EMPTY. (front == -1 && rear == -1)

Step 2 – If it is EMPTY, then display “Queue is empty” and terminate the function.

Step 3 – If it is NOT EMPTY, then display deleted elements according to the positions. After every element is added, move on to the next position mod queue limit.

3. displayQels() – Displays the Queue elements that are present in the Circular Queue. The following steps are implemented to display the elements of a circular queue:

Step 1 – Check whether the queue is EMPTY.

Step 2 – If length is 0, it is EMPTY, then display “Queue is empty” and terminate the function.

Step 3 – If it is NOT EMPTY, then define an integer variable ‘i.’

Step 4 – Set i to 0.

Step 5 – Again, display elements according to position and increment value by one (i++). Repeat the same until ‘i <q.length’ becomes FALSE.

Circular Queue can be implemented by using the linked list as well. The following are the algorithms:

Explore Our Software Development Free Courses

  • Algorithm for Enqueue:

if (FRONT == NULL) // Inserting in an Empty Queue

FRONT = REAR = newNode

end if

else

REAR -> next = newNode // Inserting after the last element

REAR = newNode

end else

REAR -> next = FRONT

End Enqueue

  • Algorithm for Dequeue:

if(FRONT == NULL) // Condition for underflow

Print “Queue Underflow”

end Dequeue

end if

else if(FRONT == REAR) // The queue contains only one node

temp = FRONT -> data

free(temp)

FRONT = FRONT -> next

REAR -> next = FRONT

end if

else if (FRONT == N – 1) // If FRONT is the last node

front = 0 // Make FRONT as the first node

end if

end Dequeue

Also Read: Python Vs C: Complete Side-by-Side Comparison

Conclusion

Data Structures and Algorithms are of great importance and not just in C programming but also in other languages. Its value is unprecedented, and for topics of such importance, it is better to invest in courses designed and mentored by experts, which will provide excellent value addition to your portfolio. upGrad offers a wide range of power-packed courses that not only enhance your skills but builds strong pillars of basics.

Ads of upGrad blog

It is designed by the highly reputed IIIT-B, where they not only provide premium quality content but also make you a part of a strong network where you will connect with people who are evolving in the same career path as well as the industry experts who resolve your doubts and support you every time.

Getting to know their mentality and thought process would help you. And one of the unique things you get at upGrad is that you can opt for EMI options and go easy on your pockets.

We hope you will have an excellent learning opportunity in executing these C projects. If you are interested to learn more and need mentorship from industry experts, check out upGrad & IIIT Banglore’s PG Diploma in Full-Stack Software Development.

Profile

Rohan Vats

Blog Author
Software Engineering Manager @ upGrad. Passionate about building large scale web apps with delightful experiences. In pursuit of transforming engineers into leaders.

Frequently Asked Questions (FAQs)

1How is Stack data structure different from Queue data structure?

The stack follows the last in last-in, first-out principle (LIFO), whereas the queue is based on the first-in, first-out (FIFO) rule. In a stack, insertion and deletion are done at the back end of the data structure, whereas in a queue, insert and delete operations are done from the front and back end, respectively. In stack, insert and delete operations are called push() and pop() whereas in queue, they are called enqueue() and dequeue(). In a stack, you need to maintain one ‘top’ pointer, whereas, in a queue, you need to maintain two pointers: front and rear representing the two ends of the queue.

2How is a queue different from a circular queue?

In a queue, elements are stored linearly, whereas, in a circular queue, the elements are stored in a circular fashion where the front and rear ends are connected. Insert and delete operations are fixed, i.e., from the start and the end, respectively, whereas it can be done from any position in a circular queue. Linear queue requires more memory as the space cannot be reused once an element is deleted from that position. A circular queue requires less space as we can reuse all the positions. A circular queue is undoubtedly more efficient than a linear queue and has applications such as CPU scheduling, memory management, etc.

3Explain the types of queue data structure.

Queue follows the FIFO principle and has a lot of applications in real-world problems. Queues can be classified into four types: Linear, Circular, Double-ended, and Priority queue. The linear queue has a front and a rear pointer for insertion and deletion, respectively. In the circular queue, the last position is connected back to the first position, providing space reusability to the data structure. A double-ended queue or a deque can have insertion and deletion from both ends of the data structure. A priority queue is a specific type of queue in which there is a priority assigned to each element. It rearranges the order of elements with every new insertion and deletion; if two elements have the same priority, then they are served according to the original order of appearance.

Explore Free Courses

Suggested Tutorials

View All

Suggested Blogs

Top 7 Node js Project Ideas &#038; Topics
31661
Node.JS is a part of the famous MEAN stack used for web development purposes. An open-sourced server environment, Node is written on JavaScript and he
Read More

by Rohan Vats

05 Mar 2024

How to Rename Column Name in SQL
47023
Introduction We are surrounded by Data. We used to store information on paper in enormous file organizers. But eventually, we have come to store it o
Read More

by Rohan Vats

04 Mar 2024

Android Developer Salary in India in 2024 [For Freshers &#038; Experienced]
901414
Wondering what is the range of Android Developer Salary in India? Software engineering is one of the most sought after courses in India. It is a reno
Read More

by Rohan Vats

04 Mar 2024

7 Top Django Projects on Github [For Beginners &amp; Experienced]
52393
One of the best ways to learn a skill is to use it, and what better way to do this than to work on projects? So in this article, we’re sharing t
Read More

by Rohan Vats

04 Mar 2024

Salesforce Developer Salary in India in 2024 [For Freshers &#038; Experienced]
909375
Wondering what is the range of salesforce salary in India? Businesses thrive because of customers. It does not matter whether the operations are B2B
Read More

by Rohan Vats

04 Mar 2024

15 Must-Know Spring MVC Interview Questions
34816
Spring has become one of the most used Java frameworks for the development of web-applications. All the new Java applications are by default using Spr
Read More

by Arjun Mathur

04 Mar 2024

Front End Developer Salary in India in 2023 [For Freshers &#038; Experienced]
902455
Wondering what is the range of front end developer salary in India? Do you know what front end developers do and the salary they earn? Do you know wh
Read More

by Rohan Vats

04 Mar 2024

Method Overloading in Java [With Examples]
26542
Java is a versatile language that follows the concepts of Object-Oriented Programming. Many features of object-oriented programming make the code modu
Read More

by Rohan Vats

27 Feb 2024

50 Most Asked Javascript Interview Questions &#038; Answers [2024]
4547
Javascript Interview Question and Answers In this article, we have compiled the most frequently asked JavaScript Interview Questions. These questions
Read More

by Kechit Goyal

26 Feb 2024

Schedule 1:1 free counsellingTalk to Career Expert
icon
footer sticky close icon