Python – Queue.LIFOQueue vs Collections.Deque
Last Updated :
04 Aug, 2021
Both LIFOQueue and Deque can be used using in-built modules Queue and Collections in Python, both of them are data structures and are widely used, but for different purposes. In this article, we will consider the difference between both Queue.LIFOQueue and Collections.Deque concerning usability, execution time, working, implementation, etc. in Python.
queue.LifoQueue: The module queue provides a LIFO Queue which technically works as a Stack. It is usually used for communication between the different threads in the very same process.
Below is a program which depicts the implementation of Lifo.Queue:
Python3
import queue
LIFOq = queue.LifoQueue(maxsize = 3 )
print (LIFOq.qsize())
LIFOq.put( 1 )
LIFOq.put( 2 )
LIFOq.put( 3 )
print ( "Full: " , LIFOq.full())
print ( "Size: " , LIFOq.qsize())
print (LIFOq.get())
print (LIFOq.get())
print (LIFOq.get())
print ( "Empty: " , LIFOq.empty())
|
Output:
0
Full: True
Size: 3
3
2
1
Empty: True
collections.deque: Deque (Doubly Ended Queue) in Python is implemented using the module collections. This data structure is mainly used for queues. The FIFO queue mechanism is implemented by append() and popleft(). It’s operations are quite faster as compared to lists.
Below is a program that illustrates the implementation of collections.deque:
Python3
import collections
Deque = collections.deque([ 10 , 20 , 30 ])
Deque.append( 0 )
print ( "The deque after appending at right is:" , Deque)
Deque.appendleft( 100 )
print ( "The deque after appending at left is: " , Deque)
Deque.pop()
print ( "The deque after deleting from right is:" , Deque);
Deque.popleft()
print ( "Queue:" , Deque)
|
Output:
The deque after appending at right is: deque([10, 20, 30, 0])
The deque after appending at left is: deque([100, 10, 20, 30, 0])
The deque after deleting from right is: deque([100, 10, 20, 30])
Queue: deque([10, 20, 30])
Difference between LIFOQueue and Deque:
Sr. no. |
LIFO Queue |
Dequeue |
1 |
It implements stacks |
It implements a double-edged queue |
2 |
Present in Queue module |
Present in Collections module |
3 |
Allows various threads to communicate using queued data or messages |
Simply intended to be a data structure |
4 |
Fewer features (operations and methods) |
Large Variety of features (operations and methods) |
5 |
Follows Last In First Out |
Follows First In First Out |
6 |
Slow operations (long execution time) |
High operations(very low execution time) |
6 |
Not commonly used, usually used for thread communication operations. |
Mostly used for data structure operations. |
Please Login to comment...