oursolutionarchitectoursolutionarchitect
  • Python Questions and Answers
  • Python - Programming Examples
  • Python - Quick Guide
  • Python - Useful Resources
  • Python - Discussion
    • Selected Reading
    • Q&A

    Python - Thread Priority


    The queue module in Python's standard library is useful in threaded programming when information must be exchanged safely between multiple threads. The Priority Queue class in this module implements all the required locking semantics.

    With a priority queue, the entries are kept sorted (using the heapq module) and the lowest valued entry is retrieved first.

    The Queue objects have following methods to control the Queue −

    • get() − The get() removes and returns an item from the queue.

    • put() − The put adds item to a queue.

    • qsize() − The qsize() returns the number of items that are currently in the queue.

    • empty() − The empty( ) returns True if queue is empty; otherwise, False.

    • full() − the full() returns True if queue is full; otherwise, False.

    queue.PriorityQueue(maxsize=0)
    

    This is the Constructor for a priority queue. maxsize is an integer that sets the upper limit on the number of items that can be placed in the queue. If maxsize is less than or equal to zero, the queue size is infinite.

    The lowest valued entries are retrieved first (the lowest valued entry is the one that would be returned by min(entries)). A typical pattern for entries is a tuple in the form −

    (priority_number, data)
    

    Example

    from time import sleep
    from random import random, randint
    from threading import Thread
    from queue import PriorityQueue
    
    queue = PriorityQueue()
    
    def producer(queue):
       print('Producer: Running')
       for i in range(5):
    
          # create item with priority
          value = random()
          priority = randint(0, 5)
          item = (priority, value)
          queue.put(item)
       # wait for all items to be processed
       queue.join()
    
       queue.put(None)
       print('Producer: Done')
    
    def consumer(queue):
       print('Consumer: Running')
    
       while True:
    
          # get a unit of work
          item = queue.get()
          if item is None:
             break
    
          sleep(item[1])
          print(item)
          queue.task_done()
       print('Consumer: Done')
    
    producer = Thread(target=producer, args=(queue,))
    producer.start()
    
    consumer = Thread(target=consumer, args=(queue,))
    consumer.start()
    
    producer.join()
    consumer.join()
    

    It will produce the following output

    Producer: Running
    Consumer: Running
    (0, 0.15332707626852804)
    (2, 0.4730737391435892)
    (2, 0.8679231358257962)
    (3, 0.051924220435665025)
    (4, 0.23945882716108446)
    Producer: Done
    Consumer: Done