queue.py 8.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246
  1. '''A multi-producer, multi-consumer queue.'''
  2. try:
  3. import threading
  4. except ImportError:
  5. import dummy_threading as threading
  6. from collections import deque
  7. from heapq import heappush, heappop
  8. from time import monotonic as time
  9. __all__ = ['Empty', 'Full', 'Queue', 'PriorityQueue', 'LifoQueue']
  10. class Empty(Exception):
  11. 'Exception raised by Queue.get(block=0)/get_nowait().'
  12. pass
  13. class Full(Exception):
  14. 'Exception raised by Queue.put(block=0)/put_nowait().'
  15. pass
  16. class Queue:
  17. '''Create a queue object with a given maximum size.
  18. If maxsize is <= 0, the queue size is infinite.
  19. '''
  20. def __init__(self, maxsize=0):
  21. self.maxsize = maxsize
  22. self._init(maxsize)
  23. # mutex must be held whenever the queue is mutating. All methods
  24. # that acquire mutex must release it before returning. mutex
  25. # is shared between the three conditions, so acquiring and
  26. # releasing the conditions also acquires and releases mutex.
  27. self.mutex = threading.Lock()
  28. # Notify not_empty whenever an item is added to the queue; a
  29. # thread waiting to get is notified then.
  30. self.not_empty = threading.Condition(self.mutex)
  31. # Notify not_full whenever an item is removed from the queue;
  32. # a thread waiting to put is notified then.
  33. self.not_full = threading.Condition(self.mutex)
  34. # Notify all_tasks_done whenever the number of unfinished tasks
  35. # drops to zero; thread waiting to join() is notified to resume
  36. self.all_tasks_done = threading.Condition(self.mutex)
  37. self.unfinished_tasks = 0
  38. def task_done(self):
  39. '''Indicate that a formerly enqueued task is complete.
  40. Used by Queue consumer threads. For each get() used to fetch a task,
  41. a subsequent call to task_done() tells the queue that the processing
  42. on the task is complete.
  43. If a join() is currently blocking, it will resume when all items
  44. have been processed (meaning that a task_done() call was received
  45. for every item that had been put() into the queue).
  46. Raises a ValueError if called more times than there were items
  47. placed in the queue.
  48. '''
  49. with self.all_tasks_done:
  50. unfinished = self.unfinished_tasks - 1
  51. if unfinished <= 0:
  52. if unfinished < 0:
  53. raise ValueError('task_done() called too many times')
  54. self.all_tasks_done.notify_all()
  55. self.unfinished_tasks = unfinished
  56. def join(self):
  57. '''Blocks until all items in the Queue have been gotten and processed.
  58. The count of unfinished tasks goes up whenever an item is added to the
  59. queue. The count goes down whenever a consumer thread calls task_done()
  60. to indicate the item was retrieved and all work on it is complete.
  61. When the count of unfinished tasks drops to zero, join() unblocks.
  62. '''
  63. with self.all_tasks_done:
  64. while self.unfinished_tasks:
  65. self.all_tasks_done.wait()
  66. def qsize(self):
  67. '''Return the approximate size of the queue (not reliable!).'''
  68. with self.mutex:
  69. return self._qsize()
  70. def empty(self):
  71. '''Return True if the queue is empty, False otherwise (not reliable!).
  72. This method is likely to be removed at some point. Use qsize() == 0
  73. as a direct substitute, but be aware that either approach risks a race
  74. condition where a queue can grow before the result of empty() or
  75. qsize() can be used.
  76. To create code that needs to wait for all queued tasks to be
  77. completed, the preferred technique is to use the join() method.
  78. '''
  79. with self.mutex:
  80. return not self._qsize()
  81. def full(self):
  82. '''Return True if the queue is full, False otherwise (not reliable!).
  83. This method is likely to be removed at some point. Use qsize() >= n
  84. as a direct substitute, but be aware that either approach risks a race
  85. condition where a queue can shrink before the result of full() or
  86. qsize() can be used.
  87. '''
  88. with self.mutex:
  89. return 0 < self.maxsize <= self._qsize()
  90. def put(self, item, block=True, timeout=None):
  91. '''Put an item into the queue.
  92. If optional args 'block' is true and 'timeout' is None (the default),
  93. block if necessary until a free slot is available. If 'timeout' is
  94. a non-negative number, it blocks at most 'timeout' seconds and raises
  95. the Full exception if no free slot was available within that time.
  96. Otherwise ('block' is false), put an item on the queue if a free slot
  97. is immediately available, else raise the Full exception ('timeout'
  98. is ignored in that case).
  99. '''
  100. with self.not_full:
  101. if self.maxsize > 0:
  102. if not block:
  103. if self._qsize() >= self.maxsize:
  104. raise Full
  105. elif timeout is None:
  106. while self._qsize() >= self.maxsize:
  107. self.not_full.wait()
  108. elif timeout < 0:
  109. raise ValueError("'timeout' must be a non-negative number")
  110. else:
  111. endtime = time() + timeout
  112. while self._qsize() >= self.maxsize:
  113. remaining = endtime - time()
  114. if remaining <= 0.0:
  115. raise Full
  116. self.not_full.wait(remaining)
  117. self._put(item)
  118. self.unfinished_tasks += 1
  119. self.not_empty.notify()
  120. def get(self, block=True, timeout=None):
  121. '''Remove and return an item from the queue.
  122. If optional args 'block' is true and 'timeout' is None (the default),
  123. block if necessary until an item is available. If 'timeout' is
  124. a non-negative number, it blocks at most 'timeout' seconds and raises
  125. the Empty exception if no item was available within that time.
  126. Otherwise ('block' is false), return an item if one is immediately
  127. available, else raise the Empty exception ('timeout' is ignored
  128. in that case).
  129. '''
  130. with self.not_empty:
  131. if not block:
  132. if not self._qsize():
  133. raise Empty
  134. elif timeout is None:
  135. while not self._qsize():
  136. self.not_empty.wait()
  137. elif timeout < 0:
  138. raise ValueError("'timeout' must be a non-negative number")
  139. else:
  140. endtime = time() + timeout
  141. while not self._qsize():
  142. remaining = endtime - time()
  143. if remaining <= 0.0:
  144. raise Empty
  145. self.not_empty.wait(remaining)
  146. item = self._get()
  147. self.not_full.notify()
  148. return item
  149. def put_nowait(self, item):
  150. '''Put an item into the queue without blocking.
  151. Only enqueue the item if a free slot is immediately available.
  152. Otherwise raise the Full exception.
  153. '''
  154. return self.put(item, block=False)
  155. def get_nowait(self):
  156. '''Remove and return an item from the queue without blocking.
  157. Only get an item if one is immediately available. Otherwise
  158. raise the Empty exception.
  159. '''
  160. return self.get(block=False)
  161. # Override these methods to implement other queue organizations
  162. # (e.g. stack or priority queue).
  163. # These will only be called with appropriate locks held
  164. # Initialize the queue representation
  165. def _init(self, maxsize):
  166. self.queue = deque()
  167. def _qsize(self):
  168. return len(self.queue)
  169. # Put a new item in the queue
  170. def _put(self, item):
  171. self.queue.append(item)
  172. # Get an item from the queue
  173. def _get(self):
  174. return self.queue.popleft()
  175. class PriorityQueue(Queue):
  176. '''Variant of Queue that retrieves open entries in priority order (lowest first).
  177. Entries are typically tuples of the form: (priority number, data).
  178. '''
  179. def _init(self, maxsize):
  180. self.queue = []
  181. def _qsize(self):
  182. return len(self.queue)
  183. def _put(self, item):
  184. heappush(self.queue, item)
  185. def _get(self):
  186. return heappop(self.queue)
  187. class LifoQueue(Queue):
  188. '''Variant of Queue that retrieves most recently added entries first.'''
  189. def _init(self, maxsize):
  190. self.queue = []
  191. def _qsize(self):
  192. return len(self.queue)
  193. def _put(self, item):
  194. self.queue.append(item)
  195. def _get(self):
  196. return self.queue.pop()