I am trying to use the subprocess command to send its stdout output to a log file.
I want the user to be able to use tail -f logfile
to look at the logs simultaneously.
However, I observed that the subprocess module is buffering output logs for a long time, before it writes to the file. Is there any way to avoid this buffering behavior?
file_stdout=open("/var/log/feeder.log","w")
file_stderr=open("/var/log/feeder.err","w")
proc = subprocess.Popen("python /etc/feeder/feeder.py -i " + input_file + " -o " + output_file + " -r " + str(rate) + " -l " +str(lines), stdout=file_stdout, stderr=file_stderr, shell=True)
When I run tail -f /var/log/feeder.log
I would like to see the streaming output.
Any way to achieve this?
No it's not. You can't pass a string as
stdout
. As the docs make clear. It takes a file object or a file descriptor (a number).So, the problem is almost certainly with the way you opened the file, which you haven't shown us. I'm guessing you did it with the
open
function, and you left thebuffering
argument as the default. As the docs say:(This is the Python 3.x version of
open
; things are different in 2.x, but the basic problem is equivalent, and so is the solution.)So, it's going to write in chunks of, e.g., 8192 bytes.
If you want unbuffered output, you can use
buffering=0
(and of course make sure to open the file in binary mode). Or just useos.open
and pass the fd, and letsubprocess
create its own file object.While we're at it, you probably shouldn't be using
shell=True
(the shell could theoretically introduce buffering of its own—and, more importantly, it's not doing you any good, and it will cause all kinds of problems if, say, any of those strings have spaces in them). Also, you may want to usesys.executable
instead of'python'
for the program name; that ensures that the same version of Python being used to run the parent script also gets used to run the child script, rather than whatever version of Python happens to be first one thePATH
.