blob: 773b680d8c6aa9042798fd924afe38e971d99d4d [file] [log] [blame]
Guido van Rossum4acc25b2000-02-02 15:10:15 +00001"""A multi-producer, multi-consumer queue."""
Guido van Rossum9022fce1992-08-25 12:30:44 +00002
Tim Peters5af0e412004-07-12 00:45:14 +00003from time import time as _time
Raymond Hettinger756b3f32004-01-29 06:37:52 +00004from collections import deque
Raymond Hettinger35641462008-01-17 00:13:27 +00005import heapq
Martin v. Löwis77ac4292002-10-15 15:11:13 +00006
Raymond Hettinger35641462008-01-17 00:13:27 +00007__all__ = ['Empty', 'Full', 'Queue', 'PriorityQueue', 'LifoQueue']
Brett Cannonb42bb5a2003-07-01 05:34:27 +00008
Tim Petersb8c94172001-01-15 22:53:46 +00009class Empty(Exception):
10 "Exception raised by Queue.get(block=0)/get_nowait()."
11 pass
12
13class Full(Exception):
14 "Exception raised by Queue.put(block=0)/put_nowait()."
15 pass
Guido van Rossum9022fce1992-08-25 12:30:44 +000016
17class Queue:
Thomas Wouters0e3f5912006-08-11 14:57:12 +000018 """Create a queue object with a given maximum size.
Guido van Rossum9022fce1992-08-25 12:30:44 +000019
Thomas Wouters0e3f5912006-08-11 14:57:12 +000020 If maxsize is <= 0, the queue size is infinite.
21 """
22 def __init__(self, maxsize=0):
Guido van Rossuma0934242002-12-30 22:36:09 +000023 try:
Tim Peters5af0e412004-07-12 00:45:14 +000024 import threading
Guido van Rossuma0934242002-12-30 22:36:09 +000025 except ImportError:
Tim Peters5af0e412004-07-12 00:45:14 +000026 import dummy_threading as threading
Raymond Hettingerda3caed2008-01-14 21:39:24 +000027 self.maxsize = maxsize
Guido van Rossum45e2fbc1998-03-26 21:13:24 +000028 self._init(maxsize)
Tim Peters5af0e412004-07-12 00:45:14 +000029 # mutex must be held whenever the queue is mutating. All methods
30 # that acquire mutex must release it before returning. mutex
Thomas Wouters89f507f2006-12-13 04:49:30 +000031 # is shared between the three conditions, so acquiring and
Tim Peters5af0e412004-07-12 00:45:14 +000032 # releasing the conditions also acquires and releases mutex.
33 self.mutex = threading.Lock()
34 # Notify not_empty whenever an item is added to the queue; a
35 # thread waiting to get is notified then.
36 self.not_empty = threading.Condition(self.mutex)
37 # Notify not_full whenever an item is removed from the queue;
38 # a thread waiting to put is notified then.
39 self.not_full = threading.Condition(self.mutex)
Thomas Wouters49fd7fa2006-04-21 10:40:58 +000040 # Notify all_tasks_done whenever the number of unfinished tasks
41 # drops to zero; thread waiting to join() is notified to resume
42 self.all_tasks_done = threading.Condition(self.mutex)
43 self.unfinished_tasks = 0
44
45 def task_done(self):
46 """Indicate that a formerly enqueued task is complete.
47
48 Used by Queue consumer threads. For each get() used to fetch a task,
49 a subsequent call to task_done() tells the queue that the processing
50 on the task is complete.
51
52 If a join() is currently blocking, it will resume when all items
53 have been processed (meaning that a task_done() call was received
54 for every item that had been put() into the queue).
55
56 Raises a ValueError if called more times than there were items
57 placed in the queue.
58 """
59 self.all_tasks_done.acquire()
60 try:
61 unfinished = self.unfinished_tasks - 1
62 if unfinished <= 0:
63 if unfinished < 0:
64 raise ValueError('task_done() called too many times')
Benjamin Peterson672b8032008-06-11 19:14:14 +000065 self.all_tasks_done.notify_all()
Thomas Wouters49fd7fa2006-04-21 10:40:58 +000066 self.unfinished_tasks = unfinished
67 finally:
68 self.all_tasks_done.release()
69
70 def join(self):
71 """Blocks until all items in the Queue have been gotten and processed.
72
73 The count of unfinished tasks goes up whenever an item is added to the
74 queue. The count goes down whenever a consumer thread calls task_done()
75 to indicate the item was retrieved and all work on it is complete.
76
77 When the count of unfinished tasks drops to zero, join() unblocks.
78 """
79 self.all_tasks_done.acquire()
80 try:
81 while self.unfinished_tasks:
82 self.all_tasks_done.wait()
83 finally:
84 self.all_tasks_done.release()
Guido van Rossum9022fce1992-08-25 12:30:44 +000085
Barry Warsaw3d96d521997-11-20 19:56:38 +000086 def qsize(self):
Guido van Rossum9e1721f1999-02-08 18:34:01 +000087 """Return the approximate size of the queue (not reliable!)."""
Guido van Rossum7e6d18c1998-04-29 14:29:32 +000088 self.mutex.acquire()
Guido van Rossum45e2fbc1998-03-26 21:13:24 +000089 n = self._qsize()
Guido van Rossum7e6d18c1998-04-29 14:29:32 +000090 self.mutex.release()
Guido van Rossum45e2fbc1998-03-26 21:13:24 +000091 return n
Barry Warsaw3d96d521997-11-20 19:56:38 +000092
Alexandre Vassalottif260e442008-05-11 19:59:59 +000093 def empty(self):
94 """Return True if the queue is empty, False otherwise (not reliable!)."""
95 self.mutex.acquire()
96 n = not self._qsize()
97 self.mutex.release()
98 return n
99
100 def full(self):
101 """Return True if the queue is full, False otherwise (not reliable!)."""
102 self.mutex.acquire()
103 n = 0 < self.maxsize == self._qsize()
104 self.mutex.release()
105 return n
106
Martin v. Löwis77ac4292002-10-15 15:11:13 +0000107 def put(self, item, block=True, timeout=None):
Guido van Rossumc09e6b11998-04-09 14:25:32 +0000108 """Put an item into the queue.
109
Martin v. Löwis77ac4292002-10-15 15:11:13 +0000110 If optional args 'block' is true and 'timeout' is None (the default),
111 block if necessary until a free slot is available. If 'timeout' is
112 a positive number, it blocks at most 'timeout' seconds and raises
113 the Full exception if no free slot was available within that time.
114 Otherwise ('block' is false), put an item on the queue if a free slot
115 is immediately available, else raise the Full exception ('timeout'
116 is ignored in that case).
Guido van Rossum9e1721f1999-02-08 18:34:01 +0000117 """
Tim Peters5af0e412004-07-12 00:45:14 +0000118 self.not_full.acquire()
Mark Hammond3b959db2002-04-19 00:11:32 +0000119 try:
Raymond Hettingerae138cb2008-01-15 20:42:00 +0000120 if self.maxsize > 0:
121 if not block:
122 if self._qsize() == self.maxsize:
123 raise Full
124 elif timeout is None:
Raymond Hettingerda3caed2008-01-14 21:39:24 +0000125 while self._qsize() == self.maxsize:
126 self.not_full.wait()
Raymond Hettingerae138cb2008-01-15 20:42:00 +0000127 elif timeout < 0:
Tim Peters5af0e412004-07-12 00:45:14 +0000128 raise ValueError("'timeout' must be a positive number")
Raymond Hettingerae138cb2008-01-15 20:42:00 +0000129 else:
130 endtime = _time() + timeout
Raymond Hettingerda3caed2008-01-14 21:39:24 +0000131 while self._qsize() == self.maxsize:
132 remaining = endtime - _time()
133 if remaining <= 0.0:
134 raise Full
135 self.not_full.wait(remaining)
Mark Hammond3b959db2002-04-19 00:11:32 +0000136 self._put(item)
Thomas Wouters49fd7fa2006-04-21 10:40:58 +0000137 self.unfinished_tasks += 1
Tim Peters5af0e412004-07-12 00:45:14 +0000138 self.not_empty.notify()
Mark Hammond3b959db2002-04-19 00:11:32 +0000139 finally:
Tim Peters5af0e412004-07-12 00:45:14 +0000140 self.not_full.release()
Barry Warsaw3d96d521997-11-20 19:56:38 +0000141
Guido van Rossum9e1721f1999-02-08 18:34:01 +0000142 def put_nowait(self, item):
143 """Put an item into the queue without blocking.
Guido van Rossumc09e6b11998-04-09 14:25:32 +0000144
Guido van Rossum9e1721f1999-02-08 18:34:01 +0000145 Only enqueue the item if a free slot is immediately available.
146 Otherwise raise the Full exception.
Guido van Rossum45e2fbc1998-03-26 21:13:24 +0000147 """
Tim Peters71ed2202004-07-12 01:20:32 +0000148 return self.put(item, False)
Barry Warsaw3d96d521997-11-20 19:56:38 +0000149
Martin v. Löwis77ac4292002-10-15 15:11:13 +0000150 def get(self, block=True, timeout=None):
Guido van Rossum9e1721f1999-02-08 18:34:01 +0000151 """Remove and return an item from the queue.
Guido van Rossumc09e6b11998-04-09 14:25:32 +0000152
Martin v. Löwis77ac4292002-10-15 15:11:13 +0000153 If optional args 'block' is true and 'timeout' is None (the default),
154 block if necessary until an item is available. If 'timeout' is
155 a positive number, it blocks at most 'timeout' seconds and raises
156 the Empty exception if no item was available within that time.
157 Otherwise ('block' is false), return an item if one is immediately
158 available, else raise the Empty exception ('timeout' is ignored
159 in that case).
Guido van Rossum45e2fbc1998-03-26 21:13:24 +0000160 """
Tim Peters5af0e412004-07-12 00:45:14 +0000161 self.not_empty.acquire()
Mark Hammond3b959db2002-04-19 00:11:32 +0000162 try:
Tim Peters71ed2202004-07-12 01:20:32 +0000163 if not block:
Raymond Hettingerda3caed2008-01-14 21:39:24 +0000164 if not self._qsize():
Tim Peters71ed2202004-07-12 01:20:32 +0000165 raise Empty
166 elif timeout is None:
Raymond Hettingerda3caed2008-01-14 21:39:24 +0000167 while not self._qsize():
Tim Peters5af0e412004-07-12 00:45:14 +0000168 self.not_empty.wait()
Raymond Hettingerae138cb2008-01-15 20:42:00 +0000169 elif timeout < 0:
170 raise ValueError("'timeout' must be a positive number")
Tim Peters5af0e412004-07-12 00:45:14 +0000171 else:
Tim Peters5af0e412004-07-12 00:45:14 +0000172 endtime = _time() + timeout
Raymond Hettingerda3caed2008-01-14 21:39:24 +0000173 while not self._qsize():
Tim Peters5af0e412004-07-12 00:45:14 +0000174 remaining = endtime - _time()
Tim Peters71ed2202004-07-12 01:20:32 +0000175 if remaining <= 0.0:
Tim Peters5af0e412004-07-12 00:45:14 +0000176 raise Empty
177 self.not_empty.wait(remaining)
Mark Hammond3b959db2002-04-19 00:11:32 +0000178 item = self._get()
Tim Peters5af0e412004-07-12 00:45:14 +0000179 self.not_full.notify()
180 return item
Mark Hammond3b959db2002-04-19 00:11:32 +0000181 finally:
Tim Peters5af0e412004-07-12 00:45:14 +0000182 self.not_empty.release()
Guido van Rossum9022fce1992-08-25 12:30:44 +0000183
Guido van Rossum9e1721f1999-02-08 18:34:01 +0000184 def get_nowait(self):
185 """Remove and return an item from the queue without blocking.
Guido van Rossum9022fce1992-08-25 12:30:44 +0000186
Martin v. Löwis77ac4292002-10-15 15:11:13 +0000187 Only get an item if one is immediately available. Otherwise
Guido van Rossum9e1721f1999-02-08 18:34:01 +0000188 raise the Empty exception.
189 """
Tim Peters71ed2202004-07-12 01:20:32 +0000190 return self.get(False)
Guido van Rossum9022fce1992-08-25 12:30:44 +0000191
Barry Warsaw3d96d521997-11-20 19:56:38 +0000192 # Override these methods to implement other queue organizations
193 # (e.g. stack or priority queue).
194 # These will only be called with appropriate locks held
Guido van Rossum9022fce1992-08-25 12:30:44 +0000195
Barry Warsaw3d96d521997-11-20 19:56:38 +0000196 # Initialize the queue representation
197 def _init(self, maxsize):
Raymond Hettinger756b3f32004-01-29 06:37:52 +0000198 self.queue = deque()
Guido van Rossum9022fce1992-08-25 12:30:44 +0000199
Raymond Hettinger35641462008-01-17 00:13:27 +0000200 def _qsize(self, len=len):
Guido van Rossum45e2fbc1998-03-26 21:13:24 +0000201 return len(self.queue)
Guido van Rossum9022fce1992-08-25 12:30:44 +0000202
Barry Warsaw3d96d521997-11-20 19:56:38 +0000203 # Put a new item in the queue
204 def _put(self, item):
Guido van Rossum45e2fbc1998-03-26 21:13:24 +0000205 self.queue.append(item)
Guido van Rossum9022fce1992-08-25 12:30:44 +0000206
Barry Warsaw3d96d521997-11-20 19:56:38 +0000207 # Get an item from the queue
208 def _get(self):
Raymond Hettinger756b3f32004-01-29 06:37:52 +0000209 return self.queue.popleft()
Raymond Hettinger35641462008-01-17 00:13:27 +0000210
211
212class PriorityQueue(Queue):
213 '''Variant of Queue that retrieves open entries in priority order (lowest first).
214
215 Entries are typically tuples of the form: (priority number, data).
216 '''
217
218 def _init(self, maxsize):
219 self.queue = []
220
221 def _qsize(self, len=len):
222 return len(self.queue)
223
224 def _put(self, item, heappush=heapq.heappush):
225 heappush(self.queue, item)
226
227 def _get(self, heappop=heapq.heappop):
228 return heappop(self.queue)
229
230
231class LifoQueue(Queue):
232 '''Variant of Queue that retrieves most recently added entries first.'''
233
234 def _init(self, maxsize):
235 self.queue = []
236
237 def _qsize(self, len=len):
238 return len(self.queue)
239
240 def _put(self, item):
241 self.queue.append(item)
242
243 def _get(self):
244 return self.queue.pop()