A queue is a collection of items whereby its operations work in a FIFO - First In First Out manner. The two primary operations associated with them are enqueue and dequeue.
Lesson Objectives: At the end of this lesson, you will be able to:
- Know what the queue data structure is and appreciate it's real-world use cases.
- Learn how queues work and their operations.
- Know and implement queues with two different approaches.
I'm sure all of us have been in queues before-- perhaps at billing counters, shopping centers, or cafes. The first person in the line is usually serviced first, then the second, third, and so forth.
We have this concept in computer science as well. Take the example of a printer. Suppose we have a shared printer, and several jobs are to be printed at once. The printer maintains a printing "queue" internally, and prints the jobs in sequence based on which came first.
data:image/s3,"s3://crabby-images/e3146/e3146e6e5b2eef6aede4744a78388424dae8061a" alt="Introduction"
Another instance where queues are extensively used is in the operating system of our machines. An OS maintains several queues such as a job queue, a ready queue, and a device queue for each of the processes. If you're interested, refer to this link to know more about them.
I hope we've got a solid high-level understanding about what queues are. Let's go ahead and understand how they work!
How do queues work?
Consider a pipe, perhaps a metal one in your bathroom or elsewhere in the house. Naturally, it has two open ends. Imagine that we have some elements in the pipe, and we're trying to get them out. There will be one end through which we have inserted the elements, and there's another end from which we're getting them out. As seen in the figure below, this is precisely how the queue data structure is shaped.
data:image/s3,"s3://crabby-images/82c06/82c062d8120f1416cf808b8c59c6a77ff9887915" alt="How Do Queues Work?"
Unlike the stack data structure that we primarily think of with one "open end", the queue has two open ends: the front and rear. They have different purposes-- with the rear being the point of insertion and the front being that of removal. However, internally, the front and rear are treated as pointers. We'll learn more about them in the subsequent sections programmatically.
Note that the element that got inside first is the initial one to be serviced, and removed from the queue. Hence the name: First In First Out (FIFO).
Build your intuition. Click the correct answer from the options.
By which principle do queues work for enqueuing or dequeuing an element?
Click the option that best answers the question.
- Random choice of elements
- First In First Out
- Last In First Out
- Elements are marked by relevance
Queue operations and Implementation of queues
Similar to how a stack has push
and pop
operations, a queue also has two pairwise operations:
- Enqueue: To add elements
- Dequeue: To remove elements.
Let's move on and cover each.
Click here to check out our lesson on the stack data structure!
1. Enqueue
The enqueue
operation, as said earlier, adds elements to your queue from the rear end. Initially, when the queue
is empty, both our front
(sometimes called head
) and rear (sometimes called tail
) pointers are NULL
.
data:image/s3,"s3://crabby-images/58ee4/58ee40ec1014d28a88b850125a3285bd15339b27" alt="Enqueue"
Now, let's add an element-- say, 'a'
to the queue. Both our front and rear now point to 'a'
.
data:image/s3,"s3://crabby-images/b079c/b079cb94348d0d73ea0a3bc51baac09a464c450d" alt="Enqueue"
Let's add another element to our queue-- 'b'
. Now, our front pointer remains the same, whereas the rear pointer points to 'b'
. We'll add another item 'c'
and you'll see that that element is also added at the rear end. Note that, a
must somehow point to be internally, and b
must point to c
.
data:image/s3,"s3://crabby-images/71484/7148427fe372eeff75b2790784997eb272fa43e6" alt="Enqueue"
2. Dequeue
To dequeue
means to remove or delete elements from the queue. This happens from the front end of the queue. A particular element is removed from a queue after it is done being processed or serviced. We cannot dequeue
an empty queue, and we require at least one element to be present in the queue when we want to dequeue
. The following figure explains the dequeuing of our previous queue.
data:image/s3,"s3://crabby-images/1008c/1008c05115057d5f19d61c5cc121650a0c949108" alt="Dequeue"
Let's test your knowledge. Is this statement true or false?
When dequeuing
an element, the front
pointer points at the last element added to the queue.
Press true if you believe the statement is correct, or false otherwise.
Implementation
Let's use python
for our implementation. In python
, queues can be implemented using three different modules from the python library.
- list (using a
list
orarray
is generalizable to most languages) - collections.deque (language-specific)
- queue.Queue (language-specific)
Using the list
class can be a costly affair since it involves shifting of elements for every addition or deletion. This requires O(n)
time. But, with the round-robin technique, even with lists, we can achieve the time complexity of O(1)
. We have shown the implementation below.
Instead, we can also use the 'deque' class, which is a shorthand for 'Double-ended queue' and requires O(1)
time, which is much more efficient.
Are you sure you're getting this? Click the correct answer from the options.
Using list
to implement a queue in any programming language, has the complexity of:
Click the option that best answers the question.
- O(1)
- O(n)
So first-- we can quickly implement a queue
using a list
or array
in most languages! This is intuitive given that they're both linear data structures, and we just need to enforce some constraints on data flow:
- To
enqueue
an item in the queue, we can use the list functionappend
. - To
dequeue
an item from the queue, we can use the list functionpop(0)
. - If we want the "top-most" (or last element to be processed) item in the queue, we can get the last index of the list using the
[-1]
index operator.
This is by far the easiest approach, but not necessarily the most performant.
1List<Integer> queue = new ArrayList<Integer>();
2queue.add(1);
3queue.add(2);
4queue.add(3);
5
6System.out.println("Initial queue state: ");
7System.out.println(queue);
8
9System.out.println("Elements dequeued from queue");
10System.out.println(queue.remove(0));
11System.out.println(queue.remove(0));
12System.out.println(queue.remove(0));
13
14
15System.out.println("Queue after removing elements");
16System.out.println(queue);
Note that in C++, I used the standard queue container, which doesn't allow for direct access to its elements. The initial printout of the queue state is achieved by copying the queue to a temporary one and iterating through it. In the Go version, I used slices, which provide direct access to the underlying array, making it easier to print the entire queue.
To make this more efficient with lists, we can create a fixed-sized list and use it with two pointers and modular operations. It will yield a queue with O(1)
access and deletion time.
1private static List<Integer> queue = new ArrayList<Integer>(10); // A List with size 10
2
3public static void Enqueue(int value) {
4 queue.add(value);
5}
6
7public static void Dequeue() {
8 queue.remove(0);
9}
10
11public static Boolean IsEmpty() {
12 return queue.size() == 0;
13}
14
15public static int Peek() {
16 return queue.get(0);
17}
18
19public static int Length() {
20 return queue.size();
21}
22
23public static Boolean IsFull() {
24 return queue.size() == 10;
25}
Linked List Implementation
There is another way to implement a queue. This is very similar to the Linked List implementation of stacks we used in a previous lesson.
data:image/s3,"s3://crabby-images/68626/68626c8735cb55fbb006e9630e58eeffb4388fdc" alt="Linked List Implementation Using Code"
xxxxxxxxxx
public class Main {
​
public static void main(String[] args) {
Queue queue = new Queue();
​
System.out.println("Enqueuing 1,2,3,4,5");
queue.Enqueue(1);
queue.Enqueue(2);
queue.Enqueue(3);
queue.Enqueue(4);
queue.Enqueue(5);
​
System.out.println("Dequeuing all nodes");
queue.Dequeue();
queue.Dequeue();
queue.Dequeue();
queue.Dequeue();
queue.Dequeue();
}
}
​
class Node {
​
public int Data;
public Node Next;
​
public Node(int key) {
Data = key;
Next = null;
}
}
​
class Queue {
​
public Node front;
public Node rear;
​
public Queue() {
front = null;
rear = null;
}
​
public void Enqueue(int key) {
Node node = new Node(key);
​
// If the queue is empty, then new node is front and rear
if (rear == null) {
front = node;
rear = node;
return;
}
​
// Add the new node at the end of queue and change rear
rear.Next = node;
rear = node;
}
​
public void Dequeue() {
// If queue is empty, do nothing.
if (front == null) {
return;
}
​
// Store previous front and move front one node ahead
front = front.Next;
​
// If front becomes NULL, then change rear also as NULL
if (front == null) {
rear = null;
}
}
}
Implementation of queue using queue class
Another way of using queues in python is via the queue class available in Queue module. It has numerous functions and is widely used along with threads for multi-threading operations. It further has FIFO, LIFO, and priority types of queues. However, we'll implement a simple queue using the queue class of the python library.
The queue
class is imported from the Queue
module. The queue is initialized using the Queue()
constructor. Note that it accepts a maxsize()
argument, specifying an upper boundary of queue size to throttle memory usage.
We use the put()
function to add elements to the queue, and the get()
function to remove elements from the queue. Since we have a maxsize
check here, we have two other functions to check empty and full conditions. The function empty()
returns a boolean true if the queue is empty and false if otherwise. Likewise, the full()
function returns a boolean true if the queue is full and false if otherwise.
Here, we added elements to the queue and checked for the full condition using q.full().
Since the maxsize
is four and we added four elements, the boolean is set to true
.
Later, we removed three elements, leaving one element in the queue. Hence the q.empty()
function returned boolean false.
You can find more functions on deque collections here.
xxxxxxxxxx
import java.util.LinkedList;
import java.util.Queue;
​
public class Main {
public static void main(String[] args) {
//Initialize a queue with max size 4 and of type char
Queue<Character> queue = new LinkedList<>();
​
//Enqueue items
queue.add('a');
queue.add('b');
queue.add('c');
queue.add('d');
​
// Get the first item from the queue
System.out.println("First item in queue " + queue.peek());
​
// Get the size of the queue
System.out.println("Number of items in queue " + queue.size());
​
// Dequeue the first item from the queue
System.out.println("Dequeue first item " + queue.remove());
​
System.out.println("Queue now looks like this: ");
System.out.println(queue);
​
//Clear all the items from the queue
queue.clear();
​
System.out.println("Queue now looks like this ");
System.out.println(queue);
}
}
Implementation of queue using deque class
Let's go ahead and utilize a queue along with its operations in python language using the deque
class!
The deque class is imported from the collections module. We use append()
function to add elements to the queue and popleft()
function to remove elements from the queue.
We can see that after enqueuing, our initial queue looks like this:
1Initial queue:
2deque(['a', 'b', 'c', 'd'])
And after dequeuing, our final queue looks something like this:
1Final queue
2deque(['d'])
You can find more functions on deque collections here.
xxxxxxxxxx
// Java program to demonstrate queue implementation using ArrayDeque
import java.util.ArrayDeque;
​
public class Main {
public static void main(String[] args) {
ArrayDeque<String> q = new ArrayDeque<>();
​
// Adding/Enqueueing elements to a queue
q.add("a");
q.add("b");
q.add("c");
q.add("d");
​
System.out.println("Initial queue:");
System.out.println(q);
​
// Removing/Dequeuing elements from a queue
System.out.println("\nElements dequeued from the queue:");
System.out.println(q.poll());
System.out.println(q.poll());
System.out.println(q.poll());
​
System.out.println("\nFinal queue");
System.out.println(q);
}
}
Let's test your knowledge. Click the correct answer from the options.
Which function can we use to remove elements from a deque in Python?
Click the option that best answers the question.
- append()
- empty()
- popleft()
- get()
Conclusion
In this article, we began right from the basics of queues then learned the queue operations later scaled to two different approaches in implementing queues using python. We saw how the FIFO approach works in queues and how using collections is effective in terms of time complexity. I recommend you to go through the resources linked in-line with the article for further reading on queues.
One Pager Cheat Sheet
- A queue is a collection of items whereby its operations are arranged in a
FIFO
(First In First Out) format and involve two main operations:enqueue
anddequeue
. - The queue is a data structure with two open ends, the rear for adding elements and the front for removing them, which follows the
First In First Out (FIFO)
principle. - Queues work on the First In First Out (FIFO) principle of
enqueuing
anddequeuing
elements. - A Queue has two main operations - Enqueue to add elements and Dequeue to remove elements.
- The
enqueue
operation adds elements to the rear end of thequeue
, and updates thefront
andrear
pointer accordingly. - To
dequeue
an element from a queue, it is removed from the front end, if it is present, and at least one element must be in the queue for it to be possible. - Dequeuing an element from the queue does not affect the
front
pointer, which remains the same, pointing at the first element added, while therear
pointer increases with new elements. - We can implement queues using a
list
,collections.deque
, orqueue.Queue
inpython
, with thelist
involving costlyO(n)
time complexity but with the use of the round-robin technique also requiringO(1)
time, or usingcollections.deque
orqueue.Queue
requiringO(1)
time complexity. - The complexity of implementing a queue with a
list
class in any programming language is O(n) due to the time needed to shift all items on each addition or deletion. - We can quickly
enqueue
anddequeue
items in a queue using most languages by either using alist
orarray
, or with more efficient time complexity by implementing a fixed-sized list with two pointers. - The
Linked List
implementation ofQueues
is similar to the Linked List implementation ofStacks
we used previously. - The python library provides the
queue
class from theQueue
module to enable users to implement simple queues and check for the empty and full conditions using theempty()
andfull()
functions respectively. - We can implement a
queue
using thedeque
class from the collections module toappend()
andpopleft()
elements from the queue. - The
deque
class from thecollections
module can be used topopleft()
the first element and reduce the size of the queue in Python. - The FIFO approach and using
collections
are effective approaches forimplementing queues
in python.