1 """This module makes it easier to use other programs to process data.
3 The Process class provides the low-level interface, which you can extend
4 by subclassing. Processes run in the background, so users can still work
5 with your application while they are running. If you don't care about that,
6 you might like to look at Python's builtin popen2 module.
8 The PipeThroughCommand class extends Process to provide an easy way to
9 run other commands. It also, optionally, allows a stream of data to be fed
10 in to the process's standard input, and can collect the output to another
11 stream. Typical usage:
13 rox.processes.PipeThroughCommand(('echo', 'hello'), None, file('output', 'w')).wait()
15 This creates a new process, and execs 'echo hello' in it with output sent
16 to the file 'output' (any file-like object can be used). The wait() runs a
17 recursive mainloop, so that your application can still be used while the
18 command runs, but the wait() itself doesn't return until the command
21 Instead of using a tuple for the command, a string may be passed (eg, "echo
22 hello"). In this case, the shell is used to interpret the command, allowing
23 pipes, wildcards and so on. Be very careful of escaping in this case (think
24 about filenames containing spaces, quotes, apostrophes, etc).
27 from rox
import g
, saving
32 def _keep_on_exec(fd
): fcntl
.fcntl(fd
, fcntl
.F_SETFD
, 0)
34 class ChildError(Exception):
35 "Raised when the child process reports an error."
36 def __init__(self
, message
):
37 Exception.__init
__(self
, message
)
39 class ChildKilled(ChildError
):
40 "Raised when child died due to a call to the kill method."
42 ChildError
.__init
__(self
, "Operation aborted at user's request")
45 """This represents another process. You should subclass this
46 and override the various methods. Use this when you want to
47 run another process in the background, but still be able to
48 communicate with it."""
53 """Create the subprocess. Calls pre_fork() and forks.
54 The parent then calls parent_post_fork() and returns,
55 while the child calls child_post_fork() and then
58 assert self
.child
is None
60 stderr_r
= stderr_w
= None
64 stderr_r
, stderr_w
= os
.pipe()
67 if stderr_r
: os
.close(stderr_r
)
68 if stderr_w
: os
.close(stderr_w
)
73 # This is the child process
76 os
.setpgid(0, 0) # Start a new process group
83 self
.child_post_fork()
85 raise Exception('child_run() returned!')
95 # This is the parent process
97 self
.err_from_child
= stderr_r
100 if not hasattr(gobject
, 'io_add_watch'):
101 self
.tag
= g
.input_add_full(self
.err_from_child
,
102 g
.gdk
.INPUT_READ
, self
._got
_errors
)
104 self
.tag
= gobject
.io_add_watch(self
.err_from_child
,
105 gobject
.IO_IN | gobject
.IO_HUP | gobject
.IO_ERR
,
108 self
.parent_post_fork()
111 """This is called in 'start' just before forking into
112 two processes. If you want to share a resource between
113 both processes (eg, a pipe), create it here.
114 Default method does nothing."""
116 def parent_post_fork(self
):
117 """This is called in the parent after forking. Free the
118 child part of any resources allocated in pre_fork().
119 Also called if the fork or pre_fork() fails.
120 Default method does nothing."""
122 def child_post_fork(self
):
123 """Called in the child after forking. Release the parent
124 part of any resources allocated in pre_fork().
125 Also called (in the parent) if the fork or pre_fork()
126 fails. Default method does nothing."""
128 def start_error(self
):
129 """An error occurred before or during the fork (possibly
130 in pre_fork(). Clean up. Default method calls
131 parent_post_fork() and child_post_fork(). On returning,
132 the original exception will be raised."""
133 self
.parent_post_fork()
134 self
.child_post_fork()
137 """Called in the child process (after child_post_fork()).
138 Do whatever processing is required (perhaps exec another
139 process). If you don't exec, call os._exit(n) when done.
140 DO NOT make gtk calls in the child process, as it shares its
141 parent's connection to the X server until you exec()."""
144 def kill(self
, sig
= signal
.SIGTERM
):
145 """Send a signal to all processes in the child's process
146 group. The default, SIGTERM, requests all the processes
147 terminate. SIGKILL is more forceful."""
148 assert self
.child
is not None
149 os
.kill(-self
.child
, sig
)
151 def got_error_output(self
, data
):
152 """Read some characters from the child's stderr stream.
153 The default method copies to our stderr. Note that 'data'
154 isn't necessarily a complete line; it could be a single
155 character, or several lines, etc."""
156 sys
.stderr
.write(data
)
158 def _got_errors(self
, source
, cond
):
159 got
= os
.read(self
.err_from_child
, 100)
161 self
.got_error_output(got
)
164 os
.close(self
.err_from_child
)
165 g
.input_remove(self
.tag
)
168 pid
, status
= os
.waitpid(self
.child
, 0)
170 self
.child_died(status
)
172 def child_died(self
, status
):
173 """Called when the child died (actually, when the child
174 closes its end of the stderr pipe). The child process has
175 already been reaped at this point; 'status' is the status
176 returned by os.waitpid."""
178 class PipeThroughCommand(Process
):
179 def __init__(self
, command
, src
, dst
):
180 """Execute 'command' with src as stdin and writing to stream
181 dst. If either stream is not a fileno() stream, temporary files
182 will be used as required.
183 Either stream may be None if input or output is not required.
184 Call the wait() method to wait for the command to finish.
185 'command' may be a string (passed to os.system) or a list (os.execvp).
188 if src
is not None and not hasattr(src
, 'fileno'):
192 shutil
.copyfileobj(src
, new
)
195 Process
.__init
__(self
)
197 self
.command
= command
200 self
.tmp_stream
= None
206 self
.done
= False # bool or exception
210 # Output to 'dst' directly if it's a fileno stream. Otherwise,
211 # send output to a temporary file.
212 assert self
.tmp_stream
is None
215 if hasattr(self
.dst
, 'fileno'):
217 self
.tmp_stream
= self
.dst
219 self
.tmp_stream
= _Tmp()
221 def start_error(self
):
222 self
.tmp_stream
= None
228 os
.dup2(src
.fileno(), 0)
230 os
.lseek(0, 0, 0) # OpenBSD needs this, dunno why
232 os
.dup2(self
.tmp_stream
.fileno(), 1)
235 # (basestr is python2.3 only)
236 if isinstance(self
.command
, str):
237 if os
.system(self
.command
) == 0:
238 os
._exit
(0) # No error code or signal
240 os
.execvp(self
.command
[0], self
.command
)
243 def parent_post_fork(self
):
244 if self
.dst
and self
.tmp_stream
is self
.dst
:
245 self
.tmp_stream
= None
247 def got_error_output(self
, data
):
250 def check_errors(self
, errors
, status
):
251 """Raise an exception here if errors (the string the child process wrote to stderr) or
252 status (the status from waitpid) seems to warrent it. It will be returned by wait()."""
254 raise ChildError("Errors from command '%s':\n%s" % (str(self
.command
), errors
))
255 raise ChildError("Command '%s' returned an error code (%d)!" % (str(self
.command
), status
))
257 def child_died(self
, status
):
258 errors
= self
.errors
.strip()
261 self
.done
= ChildKilled()
262 elif errors
or status
:
264 self
.check_errors(errors
, status
)
271 assert self
.done
is True or isinstance(self
.done
, Exception)
273 if self
.done
is True:
275 # If dst wasn't a fileno stream, copy from the temp file to it
277 self
.tmp_stream
.seek(0)
278 self
.dst
.write(self
.tmp_stream
.read())
280 self
.tmp_stream
= None
288 """Run a recursive mainloop until the command terminates.
289 Raises an exception on error."""
290 if self
.child
is None:
295 if self
.done
is not True:
302 def _Tmp(mode
= 'w+b', suffix
= '-tmp'):
303 "Create a seekable, randomly named temp file (deleted automatically after use)."
306 return tempfile
.NamedTemporaryFile(mode
, suffix
= suffix
)
308 # python2.2 doesn't have NamedTemporaryFile...
312 name
= tempfile
.mktemp(`random
.randint(1, 1000000)`
+ suffix
)
314 fd
= os
.open(name
, os
.O_RDWR|os
.O_CREAT|os
.O_EXCL
, 0700)
315 tmp
= tempfile
.TemporaryFileWrapper(os
.fdopen(fd
, mode
), name
)
321 "Check that this module works."
324 error
= sys
.exc_info()[1]
325 print "(error reported was '%s')" % error
327 def pipe_through_command(command
, src
, dst
): PipeThroughCommand(command
, src
, dst
).wait()
329 print "Test _Tmp()..."
335 os
.write(file.fileno(), 'World')
338 assert file.read() == 'Hello World'
340 print "Test pipe_through_command():"
342 print "Try an invalid command..."
344 pipe_through_command('bad_command_1234', None, None)
351 print "Try a valid command..."
352 pipe_through_command('exit 0', None, None)
354 print "Writing to a non-fileno stream..."
355 from cStringIO
import StringIO
357 pipe_through_command('echo Hello', None, a
)
358 assert a
.getvalue() == 'Hello\n'
360 print "Try with args..."
362 pipe_through_command(('echo', 'Hello'), None, a
)
363 assert a
.getvalue() == 'Hello\n'
365 print "Reading from a stream to a StringIO..."
366 file.seek(1) # (ignored)
367 pipe_through_command('cat', file, a
)
368 assert a
.getvalue() == 'Hello\nHello World'
370 print "Writing to a fileno stream..."
373 pipe_through_command('echo Foo', None, file)
375 assert file.read() == 'Foo\n'
377 print "Read and write fileno streams..."
383 pipe_through_command('cat', src
, file)
385 assert file.read() == '123'
387 print "Detect non-zero exit value..."
389 pipe_through_command('exit 1', None, None)
395 print "Detect writes to stderr..."
397 pipe_through_command('echo one >&2; sleep 2; echo two >&2', None, None)
403 print "Check tmp file is deleted..."
405 assert os
.path
.exists(name
)
407 assert not os
.path
.exists(name
)
409 print "Check we can kill a runaway proces..."
410 ptc
= PipeThroughCommand('sleep 100; exit 1', None, None)
413 g
.timeout_add(2000, stop
)
420 print "All tests passed!"
422 if __name__
== '__main__':