我有countdown.exe文件(此文件的源代码如下)。执行此文件后,他会在控制台中每隔一秒写入一次文本。我执行GUI python应用程序时开始执行此文件:
self.countdown_process = subprocess.Popen("countdown.exe", shell=True, stdout=subprocess.PIPE)
我在subprocess.PIPE中重定向stdout并启动线程out_thread
,它读取此进程的stdout并添加到TextCtrl:
out_thread = OutTextThread(self.countdown_process.stdout, self.AddText)
out_thread.start()
这是我的python app的完整代码:
import os
import sys
import wx
import subprocess, threading
class MyFrame(wx.Frame):
def __init__(self):
super(MyFrame, self).__init__(None)
self._init_ctrls()
def _init_ctrls(self):
self.OutText = wx.TextCtrl(id=wx.NewId(), value='', name='OutText',
parent=self, pos=wx.Point(0, 0),
size=wx.Size(0, 0), style=wx.TE_MULTILINE|wx.TE_RICH2)
self.OutText.AppendText("Starting process...\n")
self.OutText.AppendText("Waiting 10 seconds...\n")
self.countdown_process = subprocess.Popen("countdown.exe", shell = True, stdout=subprocess.PIPE)
out_thread = OutTextThread(self.countdown_process.stdout, self.AddText)
out_thread.start()
def AddText(self, text):
self.OutText.AppendText(text)
class OutTextThread(threading.Thread):
def __init__(self, std_out, cb):
super(OutTextThread, self).__init__()
self.std_out = std_out
self.cb = cb
def run(self):
text = None
while text != '':
text = self.std_out.readline()
self.cb(text)
if __name__ == '__main__':
app = wx.App(False)
frame = MyFrame()
frame.Show(True)
app.MainLoop()
countdown.exe的C ++代码很简单:
#include <stdio.h>
#include <time.h>
void wait ( int seconds )
{
clock_t endwait;
endwait = clock () + seconds * CLOCKS_PER_SEC ;
while (clock() < endwait) {}
}
int main ()
{
int n;
printf ("Starting countdown...\n");
for (n=10; n>0; n--)
{
printf ("%d\n",n);
wait (1);
}
printf ("FIRE!!!\n");
return 0;
}
但我有一些问题。我启动我的python应用程序,我必须等待10秒,只有10秒,在TextCtrl中写入countdown.exe的stdout,如下图所示: 我想在TextCtrl(self.OutText)中实时编写countdown.exe的stdout。我怎么能这样做? 我尝试在AddText方法中使用wx.CallAfter:
def AddText(self, text):
wx.CallAfter(self.OutText.AppendText, text)
但它没用。
答案 0 :(得分:1)
您无法直接从线程调用wxPython方法。这一行
self.cb(text)
不起作用。但是,如果你把它放到线程安全的方法,如wx.CallAfter,那么它应该工作。请参阅以下链接:
我还写了一篇关于将stdout中的东西重定向到文本控件的教程: