-2

我在 python 中注意到了这种奇怪的行为——我试图记录一个进程的输出,然后读取这个输出并对其进行一些处理。即使在程序运行后打开文件时文件包含所有文本,我也无法读取任何内容。

它很简单

f=open("blah.txt",'w')
#I log the output of a program with subprocess
Cmdline="program.exe"
Dump= subprocess.Popen(CmdLine,stdout=f,stderr=subprocess.STDOUT)
#Waiting for it to finish
while(Dump.poll() is not None): #returns None while subprocess is running
        print "waiting on process to finish \n"
f.flush() #I flush everything to make sure it was written
sys.stdout.flush()
f.close()
#now i need to read from this file

f= open("blah.txt", 'r')
line=f.readline()
while line:
    print line
    line=f.readline()

f.close()

我什么也没读,但是当我在运行程序后打开文件 blah.txt 时,一切都在那里。关于我可能做错了什么的任何提示?我根本没有从“等待过程完成”中得到任何打印,但该过程需要大约一秒钟的时间才能运行。

4

2 回答 2

4

等到您的转储过程完成:

Dump= subprocess.Popen(CmdLine,stdout=f,stderr=subprocess.STDOUT)
#Waiting for it to finish
Dump.wait() # or -> while(Dump.poll() is None): print...

发生的情况是,由于您的等待循环是错误的,因此您不会在轮询之前对进程进行更改以启动,因此它甚至不会在关闭/打开文件之前等待它启动:

于 2013-03-26T00:20:55.087 回答
1

您的代码中的错误是这部分

while(Dump.poll() is not None): # While dump.pool is not None keep the loop going

它应该是

while(Dump.poll() is None): # While dump.pool is None keep the loop going

在您的 while 循环中,您实际上是在保持循环运行,只要Dump.poll()没有任何内容。问题是Dump.pool()在过程完成之前返回 None 。这意味着 while 循环将被立即取消,然后您才能捕获该进程的任何输出。

这是您的代码的更新版本,我确认它按预期工作。

with open("blah.txt",'w') as w:
    #I log the output of a program with subprocess
    Cmdline="program.exe"
    Dump = subprocess.Popen(CmdLine,stdout=w,stderr=subprocess.STDOUT)
    #Waiting for it to finish
    while(Dump.poll() is None): #returns None while subprocess is running
        print "waiting on process to finish \n"
    w.flush() #I flush everything to make sure it was written
    sys.stdout.flush()

#now i need to read from this file
with open("blah.txt", 'r') as f:
    line=f.readline()
    while line:
        print line
        line=f.readline()

我还建议您使用with关键字来确保文件在完成任务后始终正确关闭。

于 2013-03-26T00:13:08.383 回答