home *** CD-ROM | disk | FTP | other *** search
/ Freelog 116 / FreelogNo116-JuilletSeptembre2013.iso / Bureautique / gImageReader / gimagereader_0.9-1_win32.exe / bin / subprocess.pyc (.txt) < prev    next >
Python Compiled Bytecode  |  2011-03-24  |  38KB  |  1,271 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyc (Python 2.7)
  3.  
  4. '''subprocess - Subprocesses with accessible I/O streams
  5.  
  6. This module allows you to spawn processes, connect to their
  7. input/output/error pipes, and obtain their return codes.  This module
  8. intends to replace several other, older modules and functions, like:
  9.  
  10. os.system
  11. os.spawn*
  12. os.popen*
  13. popen2.*
  14. commands.*
  15.  
  16. Information about how the subprocess module can be used to replace these
  17. modules and functions can be found below.
  18.  
  19.  
  20.  
  21. Using the subprocess module
  22. ===========================
  23. This module defines one class called Popen:
  24.  
  25. class Popen(args, bufsize=0, executable=None,
  26.             stdin=None, stdout=None, stderr=None,
  27.             preexec_fn=None, close_fds=False, shell=False,
  28.             cwd=None, env=None, universal_newlines=False,
  29.             startupinfo=None, creationflags=0):
  30.  
  31.  
  32. Arguments are:
  33.  
  34. args should be a string, or a sequence of program arguments.  The
  35. program to execute is normally the first item in the args sequence or
  36. string, but can be explicitly set by using the executable argument.
  37.  
  38. On UNIX, with shell=False (default): In this case, the Popen class
  39. uses os.execvp() to execute the child program.  args should normally
  40. be a sequence.  A string will be treated as a sequence with the string
  41. as the only item (the program to execute).
  42.  
  43. On UNIX, with shell=True: If args is a string, it specifies the
  44. command string to execute through the shell.  If args is a sequence,
  45. the first item specifies the command string, and any additional items
  46. will be treated as additional shell arguments.
  47.  
  48. On Windows: the Popen class uses CreateProcess() to execute the child
  49. program, which operates on strings.  If args is a sequence, it will be
  50. converted to a string using the list2cmdline method.  Please note that
  51. not all MS Windows applications interpret the command line the same
  52. way: The list2cmdline is designed for applications using the same
  53. rules as the MS C runtime.
  54.  
  55. bufsize, if given, has the same meaning as the corresponding argument
  56. to the built-in open() function: 0 means unbuffered, 1 means line
  57. buffered, any other positive value means use a buffer of
  58. (approximately) that size.  A negative bufsize means to use the system
  59. default, which usually means fully buffered.  The default value for
  60. bufsize is 0 (unbuffered).
  61.  
  62. stdin, stdout and stderr specify the executed programs\' standard
  63. input, standard output and standard error file handles, respectively.
  64. Valid values are PIPE, an existing file descriptor (a positive
  65. integer), an existing file object, and None.  PIPE indicates that a
  66. new pipe to the child should be created.  With None, no redirection
  67. will occur; the child\'s file handles will be inherited from the
  68. parent.  Additionally, stderr can be STDOUT, which indicates that the
  69. stderr data from the applications should be captured into the same
  70. file handle as for stdout.
  71.  
  72. If preexec_fn is set to a callable object, this object will be called
  73. in the child process just before the child is executed.
  74.  
  75. If close_fds is true, all file descriptors except 0, 1 and 2 will be
  76. closed before the child process is executed.
  77.  
  78. if shell is true, the specified command will be executed through the
  79. shell.
  80.  
  81. If cwd is not None, the current directory will be changed to cwd
  82. before the child is executed.
  83.  
  84. If env is not None, it defines the environment variables for the new
  85. process.
  86.  
  87. If universal_newlines is true, the file objects stdout and stderr are
  88. opened as a text files, but lines may be terminated by any of \'\\n\',
  89. the Unix end-of-line convention, \'\\r\', the Macintosh convention or
  90. \'\\r\\n\', the Windows convention.  All of these external representations
  91. are seen as \'\\n\' by the Python program.  Note: This feature is only
  92. available if Python is built with universal newline support (the
  93. default).  Also, the newlines attribute of the file objects stdout,
  94. stdin and stderr are not updated by the communicate() method.
  95.  
  96. The startupinfo and creationflags, if given, will be passed to the
  97. underlying CreateProcess() function.  They can specify things such as
  98. appearance of the main window and priority for the new process.
  99. (Windows only)
  100.  
  101.  
  102. This module also defines some shortcut functions:
  103.  
  104. call(*popenargs, **kwargs):
  105.     Run command with arguments.  Wait for command to complete, then
  106.     return the returncode attribute.
  107.  
  108.     The arguments are the same as for the Popen constructor.  Example:
  109.  
  110.     retcode = call(["ls", "-l"])
  111.  
  112. check_call(*popenargs, **kwargs):
  113.     Run command with arguments.  Wait for command to complete.  If the
  114.     exit code was zero then return, otherwise raise
  115.     CalledProcessError.  The CalledProcessError object will have the
  116.     return code in the returncode attribute.
  117.  
  118.     The arguments are the same as for the Popen constructor.  Example:
  119.  
  120.     check_call(["ls", "-l"])
  121.  
  122. check_output(*popenargs, **kwargs):
  123.     Run command with arguments and return its output as a byte string.
  124.  
  125.     If the exit code was non-zero it raises a CalledProcessError.  The
  126.     CalledProcessError object will have the return code in the returncode
  127.     attribute and output in the output attribute.
  128.  
  129.     The arguments are the same as for the Popen constructor.  Example:
  130.  
  131.     output = check_output(["ls", "-l", "/dev/null"])
  132.  
  133.  
  134. Exceptions
  135. ----------
  136. Exceptions raised in the child process, before the new program has
  137. started to execute, will be re-raised in the parent.  Additionally,
  138. the exception object will have one extra attribute called
  139. \'child_traceback\', which is a string containing traceback information
  140. from the childs point of view.
  141.  
  142. The most common exception raised is OSError.  This occurs, for
  143. example, when trying to execute a non-existent file.  Applications
  144. should prepare for OSErrors.
  145.  
  146. A ValueError will be raised if Popen is called with invalid arguments.
  147.  
  148. check_call() and check_output() will raise CalledProcessError, if the
  149. called process returns a non-zero return code.
  150.  
  151.  
  152. Security
  153. --------
  154. Unlike some other popen functions, this implementation will never call
  155. /bin/sh implicitly.  This means that all characters, including shell
  156. metacharacters, can safely be passed to child processes.
  157.  
  158.  
  159. Popen objects
  160. =============
  161. Instances of the Popen class have the following methods:
  162.  
  163. poll()
  164.     Check if child process has terminated.  Returns returncode
  165.     attribute.
  166.  
  167. wait()
  168.     Wait for child process to terminate.  Returns returncode attribute.
  169.  
  170. communicate(input=None)
  171.     Interact with process: Send data to stdin.  Read data from stdout
  172.     and stderr, until end-of-file is reached.  Wait for process to
  173.     terminate.  The optional input argument should be a string to be
  174.     sent to the child process, or None, if no data should be sent to
  175.     the child.
  176.  
  177.     communicate() returns a tuple (stdout, stderr).
  178.  
  179.     Note: The data read is buffered in memory, so do not use this
  180.     method if the data size is large or unlimited.
  181.  
  182. The following attributes are also available:
  183.  
  184. stdin
  185.     If the stdin argument is PIPE, this attribute is a file object
  186.     that provides input to the child process.  Otherwise, it is None.
  187.  
  188. stdout
  189.     If the stdout argument is PIPE, this attribute is a file object
  190.     that provides output from the child process.  Otherwise, it is
  191.     None.
  192.  
  193. stderr
  194.     If the stderr argument is PIPE, this attribute is file object that
  195.     provides error output from the child process.  Otherwise, it is
  196.     None.
  197.  
  198. pid
  199.     The process ID of the child process.
  200.  
  201. returncode
  202.     The child return code.  A None value indicates that the process
  203.     hasn\'t terminated yet.  A negative value -N indicates that the
  204.     child was terminated by signal N (UNIX only).
  205.  
  206.  
  207. Replacing older functions with the subprocess module
  208. ====================================================
  209. In this section, "a ==> b" means that b can be used as a replacement
  210. for a.
  211.  
  212. Note: All functions in this section fail (more or less) silently if
  213. the executed program cannot be found; this module raises an OSError
  214. exception.
  215.  
  216. In the following examples, we assume that the subprocess module is
  217. imported with "from subprocess import *".
  218.  
  219.  
  220. Replacing /bin/sh shell backquote
  221. ---------------------------------
  222. output=`mycmd myarg`
  223. ==>
  224. output = Popen(["mycmd", "myarg"], stdout=PIPE).communicate()[0]
  225.  
  226.  
  227. Replacing shell pipe line
  228. -------------------------
  229. output=`dmesg | grep hda`
  230. ==>
  231. p1 = Popen(["dmesg"], stdout=PIPE)
  232. p2 = Popen(["grep", "hda"], stdin=p1.stdout, stdout=PIPE)
  233. output = p2.communicate()[0]
  234.  
  235.  
  236. Replacing os.system()
  237. ---------------------
  238. sts = os.system("mycmd" + " myarg")
  239. ==>
  240. p = Popen("mycmd" + " myarg", shell=True)
  241. pid, sts = os.waitpid(p.pid, 0)
  242.  
  243. Note:
  244.  
  245. * Calling the program through the shell is usually not required.
  246.  
  247. * It\'s easier to look at the returncode attribute than the
  248.   exitstatus.
  249.  
  250. A more real-world example would look like this:
  251.  
  252. try:
  253.     retcode = call("mycmd" + " myarg", shell=True)
  254.     if retcode < 0:
  255.         print >>sys.stderr, "Child was terminated by signal", -retcode
  256.     else:
  257.         print >>sys.stderr, "Child returned", retcode
  258. except OSError, e:
  259.     print >>sys.stderr, "Execution failed:", e
  260.  
  261.  
  262. Replacing os.spawn*
  263. -------------------
  264. P_NOWAIT example:
  265.  
  266. pid = os.spawnlp(os.P_NOWAIT, "/bin/mycmd", "mycmd", "myarg")
  267. ==>
  268. pid = Popen(["/bin/mycmd", "myarg"]).pid
  269.  
  270.  
  271. P_WAIT example:
  272.  
  273. retcode = os.spawnlp(os.P_WAIT, "/bin/mycmd", "mycmd", "myarg")
  274. ==>
  275. retcode = call(["/bin/mycmd", "myarg"])
  276.  
  277.  
  278. Vector example:
  279.  
  280. os.spawnvp(os.P_NOWAIT, path, args)
  281. ==>
  282. Popen([path] + args[1:])
  283.  
  284.  
  285. Environment example:
  286.  
  287. os.spawnlpe(os.P_NOWAIT, "/bin/mycmd", "mycmd", "myarg", env)
  288. ==>
  289. Popen(["/bin/mycmd", "myarg"], env={"PATH": "/usr/bin"})
  290.  
  291.  
  292. Replacing os.popen*
  293. -------------------
  294. pipe = os.popen("cmd", mode=\'r\', bufsize)
  295. ==>
  296. pipe = Popen("cmd", shell=True, bufsize=bufsize, stdout=PIPE).stdout
  297.  
  298. pipe = os.popen("cmd", mode=\'w\', bufsize)
  299. ==>
  300. pipe = Popen("cmd", shell=True, bufsize=bufsize, stdin=PIPE).stdin
  301.  
  302.  
  303. (child_stdin, child_stdout) = os.popen2("cmd", mode, bufsize)
  304. ==>
  305. p = Popen("cmd", shell=True, bufsize=bufsize,
  306.           stdin=PIPE, stdout=PIPE, close_fds=True)
  307. (child_stdin, child_stdout) = (p.stdin, p.stdout)
  308.  
  309.  
  310. (child_stdin,
  311.  child_stdout,
  312.  child_stderr) = os.popen3("cmd", mode, bufsize)
  313. ==>
  314. p = Popen("cmd", shell=True, bufsize=bufsize,
  315.           stdin=PIPE, stdout=PIPE, stderr=PIPE, close_fds=True)
  316. (child_stdin,
  317.  child_stdout,
  318.  child_stderr) = (p.stdin, p.stdout, p.stderr)
  319.  
  320.  
  321. (child_stdin, child_stdout_and_stderr) = os.popen4("cmd", mode,
  322.                                                    bufsize)
  323. ==>
  324. p = Popen("cmd", shell=True, bufsize=bufsize,
  325.           stdin=PIPE, stdout=PIPE, stderr=STDOUT, close_fds=True)
  326. (child_stdin, child_stdout_and_stderr) = (p.stdin, p.stdout)
  327.  
  328. On Unix, os.popen2, os.popen3 and os.popen4 also accept a sequence as
  329. the command to execute, in which case arguments will be passed
  330. directly to the program without shell intervention.  This usage can be
  331. replaced as follows:
  332.  
  333. (child_stdin, child_stdout) = os.popen2(["/bin/ls", "-l"], mode,
  334.                                         bufsize)
  335. ==>
  336. p = Popen(["/bin/ls", "-l"], bufsize=bufsize, stdin=PIPE, stdout=PIPE)
  337. (child_stdin, child_stdout) = (p.stdin, p.stdout)
  338.  
  339. Return code handling translates as follows:
  340.  
  341. pipe = os.popen("cmd", \'w\')
  342. ...
  343. rc = pipe.close()
  344. if rc is not None and rc % 256:
  345.     print "There were some errors"
  346. ==>
  347. process = Popen("cmd", \'w\', shell=True, stdin=PIPE)
  348. ...
  349. process.stdin.close()
  350. if process.wait() != 0:
  351.     print "There were some errors"
  352.  
  353.  
  354. Replacing popen2.*
  355. ------------------
  356. (child_stdout, child_stdin) = popen2.popen2("somestring", bufsize, mode)
  357. ==>
  358. p = Popen(["somestring"], shell=True, bufsize=bufsize
  359.           stdin=PIPE, stdout=PIPE, close_fds=True)
  360. (child_stdout, child_stdin) = (p.stdout, p.stdin)
  361.  
  362. On Unix, popen2 also accepts a sequence as the command to execute, in
  363. which case arguments will be passed directly to the program without
  364. shell intervention.  This usage can be replaced as follows:
  365.  
  366. (child_stdout, child_stdin) = popen2.popen2(["mycmd", "myarg"], bufsize,
  367.                                             mode)
  368. ==>
  369. p = Popen(["mycmd", "myarg"], bufsize=bufsize,
  370.           stdin=PIPE, stdout=PIPE, close_fds=True)
  371. (child_stdout, child_stdin) = (p.stdout, p.stdin)
  372.  
  373. The popen2.Popen3 and popen2.Popen4 basically works as subprocess.Popen,
  374. except that:
  375.  
  376. * subprocess.Popen raises an exception if the execution fails
  377. * the capturestderr argument is replaced with the stderr argument.
  378. * stdin=PIPE and stdout=PIPE must be specified.
  379. * popen2 closes all filedescriptors by default, but you have to specify
  380.   close_fds=True with subprocess.Popen.
  381. '''
  382. import sys
  383. mswindows = sys.platform == 'win32'
  384. import os
  385. import types
  386. import traceback
  387. import gc
  388. import signal
  389.  
  390. class CalledProcessError(Exception):
  391.     '''This exception is raised when a process run by check_call() or
  392.     check_output() returns a non-zero exit status.
  393.     The exit status will be stored in the returncode attribute;
  394.     check_output() will also store the output in the output attribute.
  395.     '''
  396.     
  397.     def __init__(self, returncode, cmd, output = None):
  398.         self.returncode = returncode
  399.         self.cmd = cmd
  400.         self.output = output
  401.  
  402.     
  403.     def __str__(self):
  404.         return "Command '%s' returned non-zero exit status %d" % (self.cmd, self.returncode)
  405.  
  406.  
  407. if mswindows:
  408.     import threading
  409.     import msvcrt
  410.     import _subprocess
  411.     
  412.     class STARTUPINFO:
  413.         dwFlags = 0
  414.         hStdInput = None
  415.         hStdOutput = None
  416.         hStdError = None
  417.         wShowWindow = 0
  418.  
  419.     
  420.     class pywintypes:
  421.         error = IOError
  422.  
  423. else:
  424.     import select
  425.     _has_poll = hasattr(select, 'poll')
  426.     import errno
  427.     import fcntl
  428.     import pickle
  429.     _PIPE_BUF = getattr(select, 'PIPE_BUF', 512)
  430. __all__ = [
  431.     'Popen',
  432.     'PIPE',
  433.     'STDOUT',
  434.     'call',
  435.     'check_call',
  436.     'check_output',
  437.     'CalledProcessError']
  438. if mswindows:
  439.     from _subprocess import CREATE_NEW_CONSOLE, CREATE_NEW_PROCESS_GROUP
  440.     __all__.extend([
  441.         'CREATE_NEW_CONSOLE',
  442.         'CREATE_NEW_PROCESS_GROUP'])
  443.  
  444. try:
  445.     MAXFD = os.sysconf('SC_OPEN_MAX')
  446. except:
  447.     MAXFD = 256
  448.  
  449. _active = []
  450.  
  451. def _cleanup():
  452.     for inst in _active[:]:
  453.         res = inst._internal_poll(_deadstate = sys.maxint)
  454.         if res is not None and res >= 0:
  455.             
  456.             try:
  457.                 _active.remove(inst)
  458.             except ValueError:
  459.                 pass
  460.             
  461.  
  462.  
  463. PIPE = -1
  464. STDOUT = -2
  465.  
  466. def _eintr_retry_call(func, *args):
  467.     while True:
  468.         
  469.         try:
  470.             return func(*args)
  471.         continue
  472.         except OSError:
  473.             e = None
  474.             if e.errno == errno.EINTR:
  475.                 continue
  476.             raise 
  477.             continue
  478.         
  479.  
  480.  
  481.  
  482. def call(*popenargs, **kwargs):
  483.     '''Run command with arguments.  Wait for command to complete, then
  484.     return the returncode attribute.
  485.  
  486.     The arguments are the same as for the Popen constructor.  Example:
  487.  
  488.     retcode = call(["ls", "-l"])
  489.     '''
  490.     return Popen(*popenargs, **kwargs).wait()
  491.  
  492.  
  493. def check_call(*popenargs, **kwargs):
  494.     '''Run command with arguments.  Wait for command to complete.  If
  495.     the exit code was zero then return, otherwise raise
  496.     CalledProcessError.  The CalledProcessError object will have the
  497.     return code in the returncode attribute.
  498.  
  499.     The arguments are the same as for the Popen constructor.  Example:
  500.  
  501.     check_call(["ls", "-l"])
  502.     '''
  503.     retcode = call(*popenargs, **kwargs)
  504.     if retcode:
  505.         cmd = kwargs.get('args')
  506.         if cmd is None:
  507.             cmd = popenargs[0]
  508.         raise CalledProcessError(retcode, cmd)
  509.     return 0
  510.  
  511.  
  512. def check_output(*popenargs, **kwargs):
  513.     '''Run command with arguments and return its output as a byte string.
  514.  
  515.     If the exit code was non-zero it raises a CalledProcessError.  The
  516.     CalledProcessError object will have the return code in the returncode
  517.     attribute and output in the output attribute.
  518.  
  519.     The arguments are the same as for the Popen constructor.  Example:
  520.  
  521.     >>> check_output(["ls", "-l", "/dev/null"])
  522.     \'crw-rw-rw- 1 root root 1, 3 Oct 18  2007 /dev/null\\n\'
  523.  
  524.     The stdout argument is not allowed as it is used internally.
  525.     To capture standard error in the result, use stderr=STDOUT.
  526.  
  527.     >>> check_output(["/bin/sh", "-c",
  528.     ...               "ls -l non_existent_file ; exit 0"],
  529.     ...              stderr=STDOUT)
  530.     \'ls: non_existent_file: No such file or directory\\n\'
  531.     '''
  532.     if 'stdout' in kwargs:
  533.         raise ValueError('stdout argument not allowed, it will be overridden.')
  534.     process = Popen(stdout = PIPE, *popenargs, **kwargs)
  535.     (output, unused_err) = process.communicate()
  536.     retcode = process.poll()
  537.     if retcode:
  538.         cmd = kwargs.get('args')
  539.         if cmd is None:
  540.             cmd = popenargs[0]
  541.         raise CalledProcessError(retcode, cmd, output = output)
  542.     return output
  543.  
  544.  
  545. def list2cmdline(seq):
  546.     '''
  547.     Translate a sequence of arguments into a command line
  548.     string, using the same rules as the MS C runtime:
  549.  
  550.     1) Arguments are delimited by white space, which is either a
  551.        space or a tab.
  552.  
  553.     2) A string surrounded by double quotation marks is
  554.        interpreted as a single argument, regardless of white space
  555.        contained within.  A quoted string can be embedded in an
  556.        argument.
  557.  
  558.     3) A double quotation mark preceded by a backslash is
  559.        interpreted as a literal double quotation mark.
  560.  
  561.     4) Backslashes are interpreted literally, unless they
  562.        immediately precede a double quotation mark.
  563.  
  564.     5) If backslashes immediately precede a double quotation mark,
  565.        every pair of backslashes is interpreted as a literal
  566.        backslash.  If the number of backslashes is odd, the last
  567.        backslash escapes the next double quotation mark as
  568.        described in rule 3.
  569.     '''
  570.     result = []
  571.     needquote = False
  572.     for arg in seq:
  573.         bs_buf = []
  574.         needquote = None if result else not arg
  575.         if needquote:
  576.             result.append('"')
  577.         for c in arg:
  578.             if c == '\\':
  579.                 bs_buf.append(c)
  580.                 continue
  581.             if c == '"':
  582.                 result.append('\\' * len(bs_buf) * 2)
  583.                 bs_buf = []
  584.                 result.append('\\"')
  585.                 continue
  586.             if bs_buf:
  587.                 result.extend(bs_buf)
  588.                 bs_buf = []
  589.             result.append(c)
  590.         
  591.         if bs_buf:
  592.             result.extend(bs_buf)
  593.         if needquote:
  594.             result.extend(bs_buf)
  595.             result.append('"')
  596.             continue
  597.     return ''.join(result)
  598.  
  599.  
  600. class Popen(object):
  601.     
  602.     def __init__(self, args, bufsize = 0, executable = None, stdin = None, stdout = None, stderr = None, preexec_fn = None, close_fds = False, shell = False, cwd = None, env = None, universal_newlines = False, startupinfo = None, creationflags = 0):
  603.         '''Create new Popen instance.'''
  604.         _cleanup()
  605.         self._child_created = False
  606.         if not isinstance(bufsize, (int, long)):
  607.             raise TypeError('bufsize must be an integer')
  608.         if mswindows:
  609.             if preexec_fn is not None:
  610.                 raise ValueError('preexec_fn is not supported on Windows platforms')
  611.             if close_fds:
  612.                 if stdin is not None and stdout is not None or stderr is not None:
  613.                     raise ValueError('close_fds is not supported on Windows platforms if you redirect stdin/stdout/stderr')
  614.             elif startupinfo is not None:
  615.                 raise ValueError('startupinfo is only supported on Windows platforms')
  616.             if creationflags != 0:
  617.                 raise ValueError('creationflags is only supported on Windows platforms')
  618.             self.stdin = None
  619.             self.stdout = None
  620.             self.stderr = None
  621.             self.pid = None
  622.             self.returncode = None
  623.             self.universal_newlines = universal_newlines
  624.             (p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite) = self._get_handles(stdin, stdout, stderr)
  625.             self._execute_child(args, executable, preexec_fn, close_fds, cwd, env, universal_newlines, startupinfo, creationflags, shell, p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite)
  626.             if mswindows:
  627.                 if p2cwrite is not None:
  628.                     p2cwrite = msvcrt.open_osfhandle(p2cwrite.Detach(), 0)
  629.                 if c2pread is not None:
  630.                     c2pread = msvcrt.open_osfhandle(c2pread.Detach(), 0)
  631.                 if errread is not None:
  632.                     errread = msvcrt.open_osfhandle(errread.Detach(), 0)
  633.                 
  634.             if p2cwrite is not None:
  635.                 self.stdin = os.fdopen(p2cwrite, 'wb', bufsize)
  636.             if c2pread is not None:
  637.                 if universal_newlines:
  638.                     self.stdout = os.fdopen(c2pread, 'rU', bufsize)
  639.                 else:
  640.                     self.stdout = os.fdopen(c2pread, 'rb', bufsize)
  641.             if errread is not None:
  642.                 if universal_newlines:
  643.                     self.stderr = os.fdopen(errread, 'rU', bufsize)
  644.                 else:
  645.                     self.stderr = os.fdopen(errread, 'rb', bufsize)
  646.             return None
  647.  
  648.     
  649.     def _translate_newlines(self, data):
  650.         data = data.replace('\r\n', '\n')
  651.         data = data.replace('\r', '\n')
  652.         return data
  653.  
  654.     
  655.     def __del__(self, _maxint = sys.maxint, _active = _active):
  656.         if not self._child_created:
  657.             return None
  658.         None._internal_poll(_deadstate = _maxint)
  659.         if self.returncode is None and _active is not None:
  660.             _active.append(self)
  661.  
  662.     
  663.     def communicate(self, input = None):
  664.         '''Interact with process: Send data to stdin.  Read data from
  665.         stdout and stderr, until end-of-file is reached.  Wait for
  666.         process to terminate.  The optional input argument should be a
  667.         string to be sent to the child process, or None, if no data
  668.         should be sent to the child.
  669.  
  670.         communicate() returns a tuple (stdout, stderr).'''
  671.         if [
  672.             self.stdin,
  673.             self.stdout,
  674.             self.stderr].count(None) >= 2:
  675.             stdout = None
  676.             stderr = None
  677.             if self.stdin:
  678.                 if input:
  679.                     self.stdin.write(input)
  680.                 self.stdin.close()
  681.             elif self.stdout:
  682.                 stdout = self.stdout.read()
  683.                 self.stdout.close()
  684.             elif self.stderr:
  685.                 stderr = self.stderr.read()
  686.                 self.stderr.close()
  687.             self.wait()
  688.             return (stdout, stderr)
  689.         return None._communicate(input)
  690.  
  691.     
  692.     def poll(self):
  693.         return self._internal_poll()
  694.  
  695.     if mswindows:
  696.         
  697.         def _get_handles(self, stdin, stdout, stderr):
  698.             '''Construct and return tuple with IO objects:
  699.             p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite
  700.             '''
  701.             if stdin is None and stdout is None and stderr is None:
  702.                 return (None, None, None, None, None, None)
  703.             (p2cread, p2cwrite) = None
  704.             (c2pread, c2pwrite) = (None, None)
  705.             (errread, errwrite) = (None, None)
  706.             if stdin is None:
  707.                 p2cread = _subprocess.GetStdHandle(_subprocess.STD_INPUT_HANDLE)
  708.                 if p2cread is None:
  709.                     (p2cread, _) = _subprocess.CreatePipe(None, 0)
  710.                 
  711.             elif stdin == PIPE:
  712.                 (p2cread, p2cwrite) = _subprocess.CreatePipe(None, 0)
  713.             elif isinstance(stdin, int):
  714.                 p2cread = msvcrt.get_osfhandle(stdin)
  715.             else:
  716.                 p2cread = msvcrt.get_osfhandle(stdin.fileno())
  717.             p2cread = self._make_inheritable(p2cread)
  718.             if stdout is None:
  719.                 c2pwrite = _subprocess.GetStdHandle(_subprocess.STD_OUTPUT_HANDLE)
  720.                 if c2pwrite is None:
  721.                     (_, c2pwrite) = _subprocess.CreatePipe(None, 0)
  722.                 
  723.             elif stdout == PIPE:
  724.                 (c2pread, c2pwrite) = _subprocess.CreatePipe(None, 0)
  725.             elif isinstance(stdout, int):
  726.                 c2pwrite = msvcrt.get_osfhandle(stdout)
  727.             else:
  728.                 c2pwrite = msvcrt.get_osfhandle(stdout.fileno())
  729.             c2pwrite = self._make_inheritable(c2pwrite)
  730.             if stderr is None:
  731.                 errwrite = _subprocess.GetStdHandle(_subprocess.STD_ERROR_HANDLE)
  732.                 if errwrite is None:
  733.                     (_, errwrite) = _subprocess.CreatePipe(None, 0)
  734.                 
  735.             elif stderr == PIPE:
  736.                 (errread, errwrite) = _subprocess.CreatePipe(None, 0)
  737.             elif stderr == STDOUT:
  738.                 errwrite = c2pwrite
  739.             elif isinstance(stderr, int):
  740.                 errwrite = msvcrt.get_osfhandle(stderr)
  741.             else:
  742.                 errwrite = msvcrt.get_osfhandle(stderr.fileno())
  743.             errwrite = self._make_inheritable(errwrite)
  744.             return (p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite)
  745.  
  746.         
  747.         def _make_inheritable(self, handle):
  748.             '''Return a duplicate of handle, which is inheritable'''
  749.             return _subprocess.DuplicateHandle(_subprocess.GetCurrentProcess(), handle, _subprocess.GetCurrentProcess(), 0, 1, _subprocess.DUPLICATE_SAME_ACCESS)
  750.  
  751.         
  752.         def _find_w9xpopen(self):
  753.             '''Find and return absolut path to w9xpopen.exe'''
  754.             w9xpopen = os.path.join(os.path.dirname(_subprocess.GetModuleFileName(0)), 'w9xpopen.exe')
  755.             if not os.path.exists(w9xpopen):
  756.                 w9xpopen = os.path.join(os.path.dirname(sys.exec_prefix), 'w9xpopen.exe')
  757.                 if not os.path.exists(w9xpopen):
  758.                     raise RuntimeError('Cannot locate w9xpopen.exe, which is needed for Popen to work with your shell or platform.')
  759.             return w9xpopen
  760.  
  761.         
  762.         def _execute_child(self, args, executable, preexec_fn, close_fds, cwd, env, universal_newlines, startupinfo, creationflags, shell, p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite):
  763.             '''Execute program (MS Windows version)'''
  764.             if not isinstance(args, types.StringTypes):
  765.                 args = list2cmdline(args)
  766.             if startupinfo is None:
  767.                 startupinfo = STARTUPINFO()
  768.             if None not in (p2cread, c2pwrite, errwrite):
  769.                 startupinfo.dwFlags |= _subprocess.STARTF_USESTDHANDLES
  770.                 startupinfo.hStdInput = p2cread
  771.                 startupinfo.hStdOutput = c2pwrite
  772.                 startupinfo.hStdError = errwrite
  773.             if shell:
  774.                 startupinfo.dwFlags |= _subprocess.STARTF_USESHOWWINDOW
  775.                 startupinfo.wShowWindow = _subprocess.SW_HIDE
  776.                 comspec = os.environ.get('COMSPEC', 'cmd.exe')
  777.                 args = '{} /c "{}"'.format(comspec, args)
  778.                 if _subprocess.GetVersion() >= 0x80000000L or os.path.basename(comspec).lower() == 'command.com':
  779.                     w9xpopen = self._find_w9xpopen()
  780.                     args = '"%s" %s' % (w9xpopen, args)
  781.                     creationflags |= _subprocess.CREATE_NEW_CONSOLE
  782.                 
  783.             
  784.             try:
  785.                 (hp, ht, pid, tid) = _subprocess.CreateProcess(executable, args, None, None, int(not close_fds), creationflags, env, cwd, startupinfo)
  786.             except pywintypes.error:
  787.                 startupinfo
  788.                 e = startupinfo
  789.                 startupinfo
  790.                 raise WindowsError(*e.args)
  791.             finally:
  792.                 if p2cread is not None:
  793.                     p2cread.Close()
  794.                 if c2pwrite is not None:
  795.                     c2pwrite.Close()
  796.                 if errwrite is not None:
  797.                     errwrite.Close()
  798.  
  799.             self._child_created = True
  800.             self._handle = hp
  801.             self.pid = pid
  802.             ht.Close()
  803.  
  804.         
  805.         def _internal_poll(self, _deadstate = None, _WaitForSingleObject = _subprocess.WaitForSingleObject, _WAIT_OBJECT_0 = _subprocess.WAIT_OBJECT_0, _GetExitCodeProcess = _subprocess.GetExitCodeProcess):
  806.             '''Check if child process has terminated.  Returns returncode
  807.             attribute.
  808.  
  809.             This method is called by __del__, so it can only refer to objects
  810.             in its local scope.
  811.  
  812.             '''
  813.             if self.returncode is None and _WaitForSingleObject(self._handle, 0) == _WAIT_OBJECT_0:
  814.                 self.returncode = _GetExitCodeProcess(self._handle)
  815.             
  816.             return self.returncode
  817.  
  818.         
  819.         def wait(self):
  820.             '''Wait for child process to terminate.  Returns returncode
  821.             attribute.'''
  822.             if self.returncode is None:
  823.                 _subprocess.WaitForSingleObject(self._handle, _subprocess.INFINITE)
  824.                 self.returncode = _subprocess.GetExitCodeProcess(self._handle)
  825.             return self.returncode
  826.  
  827.         
  828.         def _readerthread(self, fh, buffer):
  829.             buffer.append(fh.read())
  830.  
  831.         
  832.         def _communicate(self, input):
  833.             stdout = None
  834.             stderr = None
  835.             if self.stdout:
  836.                 stdout = []
  837.                 stdout_thread = threading.Thread(target = self._readerthread, args = (self.stdout, stdout))
  838.                 stdout_thread.setDaemon(True)
  839.                 stdout_thread.start()
  840.             if self.stderr:
  841.                 stderr = []
  842.                 stderr_thread = threading.Thread(target = self._readerthread, args = (self.stderr, stderr))
  843.                 stderr_thread.setDaemon(True)
  844.                 stderr_thread.start()
  845.             if self.stdin:
  846.                 if input is not None:
  847.                     self.stdin.write(input)
  848.                 self.stdin.close()
  849.             if self.stdout:
  850.                 stdout_thread.join()
  851.             if self.stderr:
  852.                 stderr_thread.join()
  853.             if stdout is not None:
  854.                 stdout = stdout[0]
  855.             if stderr is not None:
  856.                 stderr = stderr[0]
  857.             if self.universal_newlines and hasattr(file, 'newlines'):
  858.                 if stdout:
  859.                     stdout = self._translate_newlines(stdout)
  860.                 if stderr:
  861.                     stderr = self._translate_newlines(stderr)
  862.                 
  863.             self.wait()
  864.             return (stdout, stderr)
  865.  
  866.         
  867.         def send_signal(self, sig):
  868.             '''Send a signal to the process
  869.             '''
  870.             if sig == signal.SIGTERM:
  871.                 self.terminate()
  872.             elif sig == signal.CTRL_C_EVENT:
  873.                 os.kill(self.pid, signal.CTRL_C_EVENT)
  874.             elif sig == signal.CTRL_BREAK_EVENT:
  875.                 os.kill(self.pid, signal.CTRL_BREAK_EVENT)
  876.             else:
  877.                 raise ValueError('Unsupported signal: {}'.format(sig))
  878.  
  879.         
  880.         def terminate(self):
  881.             '''Terminates the process
  882.             '''
  883.             _subprocess.TerminateProcess(self._handle, 1)
  884.  
  885.         kill = terminate
  886.     else:
  887.         
  888.         def _get_handles(self, stdin, stdout, stderr):
  889.             '''Construct and return tuple with IO objects:
  890.             p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite
  891.             '''
  892.             (p2cread, p2cwrite) = (None, None)
  893.             (c2pread, c2pwrite) = (None, None)
  894.             (errread, errwrite) = (None, None)
  895.             if stdin is None:
  896.                 pass
  897.             elif stdin == PIPE:
  898.                 (p2cread, p2cwrite) = os.pipe()
  899.             elif isinstance(stdin, int):
  900.                 p2cread = stdin
  901.             else:
  902.                 p2cread = stdin.fileno()
  903.             if stdout is None:
  904.                 pass
  905.             elif stdout == PIPE:
  906.                 (c2pread, c2pwrite) = os.pipe()
  907.             elif isinstance(stdout, int):
  908.                 c2pwrite = stdout
  909.             else:
  910.                 c2pwrite = stdout.fileno()
  911.             if stderr is None:
  912.                 pass
  913.             elif stderr == PIPE:
  914.                 (errread, errwrite) = os.pipe()
  915.             elif stderr == STDOUT:
  916.                 errwrite = c2pwrite
  917.             elif isinstance(stderr, int):
  918.                 errwrite = stderr
  919.             else:
  920.                 errwrite = stderr.fileno()
  921.             return (p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite)
  922.  
  923.         
  924.         def _set_cloexec_flag(self, fd):
  925.             
  926.             try:
  927.                 cloexec_flag = fcntl.FD_CLOEXEC
  928.             except AttributeError:
  929.                 cloexec_flag = 1
  930.  
  931.             old = fcntl.fcntl(fd, fcntl.F_GETFD)
  932.             fcntl.fcntl(fd, fcntl.F_SETFD, old | cloexec_flag)
  933.  
  934.         
  935.         def _close_fds(self, but):
  936.             if hasattr(os, 'closerange'):
  937.                 os.closerange(3, but)
  938.                 os.closerange(but + 1, MAXFD)
  939.             else:
  940.                 for i in xrange(3, MAXFD):
  941.                     if i == but:
  942.                         continue
  943.                     
  944.                     try:
  945.                         os.close(i)
  946.                     continue
  947.                     continue
  948.  
  949.                 
  950.  
  951.         
  952.         def _execute_child(self, args, executable, preexec_fn, close_fds, cwd, env, universal_newlines, startupinfo, creationflags, shell, p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite):
  953.             '''Execute program (POSIX version)'''
  954.             if isinstance(args, types.StringTypes):
  955.                 args = [
  956.                     args]
  957.             else:
  958.                 args = list(args)
  959.             if shell:
  960.                 args = [
  961.                     '/bin/sh',
  962.                     '-c'] + args
  963.                 if executable:
  964.                     args[0] = executable
  965.                 
  966.             if executable is None:
  967.                 executable = args[0]
  968.             (errpipe_read, errpipe_write) = os.pipe()
  969.             
  970.             try:
  971.                 
  972.                 try:
  973.                     self._set_cloexec_flag(errpipe_write)
  974.                     gc_was_enabled = gc.isenabled()
  975.                     gc.disable()
  976.                     
  977.                     try:
  978.                         self.pid = os.fork()
  979.                     except:
  980.                         if gc_was_enabled:
  981.                             gc.enable()
  982.                         raise 
  983.  
  984.                     self._child_created = True
  985.                     if self.pid == 0:
  986.                         
  987.                         try:
  988.                             if p2cwrite is not None:
  989.                                 os.close(p2cwrite)
  990.                             if c2pread is not None:
  991.                                 os.close(c2pread)
  992.                             if errread is not None:
  993.                                 os.close(errread)
  994.                             os.close(errpipe_read)
  995.                             if p2cread is not None:
  996.                                 os.dup2(p2cread, 0)
  997.                             if c2pwrite is not None:
  998.                                 os.dup2(c2pwrite, 1)
  999.                             if errwrite is not None:
  1000.                                 os.dup2(errwrite, 2)
  1001.                             if p2cread is not None and p2cread not in (0,):
  1002.                                 os.close(p2cread)
  1003.                             if c2pwrite is not None and c2pwrite not in (p2cread, 1):
  1004.                                 os.close(c2pwrite)
  1005.                             if errwrite is not None and errwrite not in (p2cread, c2pwrite, 2):
  1006.                                 os.close(errwrite)
  1007.                             if close_fds:
  1008.                                 self._close_fds(but = errpipe_write)
  1009.                             if cwd is not None:
  1010.                                 os.chdir(cwd)
  1011.                             if preexec_fn:
  1012.                                 preexec_fn()
  1013.                             if env is None:
  1014.                                 os.execvp(executable, args)
  1015.                             else:
  1016.                                 os.execvpe(executable, args, env)
  1017.                         except:
  1018.                             (exc_type, exc_value, tb) = sys.exc_info()
  1019.                             exc_lines = traceback.format_exception(exc_type, exc_value, tb)
  1020.                             exc_value.child_traceback = ''.join(exc_lines)
  1021.                             os.write(errpipe_write, pickle.dumps(exc_value))
  1022.  
  1023.                         os._exit(255)
  1024.                     if gc_was_enabled:
  1025.                         gc.enable()
  1026.                 finally:
  1027.                     os.close(errpipe_write)
  1028.  
  1029.                 if p2cread is not None and p2cwrite is not None:
  1030.                     os.close(p2cread)
  1031.                 if c2pwrite is not None and c2pread is not None:
  1032.                     os.close(c2pwrite)
  1033.                 if errwrite is not None and errread is not None:
  1034.                     os.close(errwrite)
  1035.                 data = _eintr_retry_call(os.read, errpipe_read, 1048576)
  1036.             finally:
  1037.                 os.close(errpipe_read)
  1038.  
  1039.             if data != '':
  1040.                 _eintr_retry_call(os.waitpid, self.pid, 0)
  1041.                 child_exception = pickle.loads(data)
  1042.                 for fd in (p2cwrite, c2pread, errread):
  1043.                     if fd is not None:
  1044.                         os.close(fd)
  1045.                         continue
  1046.                 raise child_exception
  1047.  
  1048.         
  1049.         def _handle_exitstatus(self, sts, _WIFSIGNALED = os.WIFSIGNALED, _WTERMSIG = os.WTERMSIG, _WIFEXITED = os.WIFEXITED, _WEXITSTATUS = os.WEXITSTATUS):
  1050.             if _WIFSIGNALED(sts):
  1051.                 self.returncode = -_WTERMSIG(sts)
  1052.             elif _WIFEXITED(sts):
  1053.                 self.returncode = _WEXITSTATUS(sts)
  1054.             else:
  1055.                 raise RuntimeError('Unknown child exit status!')
  1056.  
  1057.         
  1058.         def _internal_poll(self, _deadstate = None, _waitpid = os.waitpid, _WNOHANG = os.WNOHANG, _os_error = os.error):
  1059.             '''Check if child process has terminated.  Returns returncode
  1060.             attribute.
  1061.  
  1062.             This method is called by __del__, so it cannot reference anything
  1063.             outside of the local scope (nor can any methods it calls).
  1064.  
  1065.             '''
  1066.             if self.returncode is None:
  1067.                 
  1068.                 try:
  1069.                     (pid, sts) = _waitpid(self.pid, _WNOHANG)
  1070.                     if pid == self.pid:
  1071.                         self._handle_exitstatus(sts)
  1072.                 except _os_error:
  1073.                     if _deadstate is not None:
  1074.                         self.returncode = _deadstate
  1075.                     
  1076.                 
  1077.  
  1078.             return self.returncode
  1079.  
  1080.         
  1081.         def wait(self):
  1082.             '''Wait for child process to terminate.  Returns returncode
  1083.             attribute.'''
  1084.             if self.returncode is None:
  1085.                 (pid, sts) = _eintr_retry_call(os.waitpid, self.pid, 0)
  1086.                 self._handle_exitstatus(sts)
  1087.             return self.returncode
  1088.  
  1089.         
  1090.         def _communicate(self, input):
  1091.             if self.stdin:
  1092.                 self.stdin.flush()
  1093.                 if not input:
  1094.                     self.stdin.close()
  1095.                 
  1096.             if _has_poll:
  1097.                 (stdout, stderr) = self._communicate_with_poll(input)
  1098.             else:
  1099.                 (stdout, stderr) = self._communicate_with_select(input)
  1100.             if stdout is not None:
  1101.                 stdout = ''.join(stdout)
  1102.             if stderr is not None:
  1103.                 stderr = ''.join(stderr)
  1104.             if self.universal_newlines and hasattr(file, 'newlines'):
  1105.                 if stdout:
  1106.                     stdout = self._translate_newlines(stdout)
  1107.                 if stderr:
  1108.                     stderr = self._translate_newlines(stderr)
  1109.                 
  1110.             self.wait()
  1111.             return (stdout, stderr)
  1112.  
  1113.         
  1114.         def _communicate_with_poll(self, input):
  1115.             stdout = None
  1116.             stderr = None
  1117.             fd2file = { }
  1118.             fd2output = { }
  1119.             poller = select.poll()
  1120.             
  1121.             def register_and_append(file_obj, eventmask):
  1122.                 poller.register(file_obj.fileno(), eventmask)
  1123.                 fd2file[file_obj.fileno()] = file_obj
  1124.  
  1125.             
  1126.             def close_unregister_and_remove(fd):
  1127.                 poller.unregister(fd)
  1128.                 fd2file[fd].close()
  1129.                 fd2file.pop(fd)
  1130.  
  1131.             if self.stdin and input:
  1132.                 register_and_append(self.stdin, select.POLLOUT)
  1133.             select_POLLIN_POLLPRI = select.POLLIN | select.POLLPRI
  1134.             if self.stdout:
  1135.                 register_and_append(self.stdout, select_POLLIN_POLLPRI)
  1136.             if self.stderr:
  1137.                 register_and_append(self.stderr, select_POLLIN_POLLPRI)
  1138.             input_offset = 0
  1139.             while fd2file:
  1140.                 
  1141.                 try:
  1142.                     ready = poller.poll()
  1143.                 except select.error:
  1144.                     fd2output[self.stdout.fileno()] = stdout = e = []
  1145.                     fd2output[self.stdout.fileno()] = stdout = e = []
  1146.                     if e.args[0] == errno.EINTR:
  1147.                         continue
  1148.                     raise 
  1149.  
  1150.                 for fd, mode in ready:
  1151.                     close_unregister_and_remove(fd)
  1152.                 
  1153.             return (stdout, stderr)
  1154.  
  1155.         
  1156.         def _communicate_with_select(self, input):
  1157.             read_set = []
  1158.             write_set = []
  1159.             stdout = None
  1160.             stderr = None
  1161.             if self.stdin and input:
  1162.                 write_set.append(self.stdin)
  1163.             if self.stdout:
  1164.                 read_set.append(self.stdout)
  1165.                 stdout = []
  1166.             if self.stderr:
  1167.                 read_set.append(self.stderr)
  1168.                 stderr = []
  1169.             input_offset = 0
  1170.             while read_set or write_set:
  1171.                 
  1172.                 try:
  1173.                     (rlist, wlist, xlist) = select.select(read_set, write_set, [])
  1174.                 except select.error:
  1175.                     e = None
  1176.                     if e.args[0] == errno.EINTR:
  1177.                         continue
  1178.                     raise 
  1179.  
  1180.                 if self.stdin in wlist:
  1181.                     chunk = input[input_offset:input_offset + _PIPE_BUF]
  1182.                     bytes_written = os.write(self.stdin.fileno(), chunk)
  1183.                     input_offset += bytes_written
  1184.                     if input_offset >= len(input):
  1185.                         self.stdin.close()
  1186.                         write_set.remove(self.stdin)
  1187.                     
  1188.                 if self.stdout in rlist:
  1189.                     data = os.read(self.stdout.fileno(), 1024)
  1190.                     if data == '':
  1191.                         self.stdout.close()
  1192.                         read_set.remove(self.stdout)
  1193.                     stdout.append(data)
  1194.                 if self.stderr in rlist:
  1195.                     data = os.read(self.stderr.fileno(), 1024)
  1196.                     if data == '':
  1197.                         self.stderr.close()
  1198.                         read_set.remove(self.stderr)
  1199.                     stderr.append(data)
  1200.                     continue
  1201.                 return (stdout, stderr)
  1202.  
  1203.         
  1204.         def send_signal(self, sig):
  1205.             '''Send a signal to the process
  1206.             '''
  1207.             os.kill(self.pid, sig)
  1208.  
  1209.         
  1210.         def terminate(self):
  1211.             '''Terminate the process with SIGTERM
  1212.             '''
  1213.             self.send_signal(signal.SIGTERM)
  1214.  
  1215.         
  1216.         def kill(self):
  1217.             '''Kill the process with SIGKILL
  1218.             '''
  1219.             self.send_signal(signal.SIGKILL)
  1220.  
  1221.  
  1222.  
  1223. def _demo_posix():
  1224.     plist = Popen([
  1225.         'ps'], stdout = PIPE).communicate()[0]
  1226.     print 'Process list:'
  1227.     print plist
  1228.     if os.getuid() == 0:
  1229.         p = Popen([
  1230.             'id'], preexec_fn = (lambda : os.setuid(100)))
  1231.         p.wait()
  1232.     print "Looking for 'hda'..."
  1233.     p1 = Popen([
  1234.         'dmesg'], stdout = PIPE)
  1235.     p2 = Popen([
  1236.         'grep',
  1237.         'hda'], stdin = p1.stdout, stdout = PIPE)
  1238.     print repr(p2.communicate()[0])
  1239.     print 
  1240.     print 'Trying a weird file...'
  1241.     
  1242.     try:
  1243.         print Popen([
  1244.             '/this/path/does/not/exist']).communicate()
  1245.     except OSError:
  1246.         e = None
  1247.         if e.errno == errno.ENOENT:
  1248.             print "The file didn't exist.  I thought so..."
  1249.             print 'Child traceback:'
  1250.             print e.child_traceback
  1251.         else:
  1252.             print 'Error', e.errno
  1253.  
  1254.     print >>sys.stderr, 'Gosh.  No error.'
  1255.  
  1256.  
  1257. def _demo_windows():
  1258.     print "Looking for 'PROMPT' in set output..."
  1259.     p1 = Popen('set', stdout = PIPE, shell = True)
  1260.     p2 = Popen('find "PROMPT"', stdin = p1.stdout, stdout = PIPE)
  1261.     print repr(p2.communicate()[0])
  1262.     print 'Executing calc...'
  1263.     p = Popen('calc')
  1264.     p.wait()
  1265.  
  1266. if __name__ == '__main__':
  1267.     if mswindows:
  1268.         _demo_windows()
  1269.     else:
  1270.         _demo_posix()
  1271.