[ Avaa Bypassed ]




Upload:

Command:

hmhc3928@3.147.76.250: ~ $
�
i�:Oc	@s|dZddlZejdkZddlZddlZddlZddlZddlZddl	Z	ye
�Wnddlm
Z
nXdefd��YZ
er�ddlZddlZddlZdfd��YZd	fd
��YZnEddlZeed�ZddlZddlZeedd
�ZdddddddgZer�ddlmZmZmZmZmZm Z m!Z!m"Z"ej#ddddddddg�nyej$d�Z%Wn
dZ%nXgZ&d�Z'dZ(d Z)d!�Z*d"�Z+d#�Z,d$�Z-d%�Z.de/fd&��YZ0d'�Z1d(�Z2e3d)krxerne2�ne1�ndS(*s�0subprocess - Subprocesses with accessible I/O streams

This module allows you to spawn processes, connect to their
input/output/error pipes, and obtain their return codes.  This module
intends to replace several other, older modules and functions, like:

os.system
os.spawn*
os.popen*
popen2.*
commands.*

Information about how the subprocess module can be used to replace these
modules and functions can be found below.



Using the subprocess module
===========================
This module defines one class called Popen:

class Popen(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):


Arguments are:

args should be a string, or a sequence of program arguments.  The
program to execute is normally the first item in the args sequence or
string, but can be explicitly set by using the executable argument.

On UNIX, with shell=False (default): In this case, the Popen class
uses os.execvp() to execute the child program.  args should normally
be a sequence.  A string will be treated as a sequence with the string
as the only item (the program to execute).

On UNIX, with shell=True: If args is a string, it specifies the
command string to execute through the shell.  If args is a sequence,
the first item specifies the command string, and any additional items
will be treated as additional shell arguments.

On Windows: the Popen class uses CreateProcess() to execute the child
program, which operates on strings.  If args is a sequence, it will be
converted to a string using the list2cmdline method.  Please note that
not all MS Windows applications interpret the command line the same
way: The list2cmdline is designed for applications using the same
rules as the MS C runtime.

bufsize, if given, has the same meaning as the corresponding argument
to the built-in open() function: 0 means unbuffered, 1 means line
buffered, any other positive value means use a buffer of
(approximately) that size.  A negative bufsize means to use the system
default, which usually means fully buffered.  The default value for
bufsize is 0 (unbuffered).

stdin, stdout and stderr specify the executed programs' standard
input, standard output and standard error file handles, respectively.
Valid values are PIPE, an existing file descriptor (a positive
integer), an existing file object, and None.  PIPE indicates that a
new pipe to the child should be created.  With None, no redirection
will occur; the child's file handles will be inherited from the
parent.  Additionally, stderr can be STDOUT, which indicates that the
stderr data from the applications should be captured into the same
file handle as for stdout.

If preexec_fn is set to a callable object, this object will be called
in the child process just before the child is executed.

If close_fds is true, all file descriptors except 0, 1 and 2 will be
closed before the child process is executed.

if shell is true, the specified command will be executed through the
shell.

If cwd is not None, the current directory will be changed to cwd
before the child is executed.

If env is not None, it defines the environment variables for the new
process.

If universal_newlines is true, the file objects stdout and stderr are
opened as a text files, but lines may be terminated by any of '\n',
the Unix end-of-line convention, '\r', the Macintosh convention or
'\r\n', the Windows convention.  All of these external representations
are seen as '\n' by the Python program.  Note: This feature is only
available if Python is built with universal newline support (the
default).  Also, the newlines attribute of the file objects stdout,
stdin and stderr are not updated by the communicate() method.

The startupinfo and creationflags, if given, will be passed to the
underlying CreateProcess() function.  They can specify things such as
appearance of the main window and priority for the new process.
(Windows only)


This module also defines some shortcut functions:

call(*popenargs, **kwargs):
    Run command with arguments.  Wait for command to complete, then
    return the returncode attribute.

    The arguments are the same as for the Popen constructor.  Example:

    retcode = call(["ls", "-l"])

check_call(*popenargs, **kwargs):
    Run command with arguments.  Wait for command to complete.  If the
    exit code was zero then return, otherwise raise
    CalledProcessError.  The CalledProcessError object will have the
    return code in the returncode attribute.

    The arguments are the same as for the Popen constructor.  Example:

    check_call(["ls", "-l"])

check_output(*popenargs, **kwargs):
    Run command with arguments and return its output as a byte string.

    If the exit code was non-zero it raises a CalledProcessError.  The
    CalledProcessError object will have the return code in the returncode
    attribute and output in the output attribute.

    The arguments are the same as for the Popen constructor.  Example:

    output = check_output(["ls", "-l", "/dev/null"])


Exceptions
----------
Exceptions raised in the child process, before the new program has
started to execute, will be re-raised in the parent.  Additionally,
the exception object will have one extra attribute called
'child_traceback', which is a string containing traceback information
from the childs point of view.

The most common exception raised is OSError.  This occurs, for
example, when trying to execute a non-existent file.  Applications
should prepare for OSErrors.

A ValueError will be raised if Popen is called with invalid arguments.

check_call() and check_output() will raise CalledProcessError, if the
called process returns a non-zero return code.


Security
--------
Unlike some other popen functions, this implementation will never call
/bin/sh implicitly.  This means that all characters, including shell
metacharacters, can safely be passed to child processes.


Popen objects
=============
Instances of the Popen class have the following methods:

poll()
    Check if child process has terminated.  Returns returncode
    attribute.

wait()
    Wait for child process to terminate.  Returns returncode attribute.

communicate(input=None)
    Interact with process: Send data to stdin.  Read data from stdout
    and stderr, until end-of-file is reached.  Wait for process to
    terminate.  The optional input argument should be a string to be
    sent to the child process, or None, if no data should be sent to
    the child.

    communicate() returns a tuple (stdout, stderr).

    Note: The data read is buffered in memory, so do not use this
    method if the data size is large or unlimited.

The following attributes are also available:

stdin
    If the stdin argument is PIPE, this attribute is a file object
    that provides input to the child process.  Otherwise, it is None.

stdout
    If the stdout argument is PIPE, this attribute is a file object
    that provides output from the child process.  Otherwise, it is
    None.

stderr
    If the stderr argument is PIPE, this attribute is file object that
    provides error output from the child process.  Otherwise, it is
    None.

pid
    The process ID of the child process.

returncode
    The child return code.  A None value indicates that the process
    hasn't terminated yet.  A negative value -N indicates that the
    child was terminated by signal N (UNIX only).


Replacing older functions with the subprocess module
====================================================
In this section, "a ==> b" means that b can be used as a replacement
for a.

Note: All functions in this section fail (more or less) silently if
the executed program cannot be found; this module raises an OSError
exception.

In the following examples, we assume that the subprocess module is
imported with "from subprocess import *".


Replacing /bin/sh shell backquote
---------------------------------
output=`mycmd myarg`
==>
output = Popen(["mycmd", "myarg"], stdout=PIPE).communicate()[0]


Replacing shell pipe line
-------------------------
output=`dmesg | grep hda`
==>
p1 = Popen(["dmesg"], stdout=PIPE)
p2 = Popen(["grep", "hda"], stdin=p1.stdout, stdout=PIPE)
output = p2.communicate()[0]


Replacing os.system()
---------------------
sts = os.system("mycmd" + " myarg")
==>
p = Popen("mycmd" + " myarg", shell=True)
pid, sts = os.waitpid(p.pid, 0)

Note:

* Calling the program through the shell is usually not required.

* It's easier to look at the returncode attribute than the
  exitstatus.

A more real-world example would look like this:

try:
    retcode = call("mycmd" + " myarg", shell=True)
    if retcode < 0:
        print >>sys.stderr, "Child was terminated by signal", -retcode
    else:
        print >>sys.stderr, "Child returned", retcode
except OSError, e:
    print >>sys.stderr, "Execution failed:", e


Replacing os.spawn*
-------------------
P_NOWAIT example:

pid = os.spawnlp(os.P_NOWAIT, "/bin/mycmd", "mycmd", "myarg")
==>
pid = Popen(["/bin/mycmd", "myarg"]).pid


P_WAIT example:

retcode = os.spawnlp(os.P_WAIT, "/bin/mycmd", "mycmd", "myarg")
==>
retcode = call(["/bin/mycmd", "myarg"])


Vector example:

os.spawnvp(os.P_NOWAIT, path, args)
==>
Popen([path] + args[1:])


Environment example:

os.spawnlpe(os.P_NOWAIT, "/bin/mycmd", "mycmd", "myarg", env)
==>
Popen(["/bin/mycmd", "myarg"], env={"PATH": "/usr/bin"})


Replacing os.popen*
-------------------
pipe = os.popen("cmd", mode='r', bufsize)
==>
pipe = Popen("cmd", shell=True, bufsize=bufsize, stdout=PIPE).stdout

pipe = os.popen("cmd", mode='w', bufsize)
==>
pipe = Popen("cmd", shell=True, bufsize=bufsize, stdin=PIPE).stdin


(child_stdin, child_stdout) = os.popen2("cmd", mode, bufsize)
==>
p = Popen("cmd", shell=True, bufsize=bufsize,
          stdin=PIPE, stdout=PIPE, close_fds=True)
(child_stdin, child_stdout) = (p.stdin, p.stdout)


(child_stdin,
 child_stdout,
 child_stderr) = os.popen3("cmd", mode, bufsize)
==>
p = Popen("cmd", shell=True, bufsize=bufsize,
          stdin=PIPE, stdout=PIPE, stderr=PIPE, close_fds=True)
(child_stdin,
 child_stdout,
 child_stderr) = (p.stdin, p.stdout, p.stderr)


(child_stdin, child_stdout_and_stderr) = os.popen4("cmd", mode,
                                                   bufsize)
==>
p = Popen("cmd", shell=True, bufsize=bufsize,
          stdin=PIPE, stdout=PIPE, stderr=STDOUT, close_fds=True)
(child_stdin, child_stdout_and_stderr) = (p.stdin, p.stdout)

On Unix, os.popen2, os.popen3 and os.popen4 also accept a sequence as
the command to execute, in which case arguments will be passed
directly to the program without shell intervention.  This usage can be
replaced as follows:

(child_stdin, child_stdout) = os.popen2(["/bin/ls", "-l"], mode,
                                        bufsize)
==>
p = Popen(["/bin/ls", "-l"], bufsize=bufsize, stdin=PIPE, stdout=PIPE)
(child_stdin, child_stdout) = (p.stdin, p.stdout)

Return code handling translates as follows:

pipe = os.popen("cmd", 'w')
...
rc = pipe.close()
if rc is not None and rc % 256:
    print "There were some errors"
==>
process = Popen("cmd", 'w', shell=True, stdin=PIPE)
...
process.stdin.close()
if process.wait() != 0:
    print "There were some errors"


Replacing popen2.*
------------------
(child_stdout, child_stdin) = popen2.popen2("somestring", bufsize, mode)
==>
p = Popen(["somestring"], shell=True, bufsize=bufsize
          stdin=PIPE, stdout=PIPE, close_fds=True)
(child_stdout, child_stdin) = (p.stdout, p.stdin)

On Unix, popen2 also accepts a sequence as the command to execute, in
which case arguments will be passed directly to the program without
shell intervention.  This usage can be replaced as follows:

(child_stdout, child_stdin) = popen2.popen2(["mycmd", "myarg"], bufsize,
                                            mode)
==>
p = Popen(["mycmd", "myarg"], bufsize=bufsize,
          stdin=PIPE, stdout=PIPE, close_fds=True)
(child_stdout, child_stdin) = (p.stdout, p.stdin)

The popen2.Popen3 and popen2.Popen4 basically works as subprocess.Popen,
except that:

* subprocess.Popen raises an exception if the execution fails
* the capturestderr argument is replaced with the stderr argument.
* stdin=PIPE and stdout=PIPE must be specified.
* popen2 closes all filedescriptors by default, but you have to specify
  close_fds=True with subprocess.Popen.
i����Ntwin32(tsettCalledProcessErrorcBs#eZdZdd�Zd�ZRS(s�This exception is raised when a process run by check_call() or
    check_output() returns a non-zero exit status.
    The exit status will be stored in the returncode attribute;
    check_output() will also store the output in the output attribute.
    cCs||_||_||_dS(N(t
returncodetcmdtoutput(tselfRRR((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt__init__�s		cCsd|j|jfS(Ns-Command '%s' returned non-zero exit status %d(RR(R((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt__str__�sN(t__name__t
__module__t__doc__tNoneRR(((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR�stSTARTUPINFOcBs&eZdZdZdZdZdZRS(iN(R	R
tdwFlagsRt	hStdInputt
hStdOutputt	hStdErrortwShowWindow(((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR
�s
t
pywintypescBseZeZRS((R	R
tIOErrorterror(((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR�stpolltPIPE_BUFitPopentPIPEtSTDOUTtcallt
check_calltcheck_output(tCREATE_NEW_CONSOLEtCREATE_NEW_PROCESS_GROUPtSTD_INPUT_HANDLEtSTD_OUTPUT_HANDLEtSTD_ERROR_HANDLEtSW_HIDEtSTARTF_USESTDHANDLEStSTARTF_USESHOWWINDOWRRR R!R"R#R$R%tSC_OPEN_MAXicCs_xXtD]O}|jdtj�}|dk	rytj|�WqWtk
rSqWXqqWdS(Nt
_deadstate(t_activet_internal_polltsystmaxintRtremovet
ValueError(tinsttres((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt_cleanup�s
i����cGsVxOtrQy||�SWqttfk
rM}|jtjkrGqn�qXqWdS(N(tTruetOSErrorRterrnotEINTR(tfunctargste((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt_eintr_retry_call�s	cOst||�j�S(s�Run command with arguments.  Wait for command to complete, then
    return the returncode attribute.

    The arguments are the same as for the Popen constructor.  Example:

    retcode = call(["ls", "-l"])
    (Rtwait(t	popenargstkwargs((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR�scOsSt||�}|rO|jd�}|dkr=|d}nt||��ndS(sSRun command with arguments.  Wait for command to complete.  If
    the exit code was zero then return, otherwise raise
    CalledProcessError.  The CalledProcessError object will have the
    return code in the returncode attribute.

    The arguments are the same as for the Popen constructor.  Example:

    check_call(["ls", "-l"])
    R6iN(RtgetRR(R:R;tretcodeR((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR�s

cOs�d|krtd��ntdt||�}|j�\}}|j�}|r�|jd�}|dkr||d}nt||d|��n|S(sRun command with arguments and return its output as a byte string.

    If the exit code was non-zero it raises a CalledProcessError.  The
    CalledProcessError object will have the return code in the returncode
    attribute and output in the output attribute.

    The arguments are the same as for the Popen constructor.  Example:

    >>> check_output(["ls", "-l", "/dev/null"])
    'crw-rw-rw- 1 root root 1, 3 Oct 18  2007 /dev/null\n'

    The stdout argument is not allowed as it is used internally.
    To capture standard error in the result, use stderr=STDOUT.

    >>> check_output(["/bin/sh", "-c",
    ...               "ls -l non_existent_file ; exit 0"],
    ...              stderr=STDOUT)
    'ls: non_existent_file: No such file or directory\n'
    tstdouts3stdout argument not allowed, it will be overridden.R6iRN(R-RRtcommunicateRR<RR(R:R;tprocessRt
unused_errR=R((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyRs
cCsGg}t}x+|D]#}g}|r5|jd�nd|kpQd|kpQ|}|rj|jd�nx�|D]�}|dkr�|j|�qq|dkr�|jdt|�d�g}|jd�qq|r�|j|�g}n|j|�qqW|r|j|�n|r|j|�|jd�qqWdj|�S(s�
    Translate a sequence of arguments into a command line
    string, using the same rules as the MS C runtime:

    1) Arguments are delimited by white space, which is either a
       space or a tab.

    2) A string surrounded by double quotation marks is
       interpreted as a single argument, regardless of white space
       contained within.  A quoted string can be embedded in an
       argument.

    3) A double quotation mark preceded by a backslash is
       interpreted as a literal double quotation mark.

    4) Backslashes are interpreted literally, unless they
       immediately precede a double quotation mark.

    5) If backslashes immediately precede a double quotation mark,
       every pair of backslashes is interpreted as a literal
       backslash.  If the number of backslashes is odd, the last
       backslash escapes the next double quotation mark as
       described in rule 3.
    t s	t"s\is\"t(tFalsetappendtlentextendtjoin(tseqtresultt	needquotetargtbs_buftc((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pytlist2cmdline)s4


	
cBs�eZddddddeeddeddd�
Zd�Zejed�Z	dd�Z
d�Zer�d�Z
d�Zd�Zd	�Zdejejejd
�Zd�Zd�Zd
�Zd�Zd�ZeZn�d�Z
ed�Zd�Zd�Zd�Ze j!e j"e j#e j$d�Z%de j&e j'e j(d�Zd�Zd�Zd�Z)d�Z*d�Zd�Zd�ZRS(icCs�t�t|_t|ttf�s4td��ntr�|d
k	rUt	d��n|r�|d
k	s|d
k	s|d
k	r�t	d��q�n6|
d
k	r�t	d��n|dkr�t	d��nd
|_
d
|_d
|_d
|_
d
|_||_|j|||�\}}}}}}|j|||||
|||
||	||||||�tr�|d
k	r�tj|j�d�}n|d
k	r�tj|j�d�}n|d
k	r�tj|j�d�}q�n|d
k	rtj|d|�|_
n|d
k	rK|r0tj|d|�|_qKtj|d	|�|_n|d
k	r�|rxtj|d|�|_q�tj|d	|�|_nd
S(sCreate new Popen instance.sbufsize must be an integers0preexec_fn is not supported on Windows platformssSclose_fds is not supported on Windows platforms if you redirect stdin/stdout/stderrs2startupinfo is only supported on Windows platformsis4creationflags is only supported on Windows platformstwbtrUtrbN(R0REt_child_createdt
isinstancetinttlongt	TypeErrort	mswindowsRR-tstdinR>tstderrtpidRtuniversal_newlinest_get_handlest_execute_childtmsvcrttopen_osfhandletDetachtostfdopen(RR6tbufsizet
executableRZR>R[t
preexec_fnt	close_fdstshelltcwdtenvR]tstartupinfot
creationflagstp2creadtp2cwritetc2preadtc2pwriteterrreadterrwrite((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyRpsX							'		
cCs(|jdd�}|jdd�}|S(Ns
s
s
(treplace(Rtdata((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt_translate_newlines�scCsUt|dt�sdS|jd|�|jdkrQ|dk	rQ|j|�ndS(NRTR'(tgetattrRER)RRRF(Rt_maxintR(((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt__del__�s
cCs |j|j|jgjd�dkrd}d}|jr�|r�y|jj|�Wq�tk
r�}|jtjkr�|jtj	kr��q�q�Xn|jj
�nV|jr�t|jj�}|jj
�n+|jr�t|jj�}|jj
�n|j
�||fS|j|�S(sfInteract with process: Send data to stdin.  Read data from
        stdout and stderr, until end-of-file is reached.  Wait for
        process to terminate.  The optional input argument should be a
        string to be sent to the child process, or None, if no data
        should be sent to the child.

        communicate() returns a tuple (stdout, stderr).iN(RZR>R[tcountRtwriteRR3tEPIPEtEINVALtcloseR8treadR9t_communicate(RtinputR>R[R7((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR?�s('	$
		

cCs
|j�S(N(R)(R((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR�scCs�|dkr(|dkr(|dkr(dSd\}}d\}}d\}}	|dkr�tjtj�}|dkr�tjdd�\}}
q�n]|tkr�tjdd�\}}n6t|t�r�tj	|�}ntj	|j
��}|j|�}|dkrHtjtj�}|dkr�tjdd�\}
}q�n]|tkrotjdd�\}}n6t|t�r�tj	|�}ntj	|j
��}|j|�}|dkr�tjtj
�}	|	dkrntjdd�\}
}	qnnr|tkr#tjdd�\}}	nK|tkr8|}	n6t|t�rYtj	|�}	ntj	|j
��}	|j|	�}	||||||	fS(s|Construct and return tuple with IO objects:
            p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite
            iN(NNNNNN(NN(NN(NN(Rt_subprocesstGetStdHandleR t
CreatePipeRRURVR`t
get_osfhandletfilenot_make_inheritableR!R"R(RRZR>R[RnRoRpRqRrRst_((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR^sP$	cCs+tjtj�|tj�ddtj�S(s2Return a duplicate of handle, which is inheritableii(R�tDuplicateHandletGetCurrentProcesstDUPLICATE_SAME_ACCESS(Rthandle((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR�;scCs�tjjtjjtjd��d�}tjj|�s�tjjtjjtj�d�}tjj|�s�t	d��q�n|S(s,Find and return absolut path to w9xpopen.exeisw9xpopen.exesZCannot locate w9xpopen.exe, which is needed for Popen to work with your shell or platform.(
RctpathRItdirnameR�tGetModuleFileNametexistsR*texec_prefixtRuntimeError(Rtw9xpopen((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt_find_w9xpopenBs			cCst|tj�s!t|�}n|dkr9t�}nd|||fkr~|jtjO_||_	||_
||_n|
r&|jtjO_tj
|_tjjdd�}d||f}tj�dks�tjj|�j�dkr&|j�}d||f}|	tjO}	q&nzjy>tj||ddt|�|	|||�	\}}}}Wn%tjk
r�}t|j��nXWd|dk	r�|j�n|dk	r�|j�n|dk	r�|j�nXt|_ ||_!||_"|j�dS(s$Execute program (MS Windows version)tCOMSPECscmd.exes%s /c %slscommand.coms"%s" %sN(#RUttypestStringTypesRPRR
RR�R$RRRR%R#RRctenvironR<t
GetVersionR�tbasenametlowerR�Rt
CreateProcessRVRRtWindowsErrorR6tCloseR1RTt_handleR\(RR6RfRgRhRjRkR]RlRmRiRnRoRpRqRrRstcomspecR�thpthtR\ttidR7((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR_SsP		


			cCsF|jdkr?||jd�|kr?||j�|_q?n|jS(s�Check if child process has terminated.  Returns returncode
            attribute.

            This method is called by __del__, so it can only refer to objects
            in its local scope.

            iN(RRR�(RR't_WaitForSingleObjectt_WAIT_OBJECT_0t_GetExitCodeProcess((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR)�scCsD|jdkr=tj|jtj�tj|j�|_n|jS(sOWait for child process to terminate.  Returns returncode
            attribute.N(RRR�tWaitForSingleObjectR�tINFINITEtGetExitCodeProcess(R((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR9�s

cCs|j|j��dS(N(RFR(Rtfhtbuffer((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt
_readerthread�scCs�d}d}|jrYg}tjd|jd|j|f�}|jt�|j�n|jr�g}tjd|jd|j|f�}|jt�|j�n|j	r|dk	ry|j	j
|�Wqtk
r�}|jtj
kr��q�qXn|j	j�n|jr&|j�n|jr<|j�n|dk	rU|d}n|dk	rn|d}n|jr�ttd�r�|r�|j|�}n|r�|j|�}q�n|j�||fS(NttargetR6itnewlines(RR>t	threadingtThreadR�t	setDaemonR1tstartR[RZR{RR3R|R~RIR]thasattrtfileRvR9(RR�R>R[t
stdout_threadt
stderr_threadR7((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR��sJ	

	

	
	
	



cCs�|tjkr|j�nc|tjkrDtj|jtj�n;|tjkrltj|jtj�ntd|f��dS(s)Send a signal to the process
            sUnsupported signal: %sN(	tsignaltSIGTERMt	terminatetCTRL_C_EVENTRctkillR\tCTRL_BREAK_EVENTR-(Rtsig((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pytsend_signal�s
cCstj|jd�dS(s#Terminates the process
            iN(R�tTerminateProcessR�(R((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR��sc
CsKd\}}d\}}d\}}	|dkr3nE|tkrT|j�\}}n$t|t�rl|}n|j�}|dkr�nE|tkr�|j�\}}n$t|t�r�|}n|j�}|dkr�nZ|tkr�|j�\}}	n9|tkr|}	n$t|t�r)|}	n|j�}	||||||	fS(s|Construct and return tuple with IO objects:
            p2cread, p2cwrite, c2pread, c2pwrite, errread, errwrite
            N(NN(NN(NN(RRtpipe_cloexecRURVR�R(
RRZR>R[RnRoRpRqRrRs((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR^	s:				cCs~y
tj}Wntk
r&d}nXtj|tj�}|r_tj|tj||B�ntj|tj||@�dS(Ni(tfcntlt
FD_CLOEXECtAttributeErrortF_GETFDtF_SETFD(Rtfdtcloexectcloexec_flagtold((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt_set_cloexec_flag6s


cCs6tj�\}}|j|�|j|�||fS(s#Create a pipe with FDs set CLOEXEC.(RctpipeR�(Rtrtw((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR�Cs

cCs�ttd�r6tjd|�tj|dt�nGxDtdt�D]3}||kr^qFnytj|�WqFqFXqFWdS(Nt
closerangeii(R�RcR�tMAXFDtxrangeR~(Rtbutti((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt
_close_fdsOscsvt|tj�r|g}nt|�}|
rVddg|}|rV||d<qVn|d
kro|d}n�j�\}}z>z�tj�}tj�yt	j
��_Wn|r�tj�n�nXt
�_�jdkry�|d
k	rt	j|�n|
d
k	r#t	j|
�n|d
k	r?t	j|�nt	j|�|dkrjt	j|�}n|dks�|dkr�t	j|�}n�fd�}||d�||d�||d�td�}xL|||gD];}||kr�|dkr�t	j|�|j|�q�q�W|r>�jd|�n|d
k	rZt	j|�n|rj|�n|d
kr�t	j||�nt	j|||�Wn\tj�\}}}tj|||�}dj|�|_t	j|tj|��nXt	j d	�n|rtj�nWd
t	j|�X|d
k	rY|d
k	rYt	j|�n|d
k	r�|
d
k	r�t	j|�n|d
k	r�|d
k	r�t	j|�nt!t	j"|d�}Wd
t	j|�X|dkrryt!t	j#�jd�Wn+t$k
r#}|j%t%j&kr$�q$nXtj'|�}x3||
|fD]"}|d
k	rCt	j|�qCqCW|�nd
S(
sExecute program (POSIX version)s/bin/shs-ciicsB||kr�j|t�n|dk	r>tj||�ndS(N(R�RERRctdup2(tatb(R(sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt_dup2�siR�RDi�Ni(N((RUR�R�tlistRR�tgct	isenabledtdisableRctforkR\tenableR1RTR~tdupRtaddR�tchdirtexecvptexecvpeR*texc_infot	tracebacktformat_exceptionRItchild_tracebackR{tpickletdumpst_exitR8RtwaitpidR2R3tECHILDtloads(RR6RfRgRhRjRkR]RlRmRiRnRoRpRqRrRsterrpipe_readt
errpipe_writetgc_was_enabledR�tclosedR�texc_typet	exc_valuettbt	exc_linesRuR7tchild_exception((RsM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR_]s�


	





		
cCsM||�r||�|_n*||�r=||�|_ntd��dS(NsUnknown child exit status!(RR�(Rtstst_WIFSIGNALEDt	_WTERMSIGt
_WIFEXITEDt_WEXITSTATUS((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt_handle_exitstatus�s
cCs�|jdkryy;||j|�\}}||jkrI|j|�nWqy|k
ru|dk	rv||_qvqyXn|jS(s�Check if child process has terminated.  Returns returncode
            attribute.

            This method is called by __del__, so it cannot reference anything
            outside of the local scope (nor can any methods it calls).

            N(RRR\R�(RR't_waitpidt_WNOHANGt	_os_errorR\R�((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR)�s	
cCs||jdkruy"ttj|jd�\}}Wn1tk
rd}|jtjkr[�nd}nX|j	|�n|jS(sOWait for child process to terminate.  Returns returncode
            attribute.iN(
RRR8RcR�R\R2R3R�R�(RR\R�R7((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR9s"
cCs�|jr/|jj�|s/|jj�q/ntrM|j|�\}}n|j|�\}}|dk	r�dj|�}n|dk	r�dj|�}n|jr�t	t
d�r�|r�|j|�}n|r�|j|�}q�n|j�||fS(NRDR�(
RZtflushR~t	_has_pollt_communicate_with_pollt_communicate_with_selectRRIR]R�R�RvR9(RR�R>R[((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR�s$	

cs>d}d}i�i}tj����fd�}��fd�}|jrm|rm||jtj�ntjtjB}|jr�||j|�g||jj�<}n|j	r�||j	|�g||j	j�<}nd}xH�r3y�j�}	Wn5tj
k
r9}
|
jdtj
kr3q�n�nXx�|	D]�\}}|tj@r�|||t!}
y|tj||
�7}Wn5tk
r�}
|
jtjkr�||�q��q,X|t|�kr,||�q,qA||@r"tj|d�}|s||�n||j|�qA||�qAWq�W||fS(Ncs*�j|j�|�|�|j�<dS(N(tregisterR�(tfile_objt	eventmask(tfd2filetpoller(sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pytregister_and_appendEscs,�j|��|j��j|�dS(N(t
unregisterR~tpop(R�(RR(sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pytclose_unregister_and_removeIs
ii(RtselectRRZtPOLLOUTtPOLLINtPOLLPRIR>R�R[RR6R3R4t	_PIPE_BUFRcR{R2R|RGRRF(RR�R>R[t	fd2outputRRtselect_POLLIN_POLLPRItinput_offsettreadyR7R�tmodetchunkRu((RRsM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR>sT			



cCs�g}g}d}d}|jr:|r:|j|j�n|jr\|j|j�g}n|jr~|j|j�g}nd}x�|s�|r�y"tj||g�\}}}	Wn5tjk
r�}
|
jdtj	kr�q�n�nX|j|kr�|||t
!}ytj|jj
�|�}WnHtk
rv}
|
jtjkrp|jj�|j|j�q��q�X||7}|t|�kr�|jj�|j|j�q�n|j|krtj|jj
�d�}
|
dkr|jj�|j|j�n|j|
�n|j|kr�tj|jj
�d�}
|
dkrr|jj�|j|j�n|j|
�q�q�W||fS(NiiRD(RRZRFR>R[RRR6R3R4RRcR{R�R2R|R~R,RGR(RR�tread_sett	write_setR>R[RtrlisttwlisttxlistR7Rt
bytes_writtenRu((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR{s\				"




cCstj|j|�dS(s)Send a signal to the process
            N(RcR�R\(RR�((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR��scCs|jtj�dS(s/Terminate the process with SIGTERM
            N(R�R�R�(R((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR��scCs|jtj�dS(s*Kill the process with SIGKILL
            N(R�R�tSIGKILL(R((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyR��sN(+R	R
RRERRvR*R+R(RyR?RRYR^R�R�R_R�R�t
WAIT_OBJECT_0R�R)R9R�R�R�R�R�R1R�R�R�RctWIFSIGNALEDtWTERMSIGt	WIFEXITEDtWEXITSTATUSR�R�tWNOHANGRRR(((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyRosR			P	"		9			N	
		2				-
			�			!	=	9		cCs(tdgdt�j�d}dGH|GHtj�dkr`tdgdd��}|j�ndGHtd	gdt�}td
dgd|jdt�}t|j�d�GHHd
GHytdg�j�GHWnFtk
r}|j	t	j
krdGHdGH|jGHq$dG|j	GHnXtj
dIJdS(NtpsR>is
Process list:tidRgcSs
tjd�S(Nid(Rctsetuid(((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt<lambda>�ssLooking for 'hda'...tdmesgtgrepthdaRZsTrying a weird file...s/this/path/does/not/exists'The file didn't exist.  I thought so...sChild traceback:tErrorsGosh.  No error.(RRR?RctgetuidR9R>treprR2R3tENOENTR�R*R[(tplisttptp1tp2R7((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt_demo_posix�s*
!cCsldGHtddtdt�}tdd|jdt�}t|j�d�GHdGHtd	�}|j�dS(
Ns%Looking for 'PROMPT' in set output...RR>Ris
find "PROMPT"RZisExecuting calc...tcalc(RRR1R>R-R?R9(R1R2R0((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt
_demo_windows�st__main__(4RR*tplatformRYRcR�R�R�R�R3Rtkitchen.pycompat24.setst	ExceptionRR�R`R�R
RRR�RR�R�RwRt__all__RRR R!R"R#R$R%RHtsysconfR�R(R0RRR8RRRRPtobjectRR3R5R	(((sM/usr/lib/python2.7/site-packages/kitchen/pycompat27/subprocess/_subprocess.pyt<module>�sn:
		
			!	F���X	)	


Filemanager

Name Type Size Permission Actions
.__init__.pyo.40009 File 832 B 0644
._subprocess.pyo.40009 File 41.09 KB 0644
__init__.py File 1.59 KB 0644
__init__.pyc File 832 B 0644
__init__.pyo File 832 B 0644
_subprocess.py File 54.45 KB 0644
_subprocess.pyc File 41.09 KB 0644
_subprocess.pyo File 41.09 KB 0644