Dynamic output from python subprocess module











up vote
1
down vote

favorite












how can i achieve output dynamically using subprocess module (while the external program keeps running) in python. The external program from which i want to get output dynamically is ngrok ,
ngrok keep running as long as my program is running but i need output while the process is running so that i can extract the newly generated "forwarding url"



when i try to do :



cmd = ['ngrok', 'http', '5000']
output = subprocess.Popen(cmd, stdout=subprocess.PIPE, buffersize=1)


it keep storing output in buffers










share|improve this question


















  • 2




    Possible duplicate of Printing output in realtime from subprocess. Altho that's just on the question itself, but it won't work for ngrok or other ncurses application. So just leaving this here for others who end up here wondering how to get output from subprocess.
    – Torxed
    20 hours ago

















up vote
1
down vote

favorite












how can i achieve output dynamically using subprocess module (while the external program keeps running) in python. The external program from which i want to get output dynamically is ngrok ,
ngrok keep running as long as my program is running but i need output while the process is running so that i can extract the newly generated "forwarding url"



when i try to do :



cmd = ['ngrok', 'http', '5000']
output = subprocess.Popen(cmd, stdout=subprocess.PIPE, buffersize=1)


it keep storing output in buffers










share|improve this question


















  • 2




    Possible duplicate of Printing output in realtime from subprocess. Altho that's just on the question itself, but it won't work for ngrok or other ncurses application. So just leaving this here for others who end up here wondering how to get output from subprocess.
    – Torxed
    20 hours ago















up vote
1
down vote

favorite









up vote
1
down vote

favorite











how can i achieve output dynamically using subprocess module (while the external program keeps running) in python. The external program from which i want to get output dynamically is ngrok ,
ngrok keep running as long as my program is running but i need output while the process is running so that i can extract the newly generated "forwarding url"



when i try to do :



cmd = ['ngrok', 'http', '5000']
output = subprocess.Popen(cmd, stdout=subprocess.PIPE, buffersize=1)


it keep storing output in buffers










share|improve this question













how can i achieve output dynamically using subprocess module (while the external program keeps running) in python. The external program from which i want to get output dynamically is ngrok ,
ngrok keep running as long as my program is running but i need output while the process is running so that i can extract the newly generated "forwarding url"



when i try to do :



cmd = ['ngrok', 'http', '5000']
output = subprocess.Popen(cmd, stdout=subprocess.PIPE, buffersize=1)


it keep storing output in buffers







python python-3.x subprocess ngrok






share|improve this question













share|improve this question











share|improve this question




share|improve this question










asked yesterday









arslanmughal

63




63








  • 2




    Possible duplicate of Printing output in realtime from subprocess. Altho that's just on the question itself, but it won't work for ngrok or other ncurses application. So just leaving this here for others who end up here wondering how to get output from subprocess.
    – Torxed
    20 hours ago
















  • 2




    Possible duplicate of Printing output in realtime from subprocess. Altho that's just on the question itself, but it won't work for ngrok or other ncurses application. So just leaving this here for others who end up here wondering how to get output from subprocess.
    – Torxed
    20 hours ago










2




2




Possible duplicate of Printing output in realtime from subprocess. Altho that's just on the question itself, but it won't work for ngrok or other ncurses application. So just leaving this here for others who end up here wondering how to get output from subprocess.
– Torxed
20 hours ago






Possible duplicate of Printing output in realtime from subprocess. Altho that's just on the question itself, but it won't work for ngrok or other ncurses application. So just leaving this here for others who end up here wondering how to get output from subprocess.
– Torxed
20 hours ago














1 Answer
1






active

oldest

votes

















up vote
0
down vote













I know this is a duplicate, but I can't find any relevant threads about this now. All i get is output.communicate().



So here's a snippet that might be useful:



import subprocess
cmd = ['ngrok', 'http', '5000']
process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)

while process.poll() is None:
print(process.stdout.readline())
print(process.stdout.read())
process.stdout.close()


This would output anything the process outputs, through your script into your output. It does so by looking for a newline character before outputting.



This piece of code would work, if it weren't for the fact that ngrok uses ncurses and/or hogs the output to it's own user/thread much like when SSH asks for a password when you do ssh user@host.



process.poll() checks if the process has an exit-code (if it's dead), if not, it continues to loop and print anything from the process's stdout.



There's other (better) ways to go about it, but this is the bare minimum I can give you without it being complicated really fast.



For instance, process.stdout.read() could be used in junction with select.select() to achieve better buffered output where new-lines are scares. Because if a n never comes, the above example might hang your entire application.



There's a lot of buffer-traps here that you need to be aware of before you do manual things like this. Otherwise, use process.communicate() instead.



Edit: To get around the hogging/limitation of I/O used by ngrok, you could use pty.fork() and read the childs stdout via the os.read module:



#!/usr/bin/python

## Requires: Linux
## Does not require: Pexpect

import pty, os
from os import fork, waitpid, execv, read, write, kill

def pid_exists(pid):
"""Check whether pid exists in the current process table."""
if pid < 0:
return False
try:
kill(pid, 0)
except (OSError, e):
return e.errno == errno.EPERMRM
else:
return True

class exec():
def __init__(self):
self.run()

def run(self):
command = [
'/usr/bin/ngrok',
'http',
'5000'
]

# PID = 0 for child, and the PID of the child for the parent
pid, child_fd = pty.fork()

if not pid: # Child process
# Replace child process with our SSH process
execv(command[0], command)

while True:
output = read(child_fd, 1024)
print(output.decode('UTF-8'))
lower = output.lower()

# example input (if needed)
if b'password:' in lower:
write(child_fd, b'some responsen')
waitpid(pid, 0)

exec()


There's still a problem here, and I'm not quite sure what or why that is.

I'm guessing the process is waiting for a signal/flush some how.

The problem is that it's only printing the first "setup data" of ncurses, meaning it wips the screen and sets up the background-color.



But this would give you the output of the process at least. replacing print(output.decode('UTF-8')) would show you what that output is.






share|improve this answer























  • it looks that program stuck at this line of code """process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)""" after reaching this line the program start storing output in buffers and become silent .. the only thing i want to extract from ngrok while ngrok is running is the farwarded url that ngrok provides
    – arslanmughal
    yesterday












  • @arslanmughal You are partially correct, it's not stuck on the Popen() line tho. It's stuck on print(process.stdout.readline()). This is a huge different because it just tells us that Popen() isn't able to get the output from the process. I also tried stdout.read(1) which returns nothing. So I added an additional way of getting the output.
    – Torxed
    20 hours ago











Your Answer






StackExchange.ifUsing("editor", function () {
StackExchange.using("externalEditor", function () {
StackExchange.using("snippets", function () {
StackExchange.snippets.init();
});
});
}, "code-snippets");

StackExchange.ready(function() {
var channelOptions = {
tags: "".split(" "),
id: "1"
};
initTagRenderer("".split(" "), "".split(" "), channelOptions);

StackExchange.using("externalEditor", function() {
// Have to fire editor after snippets, if snippets enabled
if (StackExchange.settings.snippets.snippetsEnabled) {
StackExchange.using("snippets", function() {
createEditor();
});
}
else {
createEditor();
}
});

function createEditor() {
StackExchange.prepareEditor({
heartbeatType: 'answer',
convertImagesToLinks: true,
noModals: true,
showLowRepImageUploadWarning: true,
reputationToPostImages: 10,
bindNavPrevention: true,
postfix: "",
imageUploader: {
brandingHtml: "Powered by u003ca class="icon-imgur-white" href="https://imgur.com/"u003eu003c/au003e",
contentPolicyHtml: "User contributions licensed under u003ca href="https://creativecommons.org/licenses/by-sa/3.0/"u003ecc by-sa 3.0 with attribution requiredu003c/au003e u003ca href="https://stackoverflow.com/legal/content-policy"u003e(content policy)u003c/au003e",
allowUrls: true
},
onDemand: true,
discardSelector: ".discard-answer"
,immediatelyShowMarkdownHelp:true
});


}
});














 

draft saved


draft discarded


















StackExchange.ready(
function () {
StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53229305%2fdynamic-output-from-python-subprocess-module%23new-answer', 'question_page');
}
);

Post as a guest
































1 Answer
1






active

oldest

votes








1 Answer
1






active

oldest

votes









active

oldest

votes






active

oldest

votes








up vote
0
down vote













I know this is a duplicate, but I can't find any relevant threads about this now. All i get is output.communicate().



So here's a snippet that might be useful:



import subprocess
cmd = ['ngrok', 'http', '5000']
process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)

while process.poll() is None:
print(process.stdout.readline())
print(process.stdout.read())
process.stdout.close()


This would output anything the process outputs, through your script into your output. It does so by looking for a newline character before outputting.



This piece of code would work, if it weren't for the fact that ngrok uses ncurses and/or hogs the output to it's own user/thread much like when SSH asks for a password when you do ssh user@host.



process.poll() checks if the process has an exit-code (if it's dead), if not, it continues to loop and print anything from the process's stdout.



There's other (better) ways to go about it, but this is the bare minimum I can give you without it being complicated really fast.



For instance, process.stdout.read() could be used in junction with select.select() to achieve better buffered output where new-lines are scares. Because if a n never comes, the above example might hang your entire application.



There's a lot of buffer-traps here that you need to be aware of before you do manual things like this. Otherwise, use process.communicate() instead.



Edit: To get around the hogging/limitation of I/O used by ngrok, you could use pty.fork() and read the childs stdout via the os.read module:



#!/usr/bin/python

## Requires: Linux
## Does not require: Pexpect

import pty, os
from os import fork, waitpid, execv, read, write, kill

def pid_exists(pid):
"""Check whether pid exists in the current process table."""
if pid < 0:
return False
try:
kill(pid, 0)
except (OSError, e):
return e.errno == errno.EPERMRM
else:
return True

class exec():
def __init__(self):
self.run()

def run(self):
command = [
'/usr/bin/ngrok',
'http',
'5000'
]

# PID = 0 for child, and the PID of the child for the parent
pid, child_fd = pty.fork()

if not pid: # Child process
# Replace child process with our SSH process
execv(command[0], command)

while True:
output = read(child_fd, 1024)
print(output.decode('UTF-8'))
lower = output.lower()

# example input (if needed)
if b'password:' in lower:
write(child_fd, b'some responsen')
waitpid(pid, 0)

exec()


There's still a problem here, and I'm not quite sure what or why that is.

I'm guessing the process is waiting for a signal/flush some how.

The problem is that it's only printing the first "setup data" of ncurses, meaning it wips the screen and sets up the background-color.



But this would give you the output of the process at least. replacing print(output.decode('UTF-8')) would show you what that output is.






share|improve this answer























  • it looks that program stuck at this line of code """process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)""" after reaching this line the program start storing output in buffers and become silent .. the only thing i want to extract from ngrok while ngrok is running is the farwarded url that ngrok provides
    – arslanmughal
    yesterday












  • @arslanmughal You are partially correct, it's not stuck on the Popen() line tho. It's stuck on print(process.stdout.readline()). This is a huge different because it just tells us that Popen() isn't able to get the output from the process. I also tried stdout.read(1) which returns nothing. So I added an additional way of getting the output.
    – Torxed
    20 hours ago















up vote
0
down vote













I know this is a duplicate, but I can't find any relevant threads about this now. All i get is output.communicate().



So here's a snippet that might be useful:



import subprocess
cmd = ['ngrok', 'http', '5000']
process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)

while process.poll() is None:
print(process.stdout.readline())
print(process.stdout.read())
process.stdout.close()


This would output anything the process outputs, through your script into your output. It does so by looking for a newline character before outputting.



This piece of code would work, if it weren't for the fact that ngrok uses ncurses and/or hogs the output to it's own user/thread much like when SSH asks for a password when you do ssh user@host.



process.poll() checks if the process has an exit-code (if it's dead), if not, it continues to loop and print anything from the process's stdout.



There's other (better) ways to go about it, but this is the bare minimum I can give you without it being complicated really fast.



For instance, process.stdout.read() could be used in junction with select.select() to achieve better buffered output where new-lines are scares. Because if a n never comes, the above example might hang your entire application.



There's a lot of buffer-traps here that you need to be aware of before you do manual things like this. Otherwise, use process.communicate() instead.



Edit: To get around the hogging/limitation of I/O used by ngrok, you could use pty.fork() and read the childs stdout via the os.read module:



#!/usr/bin/python

## Requires: Linux
## Does not require: Pexpect

import pty, os
from os import fork, waitpid, execv, read, write, kill

def pid_exists(pid):
"""Check whether pid exists in the current process table."""
if pid < 0:
return False
try:
kill(pid, 0)
except (OSError, e):
return e.errno == errno.EPERMRM
else:
return True

class exec():
def __init__(self):
self.run()

def run(self):
command = [
'/usr/bin/ngrok',
'http',
'5000'
]

# PID = 0 for child, and the PID of the child for the parent
pid, child_fd = pty.fork()

if not pid: # Child process
# Replace child process with our SSH process
execv(command[0], command)

while True:
output = read(child_fd, 1024)
print(output.decode('UTF-8'))
lower = output.lower()

# example input (if needed)
if b'password:' in lower:
write(child_fd, b'some responsen')
waitpid(pid, 0)

exec()


There's still a problem here, and I'm not quite sure what or why that is.

I'm guessing the process is waiting for a signal/flush some how.

The problem is that it's only printing the first "setup data" of ncurses, meaning it wips the screen and sets up the background-color.



But this would give you the output of the process at least. replacing print(output.decode('UTF-8')) would show you what that output is.






share|improve this answer























  • it looks that program stuck at this line of code """process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)""" after reaching this line the program start storing output in buffers and become silent .. the only thing i want to extract from ngrok while ngrok is running is the farwarded url that ngrok provides
    – arslanmughal
    yesterday












  • @arslanmughal You are partially correct, it's not stuck on the Popen() line tho. It's stuck on print(process.stdout.readline()). This is a huge different because it just tells us that Popen() isn't able to get the output from the process. I also tried stdout.read(1) which returns nothing. So I added an additional way of getting the output.
    – Torxed
    20 hours ago













up vote
0
down vote










up vote
0
down vote









I know this is a duplicate, but I can't find any relevant threads about this now. All i get is output.communicate().



So here's a snippet that might be useful:



import subprocess
cmd = ['ngrok', 'http', '5000']
process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)

while process.poll() is None:
print(process.stdout.readline())
print(process.stdout.read())
process.stdout.close()


This would output anything the process outputs, through your script into your output. It does so by looking for a newline character before outputting.



This piece of code would work, if it weren't for the fact that ngrok uses ncurses and/or hogs the output to it's own user/thread much like when SSH asks for a password when you do ssh user@host.



process.poll() checks if the process has an exit-code (if it's dead), if not, it continues to loop and print anything from the process's stdout.



There's other (better) ways to go about it, but this is the bare minimum I can give you without it being complicated really fast.



For instance, process.stdout.read() could be used in junction with select.select() to achieve better buffered output where new-lines are scares. Because if a n never comes, the above example might hang your entire application.



There's a lot of buffer-traps here that you need to be aware of before you do manual things like this. Otherwise, use process.communicate() instead.



Edit: To get around the hogging/limitation of I/O used by ngrok, you could use pty.fork() and read the childs stdout via the os.read module:



#!/usr/bin/python

## Requires: Linux
## Does not require: Pexpect

import pty, os
from os import fork, waitpid, execv, read, write, kill

def pid_exists(pid):
"""Check whether pid exists in the current process table."""
if pid < 0:
return False
try:
kill(pid, 0)
except (OSError, e):
return e.errno == errno.EPERMRM
else:
return True

class exec():
def __init__(self):
self.run()

def run(self):
command = [
'/usr/bin/ngrok',
'http',
'5000'
]

# PID = 0 for child, and the PID of the child for the parent
pid, child_fd = pty.fork()

if not pid: # Child process
# Replace child process with our SSH process
execv(command[0], command)

while True:
output = read(child_fd, 1024)
print(output.decode('UTF-8'))
lower = output.lower()

# example input (if needed)
if b'password:' in lower:
write(child_fd, b'some responsen')
waitpid(pid, 0)

exec()


There's still a problem here, and I'm not quite sure what or why that is.

I'm guessing the process is waiting for a signal/flush some how.

The problem is that it's only printing the first "setup data" of ncurses, meaning it wips the screen and sets up the background-color.



But this would give you the output of the process at least. replacing print(output.decode('UTF-8')) would show you what that output is.






share|improve this answer














I know this is a duplicate, but I can't find any relevant threads about this now. All i get is output.communicate().



So here's a snippet that might be useful:



import subprocess
cmd = ['ngrok', 'http', '5000']
process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)

while process.poll() is None:
print(process.stdout.readline())
print(process.stdout.read())
process.stdout.close()


This would output anything the process outputs, through your script into your output. It does so by looking for a newline character before outputting.



This piece of code would work, if it weren't for the fact that ngrok uses ncurses and/or hogs the output to it's own user/thread much like when SSH asks for a password when you do ssh user@host.



process.poll() checks if the process has an exit-code (if it's dead), if not, it continues to loop and print anything from the process's stdout.



There's other (better) ways to go about it, but this is the bare minimum I can give you without it being complicated really fast.



For instance, process.stdout.read() could be used in junction with select.select() to achieve better buffered output where new-lines are scares. Because if a n never comes, the above example might hang your entire application.



There's a lot of buffer-traps here that you need to be aware of before you do manual things like this. Otherwise, use process.communicate() instead.



Edit: To get around the hogging/limitation of I/O used by ngrok, you could use pty.fork() and read the childs stdout via the os.read module:



#!/usr/bin/python

## Requires: Linux
## Does not require: Pexpect

import pty, os
from os import fork, waitpid, execv, read, write, kill

def pid_exists(pid):
"""Check whether pid exists in the current process table."""
if pid < 0:
return False
try:
kill(pid, 0)
except (OSError, e):
return e.errno == errno.EPERMRM
else:
return True

class exec():
def __init__(self):
self.run()

def run(self):
command = [
'/usr/bin/ngrok',
'http',
'5000'
]

# PID = 0 for child, and the PID of the child for the parent
pid, child_fd = pty.fork()

if not pid: # Child process
# Replace child process with our SSH process
execv(command[0], command)

while True:
output = read(child_fd, 1024)
print(output.decode('UTF-8'))
lower = output.lower()

# example input (if needed)
if b'password:' in lower:
write(child_fd, b'some responsen')
waitpid(pid, 0)

exec()


There's still a problem here, and I'm not quite sure what or why that is.

I'm guessing the process is waiting for a signal/flush some how.

The problem is that it's only printing the first "setup data" of ncurses, meaning it wips the screen and sets up the background-color.



But this would give you the output of the process at least. replacing print(output.decode('UTF-8')) would show you what that output is.







share|improve this answer














share|improve this answer



share|improve this answer








edited 20 hours ago

























answered yesterday









Torxed

13k105286




13k105286












  • it looks that program stuck at this line of code """process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)""" after reaching this line the program start storing output in buffers and become silent .. the only thing i want to extract from ngrok while ngrok is running is the farwarded url that ngrok provides
    – arslanmughal
    yesterday












  • @arslanmughal You are partially correct, it's not stuck on the Popen() line tho. It's stuck on print(process.stdout.readline()). This is a huge different because it just tells us that Popen() isn't able to get the output from the process. I also tried stdout.read(1) which returns nothing. So I added an additional way of getting the output.
    – Torxed
    20 hours ago


















  • it looks that program stuck at this line of code """process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)""" after reaching this line the program start storing output in buffers and become silent .. the only thing i want to extract from ngrok while ngrok is running is the farwarded url that ngrok provides
    – arslanmughal
    yesterday












  • @arslanmughal You are partially correct, it's not stuck on the Popen() line tho. It's stuck on print(process.stdout.readline()). This is a huge different because it just tells us that Popen() isn't able to get the output from the process. I also tried stdout.read(1) which returns nothing. So I added an additional way of getting the output.
    – Torxed
    20 hours ago
















it looks that program stuck at this line of code """process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)""" after reaching this line the program start storing output in buffers and become silent .. the only thing i want to extract from ngrok while ngrok is running is the farwarded url that ngrok provides
– arslanmughal
yesterday






it looks that program stuck at this line of code """process = subprocess.Popen(cmd, stdout=subprocess.PIPE, stderr=subprocess.STDOUT)""" after reaching this line the program start storing output in buffers and become silent .. the only thing i want to extract from ngrok while ngrok is running is the farwarded url that ngrok provides
– arslanmughal
yesterday














@arslanmughal You are partially correct, it's not stuck on the Popen() line tho. It's stuck on print(process.stdout.readline()). This is a huge different because it just tells us that Popen() isn't able to get the output from the process. I also tried stdout.read(1) which returns nothing. So I added an additional way of getting the output.
– Torxed
20 hours ago




@arslanmughal You are partially correct, it's not stuck on the Popen() line tho. It's stuck on print(process.stdout.readline()). This is a huge different because it just tells us that Popen() isn't able to get the output from the process. I also tried stdout.read(1) which returns nothing. So I added an additional way of getting the output.
– Torxed
20 hours ago


















 

draft saved


draft discarded



















































 


draft saved


draft discarded














StackExchange.ready(
function () {
StackExchange.openid.initPostLogin('.new-post-login', 'https%3a%2f%2fstackoverflow.com%2fquestions%2f53229305%2fdynamic-output-from-python-subprocess-module%23new-answer', 'question_page');
}
);

Post as a guest




















































































Popular posts from this blog

Florida Star v. B. J. F.

Error while running script in elastic search , gateway timeout

Adding quotations to stringified JSON object values