blob: b7eecefa20a34f42417aec982d9aa1c8b7084207 [file] [log] [blame]
Benjamin Peterson7f03ea72008-06-13 19:20:48 +00001#
2# Module implementing queues
3#
4# multiprocessing/queues.py
5#
R. David Murray79af2452010-12-14 01:42:40 +00006# Copyright (c) 2006-2008, R Oudkerk
7# All rights reserved.
8#
9# Redistribution and use in source and binary forms, with or without
10# modification, are permitted provided that the following conditions
11# are met:
12#
13# 1. Redistributions of source code must retain the above copyright
14# notice, this list of conditions and the following disclaimer.
15# 2. Redistributions in binary form must reproduce the above copyright
16# notice, this list of conditions and the following disclaimer in the
17# documentation and/or other materials provided with the distribution.
18# 3. Neither the name of author nor the names of any contributors may be
19# used to endorse or promote products derived from this software
20# without specific prior written permission.
21#
22# THIS SOFTWARE IS PROVIDED BY THE AUTHOR AND CONTRIBUTORS "AS IS" AND
23# ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
24# IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE
25# ARE DISCLAIMED. IN NO EVENT SHALL THE AUTHOR OR CONTRIBUTORS BE LIABLE
26# FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
27# DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS
28# OR SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION)
29# HOWEVER CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT
30# LIABILITY, OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY
31# OUT OF THE USE OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF
32# SUCH DAMAGE.
Benjamin Peterson7f03ea72008-06-13 19:20:48 +000033#
34
Jesse Nollerb2898e02009-03-31 03:31:16 +000035__all__ = ['Queue', 'SimpleQueue', 'JoinableQueue']
Benjamin Peterson7f03ea72008-06-13 19:20:48 +000036
37import sys
38import os
39import threading
40import collections
41import time
42import atexit
43import weakref
44
45from Queue import Empty, Full
46import _multiprocessing
47from multiprocessing import Pipe
48from multiprocessing.synchronize import Lock, BoundedSemaphore, Semaphore, Condition
49from multiprocessing.util import debug, info, Finalize, register_after_fork
50from multiprocessing.forking import assert_spawning
51
52#
53# Queue type using a pipe, buffer and thread
54#
55
56class Queue(object):
57
58 def __init__(self, maxsize=0):
59 if maxsize <= 0:
60 maxsize = _multiprocessing.SemLock.SEM_VALUE_MAX
61 self._maxsize = maxsize
62 self._reader, self._writer = Pipe(duplex=False)
63 self._rlock = Lock()
64 self._opid = os.getpid()
65 if sys.platform == 'win32':
66 self._wlock = None
67 else:
68 self._wlock = Lock()
69 self._sem = BoundedSemaphore(maxsize)
70
71 self._after_fork()
72
73 if sys.platform != 'win32':
74 register_after_fork(self, Queue._after_fork)
75
76 def __getstate__(self):
77 assert_spawning(self)
78 return (self._maxsize, self._reader, self._writer,
79 self._rlock, self._wlock, self._sem, self._opid)
80
81 def __setstate__(self, state):
82 (self._maxsize, self._reader, self._writer,
83 self._rlock, self._wlock, self._sem, self._opid) = state
84 self._after_fork()
85
86 def _after_fork(self):
87 debug('Queue._after_fork()')
88 self._notempty = threading.Condition(threading.Lock())
89 self._buffer = collections.deque()
90 self._thread = None
91 self._jointhread = None
92 self._joincancelled = False
93 self._closed = False
94 self._close = None
95 self._send = self._writer.send
96 self._recv = self._reader.recv
97 self._poll = self._reader.poll
98
99 def put(self, obj, block=True, timeout=None):
100 assert not self._closed
101 if not self._sem.acquire(block, timeout):
102 raise Full
103
104 self._notempty.acquire()
105 try:
106 if self._thread is None:
107 self._start_thread()
108 self._buffer.append(obj)
109 self._notempty.notify()
110 finally:
111 self._notempty.release()
112
113 def get(self, block=True, timeout=None):
114 if block and timeout is None:
115 self._rlock.acquire()
116 try:
117 res = self._recv()
118 self._sem.release()
119 return res
120 finally:
121 self._rlock.release()
122
123 else:
124 if block:
125 deadline = time.time() + timeout
126 if not self._rlock.acquire(block, timeout):
127 raise Empty
128 try:
129 if not self._poll(block and (deadline-time.time()) or 0.0):
130 raise Empty
131 res = self._recv()
132 self._sem.release()
133 return res
134 finally:
135 self._rlock.release()
136
137 def qsize(self):
Georg Brandl0c6d1662009-06-08 18:41:36 +0000138 # Raises NotImplementedError on Mac OSX because of broken sem_getvalue()
Benjamin Peterson7f03ea72008-06-13 19:20:48 +0000139 return self._maxsize - self._sem._semlock._get_value()
140
141 def empty(self):
142 return not self._poll()
143
144 def full(self):
145 return self._sem._semlock._is_zero()
146
147 def get_nowait(self):
148 return self.get(False)
149
150 def put_nowait(self, obj):
151 return self.put(obj, False)
152
153 def close(self):
154 self._closed = True
155 self._reader.close()
156 if self._close:
157 self._close()
158
159 def join_thread(self):
160 debug('Queue.join_thread()')
161 assert self._closed
162 if self._jointhread:
163 self._jointhread()
164
165 def cancel_join_thread(self):
166 debug('Queue.cancel_join_thread()')
167 self._joincancelled = True
168 try:
169 self._jointhread.cancel()
170 except AttributeError:
171 pass
172
173 def _start_thread(self):
174 debug('Queue._start_thread()')
175
176 # Start thread which transfers data from buffer to pipe
177 self._buffer.clear()
178 self._thread = threading.Thread(
179 target=Queue._feed,
180 args=(self._buffer, self._notempty, self._send,
181 self._wlock, self._writer.close),
182 name='QueueFeederThread'
183 )
Benjamin Petersona9b22222008-08-18 18:01:43 +0000184 self._thread.daemon = True
Benjamin Peterson7f03ea72008-06-13 19:20:48 +0000185
186 debug('doing self._thread.start()')
187 self._thread.start()
188 debug('... done self._thread.start()')
189
190 # On process exit we will wait for data to be flushed to pipe.
Antoine Pitrou77657e42011-08-24 22:41:05 +0200191 if not self._joincancelled:
Benjamin Peterson7f03ea72008-06-13 19:20:48 +0000192 self._jointhread = Finalize(
193 self._thread, Queue._finalize_join,
194 [weakref.ref(self._thread)],
195 exitpriority=-5
196 )
197
198 # Send sentinel to the thread queue object when garbage collected
199 self._close = Finalize(
200 self, Queue._finalize_close,
201 [self._buffer, self._notempty],
202 exitpriority=10
203 )
204
205 @staticmethod
206 def _finalize_join(twr):
207 debug('joining queue thread')
208 thread = twr()
209 if thread is not None:
210 thread.join()
211 debug('... queue thread joined')
212 else:
213 debug('... queue thread already dead')
214
215 @staticmethod
216 def _finalize_close(buffer, notempty):
217 debug('telling queue thread to quit')
218 notempty.acquire()
219 try:
220 buffer.append(_sentinel)
221 notempty.notify()
222 finally:
223 notempty.release()
224
225 @staticmethod
226 def _feed(buffer, notempty, send, writelock, close):
227 debug('starting thread to feed data to pipe')
228 from .util import is_exiting
229
230 nacquire = notempty.acquire
231 nrelease = notempty.release
232 nwait = notempty.wait
233 bpopleft = buffer.popleft
234 sentinel = _sentinel
235 if sys.platform != 'win32':
236 wacquire = writelock.acquire
237 wrelease = writelock.release
238 else:
239 wacquire = None
240
241 try:
242 while 1:
243 nacquire()
244 try:
245 if not buffer:
246 nwait()
247 finally:
248 nrelease()
249 try:
250 while 1:
251 obj = bpopleft()
252 if obj is sentinel:
253 debug('feeder thread got sentinel -- exiting')
254 close()
255 return
Jesse Noller7bdd8d92009-11-21 14:06:24 +0000256
Benjamin Peterson7f03ea72008-06-13 19:20:48 +0000257 if wacquire is None:
258 send(obj)
259 else:
Jesse Noller7bdd8d92009-11-21 14:06:24 +0000260 wacquire()
Benjamin Peterson7f03ea72008-06-13 19:20:48 +0000261 try:
262 send(obj)
263 finally:
264 wrelease()
265 except IndexError:
266 pass
267 except Exception, e:
268 # Since this runs in a daemon thread the resources it uses
269 # may be become unusable while the process is cleaning up.
270 # We ignore errors which happen after the process has
271 # started to cleanup.
272 try:
273 if is_exiting():
274 info('error in queue thread: %s', e)
275 else:
276 import traceback
277 traceback.print_exc()
278 except Exception:
279 pass
280
281_sentinel = object()
282
283#
284# A queue type which also supports join() and task_done() methods
285#
286# Note that if you do not call task_done() for each finished task then
287# eventually the counter's semaphore may overflow causing Bad Things
288# to happen.
289#
290
291class JoinableQueue(Queue):
292
293 def __init__(self, maxsize=0):
294 Queue.__init__(self, maxsize)
295 self._unfinished_tasks = Semaphore(0)
296 self._cond = Condition()
297
298 def __getstate__(self):
299 return Queue.__getstate__(self) + (self._cond, self._unfinished_tasks)
300
301 def __setstate__(self, state):
302 Queue.__setstate__(self, state[:-2])
303 self._cond, self._unfinished_tasks = state[-2:]
304
Jesse Noller8497efe2009-08-06 02:05:56 +0000305 def put(self, obj, block=True, timeout=None):
306 assert not self._closed
307 if not self._sem.acquire(block, timeout):
308 raise Full
309
310 self._notempty.acquire()
311 self._cond.acquire()
312 try:
313 if self._thread is None:
314 self._start_thread()
315 self._buffer.append(obj)
316 self._unfinished_tasks.release()
317 self._notempty.notify()
318 finally:
319 self._cond.release()
320 self._notempty.release()
Benjamin Peterson7f03ea72008-06-13 19:20:48 +0000321
322 def task_done(self):
323 self._cond.acquire()
324 try:
325 if not self._unfinished_tasks.acquire(False):
326 raise ValueError('task_done() called too many times')
327 if self._unfinished_tasks._semlock._is_zero():
328 self._cond.notify_all()
329 finally:
330 self._cond.release()
331
332 def join(self):
333 self._cond.acquire()
334 try:
335 if not self._unfinished_tasks._semlock._is_zero():
336 self._cond.wait()
337 finally:
338 self._cond.release()
339
340#
341# Simplified Queue type -- really just a locked pipe
342#
343
344class SimpleQueue(object):
345
346 def __init__(self):
347 self._reader, self._writer = Pipe(duplex=False)
348 self._rlock = Lock()
349 if sys.platform == 'win32':
350 self._wlock = None
351 else:
352 self._wlock = Lock()
353 self._make_methods()
354
355 def empty(self):
356 return not self._reader.poll()
357
358 def __getstate__(self):
359 assert_spawning(self)
360 return (self._reader, self._writer, self._rlock, self._wlock)
361
362 def __setstate__(self, state):
363 (self._reader, self._writer, self._rlock, self._wlock) = state
364 self._make_methods()
365
366 def _make_methods(self):
367 recv = self._reader.recv
368 racquire, rrelease = self._rlock.acquire, self._rlock.release
369 def get():
370 racquire()
371 try:
372 return recv()
373 finally:
374 rrelease()
375 self.get = get
376
377 if self._wlock is None:
378 # writes to a message oriented win32 pipe are atomic
379 self.put = self._writer.send
380 else:
381 send = self._writer.send
382 wacquire, wrelease = self._wlock.acquire, self._wlock.release
383 def put(obj):
384 wacquire()
385 try:
386 return send(obj)
387 finally:
388 wrelease()
389 self.put = put