-
Notifications
You must be signed in to change notification settings - Fork 0
/
asyncproc.py
412 lines (354 loc) · 13.6 KB
/
asyncproc.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
#! /usr/bin/env python3
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# The text of the license conditions can be read at
# <http://www.lysator.liu.se/~bellman/download/gpl-3.0.txt>
# or at <http://www.gnu.org/licenses/>.
# type: ignore
__rcsId__ = """$Id: asyncproc.py,v 1.9 2007/08/06 18:29:24 bellman Exp $"""
__author__ = "Thomas Bellman <[email protected]>"
__url__ = "http://www.lysator.liu.se/~bellman/download/"
__licence__ = "GNU General Publice License version 3 or later"
# modified by Kevin Grandemange to make it work with python3
import os
import time
import errno
import signal
import threading
import subprocess
__all__ = [ 'Process', 'with_timeout', 'Timeout' ]
class Timeout(Exception):
"""Exception raised by with_timeout() when the operation takes too long.
"""
pass
def with_timeout(timeout, func, *args, **kwargs):
"""Call a function, allowing it only to take a certain amount of time.
Parameters:
- timeout The time, in seconds, the function is allowed to spend.
This must be an integer, due to limitations in the
SIGALRM handling.
- func The function to call.
- *args Non-keyword arguments to pass to func.
- **kwargs Keyword arguments to pass to func.
Upon successful completion, with_timeout() returns the return value
from func. If a timeout occurs, the Timeout exception will be raised.
If an alarm is pending when with_timeout() is called, with_timeout()
tries to restore that alarm as well as possible, and call the SIGALRM
signal handler if it would have expired during the execution of func.
This may cause that signal handler to be executed later than it would
normally do. In particular, calling with_timeout() from within a
with_timeout() call with a shorter timeout, won't interrupt the inner
call. I.e.,
with_timeout(5, with_timeout, 60, time.sleep, 120)
won't interrupt the time.sleep() call until after 60 seconds.
"""
class SigAlarm(Exception):
"""Internal exception used only within with_timeout().
"""
pass
def alarm_handler(signum, frame):
raise SigAlarm()
oldalarm = signal.alarm(0)
oldhandler = signal.signal(signal.SIGALRM, alarm_handler)
try:
try:
t0 = time.time()
signal.alarm(timeout)
retval = func(*args, **kwargs)
except SigAlarm:
raise Timeout("Function call took too long", func, timeout)
finally:
signal.alarm(0)
signal.signal(signal.SIGALRM, oldhandler)
if oldalarm != 0:
t1 = time.time()
remaining = oldalarm - int(t1 - t0 + 0.5)
if remaining <= 0:
# The old alarm has expired.
os.kill(os.getpid(), signal.SIGALRM)
else:
signal.alarm(remaining)
return retval
class Process(object):
"""Manager for an asynchronous process.
The process will be run in the background, and its standard output
and standard error will be collected asynchronously.
Since the collection of output happens asynchronously (handled by
threads), the process won't block even if it outputs large amounts
of data and you do not call Process.read*().
Similarly, it is possible to send data to the standard input of the
process using the write() method, and the caller of write() won't
block even if the process does not drain its input.
On the other hand, this can consume large amounts of memory,
potentially even exhausting all memory available.
Parameters are identical to subprocess.Popen(), except that stdin,
stdout and stderr default to subprocess.PIPE instead of to None.
Note that if you set stdout or stderr to anything but PIPE, the
Process object won't collect that output, and the read*() methods
will always return empty strings. Also, setting stdin to something
other than PIPE will make the write() method raise an exception.
"""
def __init__(self, *params, **kwparams):
if len(params) <= 3:
kwparams.setdefault('stdin', subprocess.PIPE)
if len(params) <= 4:
kwparams.setdefault('stdout', subprocess.PIPE)
if len(params) <= 5:
kwparams.setdefault('stderr', subprocess.PIPE)
self.__pending_input = []
self.__collected_outdata = []
self.__collected_errdata = []
self.__exitstatus = None
self.__lock = threading.Lock()
self.__inputsem = threading.Semaphore(0)
# Flag telling feeder threads to quit
self.__quit = False
self.__process = subprocess.Popen(*params, **kwparams)
if self.__process.stdin:
self.__stdin_thread = threading.Thread(
name="stdin-thread",
target=self.__feeder, args=(self.__pending_input,
self.__process.stdin))
self.__stdin_thread.setDaemon(True)
self.__stdin_thread.start()
if self.__process.stdout:
self.__stdout_thread = threading.Thread(
name="stdout-thread",
target=self.__reader, args=(self.__collected_outdata,
self.__process.stdout))
self.__stdout_thread.setDaemon(True)
self.__stdout_thread.start()
if self.__process.stderr:
self.__stderr_thread = threading.Thread(
name="stderr-thread",
target=self.__reader, args=(self.__collected_errdata,
self.__process.stderr))
self.__stderr_thread.setDaemon(True)
self.__stderr_thread.start()
def __del__(self, __killer=os.kill, __sigkill=signal.SIGKILL):
if self.__exitstatus is None:
__killer(self.pid(), __sigkill)
def pid(self):
"""Return the process id of the process.
Note that if the process has died (and successfully been waited
for), that process id may have been re-used by the operating
system.
"""
return self.__process.pid
def kill(self, signal):
"""Send a signal to the process.
Raises OSError, with errno set to ECHILD, if the process is no
longer running.
"""
if self.__exitstatus is not None:
# Throwing ECHILD is perhaps not the most kosher thing to do...
# ESRCH might be considered more proper.
raise OSError(errno.ECHILD, os.strerror(errno.ECHILD))
os.kill(self.pid(), signal)
def wait(self, flags=0):
"""Return the process' termination status.
If bitmask parameter 'flags' contains os.WNOHANG, wait() will
return None if the process hasn't terminated. Otherwise it
will wait until the process dies.
It is permitted to call wait() several times, even after it
has succeeded; the Process instance will remember the exit
status from the first successful call, and return that on
subsequent calls.
"""
if self.__exitstatus is not None:
return self.__exitstatus
pid,exitstatus = os.waitpid(self.pid(), flags)
if pid == 0:
return None
if os.WIFEXITED(exitstatus) or os.WIFSIGNALED(exitstatus):
self.__exitstatus = exitstatus
# If the process has stopped, we have to make sure to stop
# our threads. The reader threads will stop automatically
# (assuming the process hasn't forked), but the feeder thread
# must be signalled to stop.
if self.__process.stdin:
self.closeinput()
# We must wait for the reader threads to finish, so that we
# can guarantee that all the output from the subprocess is
# available to the .read*() methods.
# And by the way, it is the responsibility of the reader threads
# to close the pipes from the subprocess, not our.
if self.__process.stdout:
self.__stdout_thread.join()
if self.__process.stderr:
self.__stderr_thread.join()
return exitstatus
def terminate(self, graceperiod=1):
"""Terminate the process, with escalating force as needed.
First try gently, but increase the force if it doesn't respond
to persuassion. The levels tried are, in order:
- close the standard input of the process, so it gets an EOF.
- send SIGTERM to the process.
- send SIGKILL to the process.
terminate() waits up to GRACEPERIOD seconds (default 1) before
escalating the level of force. As there are three levels, a total
of (3-1)*GRACEPERIOD is allowed before the process is SIGKILL:ed.
GRACEPERIOD must be an integer, and must be at least 1.
If the process was started with stdin not set to PIPE, the
first level (closing stdin) is skipped.
"""
if self.__process.stdin:
# This is rather meaningless when stdin != PIPE.
self.closeinput()
try:
return with_timeout(graceperiod, self.wait)
except Timeout:
pass
self.kill(signal.SIGTERM)
try:
return with_timeout(graceperiod, self.wait)
except Timeout:
pass
self.kill(signal.SIGKILL)
return self.wait()
def __reader(self, collector, source):
"""Read data from source until EOF, adding it to collector.
"""
while True:
data = os.read(source.fileno(), 65536)
self.__lock.acquire()
collector.append(data)
self.__lock.release()
if data == b"":
source.close()
break
return
def __feeder(self, pending, drain):
"""Feed data from the list pending to the file drain.
"""
while True:
self.__inputsem.acquire()
self.__lock.acquire()
if not pending and self.__quit:
drain.close()
self.__lock.release()
break
data = pending.pop(0)
self.__lock.release()
drain.write(data)
def read(self):
"""Read data written by the process to its standard output.
"""
self.__lock.acquire()
outdata = b"".join(self.__collected_outdata)
del self.__collected_outdata[:]
self.__lock.release()
return outdata
def readerr(self):
"""Read data written by the process to its standard error.
"""
self.__lock.acquire()
errdata = b"".join(self.__collected_errdata)
del self.__collected_errdata[:]
self.__lock.release()
return errdata
def readboth(self):
"""Read data written by the process to its standard output and error.
Return value is a two-tuple ( stdout-data, stderr-data ).
WARNING! The name of this method is ugly, and may change in
future versions!
"""
self.__lock.acquire()
outdata = b"".join(self.__collected_outdata)
del self.__collected_outdata[:]
errdata = b"".join(self.__collected_errdata)
del self.__collected_errdata[:]
self.__lock.release()
return outdata,errdata
def _peek(self):
self.__lock.acquire()
output = b"".join(self.__collected_outdata)
error = b"".join(self.__collected_errdata)
self.__lock.release()
return output,error
def write(self, data):
"""Send data to a process's standard input.
"""
if self.__process.stdin is None:
raise ValueError("Writing to process with stdin not a pipe")
self.__lock.acquire()
self.__pending_input.append(data)
self.__inputsem.release()
self.__lock.release()
def closeinput(self):
"""Close the standard input of a process, so it receives EOF.
"""
self.__lock.acquire()
self.__quit = True
self.__inputsem.release()
self.__lock.release()
class ProcessManager(object):
"""Manager for asynchronous processes.
This class is intended for use in a server that wants to expose the
asyncproc.Process API to clients. Within a single process, it is
usually better to just keep track of the Process objects directly
instead of hiding them behind this. It probably shouldn't have been
made part of the asyncproc module in the first place.
"""
def __init__(self):
self.__last_id = 0
self.__procs = {}
def start(self, args, executable=None, shell=False, cwd=None, env=None):
"""Start a program in the background, collecting its output.
Returns an integer identifying the process. (Note that this
integer is *not* the OS process id of the actuall running
process.)
"""
proc = Process(args=args, executable=executable, shell=shell,
cwd=cwd, env=env)
self.__last_id += 1
self.__procs[self.__last_id] = proc
return self.__last_id
def kill(self, procid, signal):
return self.__procs[procid].kill(signal)
def terminate(self, procid, graceperiod=1):
return self.__procs[procid].terminate(graceperiod)
def write(self, procid, data):
return self.__procs[procid].write(data)
def closeinput(self, procid):
return self.__procs[procid].closeinput()
def read(self, procid):
return self.__procs[procid].read()
def readerr(self, procid):
return self.__procs[procid].readerr()
def readboth(self, procid):
return self.__procs[procid].readboth()
def wait(self, procid, flags=0):
"""
Unlike the os.wait() function, the process will be available
even after ProcessManager.wait() has returned successfully,
in order for the process' output to be retrieved. Use the
reap() method for removing dead processes.
"""
return self.__procs[procid].wait(flags)
def reap(self, procid):
"""Remove a process.
If the process is still running, it is killed with no pardon.
The process will become unaccessible, and its identifier may
be reused immediately.
"""
if self.wait(procid, os.WNOHANG) is None:
self.kill(procid, signal.SIGKILL)
self.wait(procid)
del self.__procs[procid]
def reapall(self):
"""Remove all processes.
Running processes are killed without pardon.
"""
# Since reap() modifies __procs, we have to iterate over a copy
# of the keys in it. Thus, do not remove the .keys() call.
for procid in self.__procs.keys():
self.reap(procid)