Ufoguy
Ufoguy

Reputation: 937

Threaded subprocess read is not give any output

I have the following code and am trying to run in in Idle in linux.

import sys
from subprocess import PIPE, Popen
from threading  import Thread

try:
    from Queue import Queue, Empty
except ImportError:
    from queue import Queue, Empty  # python 3.x

ON_POSIX = 'posix' in sys.builtin_module_names

def enqueue_output(out, queue):
    for line in iter(out.readline, b''):
        queue.put(line)
    out.close()

p = Popen(['youtube-dl', '-l', '-c', 'https://www.youtube.com/watch?v=utV1sdjr4PY'],   stdout=PIPE, bufsize=1, close_fds=ON_POSIX)

q = Queue()
t = Thread(target=enqueue_output, args=(p.stdout, q))
t.daemon = True # thread dies with the program
t.start()

# ... do other things here

# read line without blocking
while True:
    try:  line = q.get_nowait() # or q.get(timeout=.1)
    except Empty:
        pass
        #print('no output yet')
    else: # got line
        print line

But is is always printing "no output yet". Edit: I edited the code and it is working. But I have another problem. The percentage of the download is updated in a single line, but the code reads it only after the line is complete

Upvotes: 0

Views: 315

Answers (1)

cox
cox

Reputation: 721

OK, let's put the comments in an answer.

import sys, os
from subprocess import PIPE, Popen
from time import sleep
import pty

master, slave = pty.openpty()
stdout = os.fdopen(master)

p = Popen(['youtube-dl', '-l', '-c', 'https://www.youtube.com/watch?v=AYlb-7TXMxM'], shell=False,stdout=slave,stderr=slave, close_fds=True)

while True:
    #line = stdout.readline().rstrip() - will strip the new line
    line = stdout.readline()
    if line != b'':
        sys.stdout.write("\r%s" % line)
        sys.stdout.flush()
    sleep(.1)

If you want a thread and a diferent while, I sugest wrapping in a class and avoid queue. The output is „unbuffered” - thanks @FilipMalckzak

Upvotes: 1

Related Questions