E 'possibile modificare il codice sottostante per tabulato 'stdout' e 'stderr':subprocess.Popen: stdout clonazione e stderr sia al terminale e variabili
- stampato sul terminale (in real ora),
- e infine memorizzato in uscite e errate variabili?
Il codice:
#!/usr/bin/python3
# -*- coding: utf-8 -*-
import subprocess
def run_cmd(command, cwd=None):
p = subprocess.Popen(command, cwd=cwd, shell=False,
stdout=subprocess.PIPE,
stderr=subprocess.PIPE)
outs, errs = p.communicate()
rc = p.returncode
outs = outs.decode('utf-8')
errs = errs.decode('utf-8')
return (rc, (outs, errs))
Grazie alla @unutbu, un ringraziamento speciale per @ JF-sebastian, la funzione finale:
#!/usr/bin/python3
# -*- coding: utf-8 -*-
import sys
from queue import Queue
from subprocess import PIPE, Popen
from threading import Thread
def read_output(pipe, funcs):
for line in iter(pipe.readline, b''):
for func in funcs:
func(line.decode('utf-8'))
pipe.close()
def write_output(get):
for line in iter(get, None):
sys.stdout.write(line)
def run_cmd(command, cwd=None, passthrough=True):
outs, errs = None, None
proc = Popen(
command,
cwd=cwd,
shell=False,
close_fds=True,
stdout=PIPE,
stderr=PIPE,
bufsize=1
)
if passthrough:
outs, errs = [], []
q = Queue()
stdout_thread = Thread(
target=read_output, args=(proc.stdout, [q.put, outs.append])
)
stderr_thread = Thread(
target=read_output, args=(proc.stderr, [q.put, errs.append])
)
writer_thread = Thread(
target=write_output, args=(q.get,)
)
for t in (stdout_thread, stderr_thread, writer_thread):
t.daemon = True
t.start()
proc.wait()
for t in (stdout_thread, stderr_thread):
t.join()
q.put(None)
outs = ' '.join(outs)
errs = ' '.join(errs)
else:
outs, errs = proc.communicate()
outs = '' if outs == None else outs.decode('utf-8')
errs = '' if errs == None else errs.decode('utf-8')
rc = proc.returncode
return (rc, (outs, errs))
L'esempio di codice fa negozio 'outs' e 'errs' e li restituisce ... Per stampare sul terminale, semplicemente' se outs: printout'' se errs: print errs' – bnlucas
@bnlucas Grazie, ma come ho affermato nel primo punto: l'output dovrebbe essere stampato in IN TEMPO REALE per il terminale, come senza PIPEing. –
Se è necessario il codice Python 3; aggiungi il tag [tag: python-3.x] (vedo python3 nello shebang). Il tuo codice come scritto lascerà sospeso il thread di lettura. In Python 3 '''' è un letterale Unicode, ma 'pipe.readline()' restituisce i byte di default ('''! = B" "' su Python 3). Se lo aggiusti, il thread dello scrittore non finirà, perché nulla mette '" "' nella coda. – jfs