关于从另一个运行脚本

时间:2010-12-02 09:23:00

标签: python pygtk

有没有一种方法可以让我从另一个脚本运行一个脚本,同时通过自己执行它来获得输出。 例如: 我使用os.popen3命令来执行abc.py,但我无法像执行python abc.py那样从abc.py获取输出。似乎我需要等待os.popen3命令才能完成:

fin, fout, ferr=os.popen3("abc.py")
out = fout.read()
err = ferr.read()
fo.write(out)
fe.write(err)
print out
print err

[编辑]:这里的fo和fe分别是输出和错误日志的文件句柄。

另外,我在pygtk中使用什么小部件来填充输出?

3 个答案:

答案 0 :(得分:2)

import subprocess
pro = subprocess.Popen('abc.py')

是一种更好的方法来摆弄其他脚本输入输出,输出和错误。

答案 1 :(得分:0)

您提到了 PyGtk ,但您可以尝试 PyQt ,特别是 QProcess 类,它有一些很好的信号,如:

  • readyReadStandardError
  • readyReadStandardOutput

使用PyGtk寻找类似的工具。

答案 2 :(得分:0)

子进程模块是选项,但棘手的部分是跟随输出与你的主循环gtk并行,以实现你必须考虑你正在处理的平台的目标,如果你在linux中你可以轻松运行另一个线程并使用gtk.gdk.threads_init来使用pygtk中的线程,但如果您计划在Windows上运行应用程序,那么您应该使用生成器 gobject.idle_add < /强>

关于小部件,请使用与gtk.TextBuffer

相关联的gtk.TextView

这是一个带线程的例子

import gtk
import subprocess
import threading

gtk.gdk.threads_init()

class FollowProcess(threading.Thread):
    def __init__(self, cmd, text_buffer):
        self.tb = text_buffer
        self.child = subprocess.Popen(cmd, shell=True, stdout=subprocess.PIPE)
        super(FollowProcess, self).__init__()

    def run(self):
        while not self.child.poll():
            out = self.child.stdout.read(1)
            if out != '':
                gtk.gdk.threads_enter()
                self.tb.insert_at_cursor(out)
                gtk.gdk.threads_leave()

def destroy(w, cmd):
    cmd.child.terminate()
    gtk.main_quit()

i = 0
def click_count(btn):
    global i
    message.set_text('Calling button %d' %i)
    i += 1

other_command = 'python extranger.py'

w = gtk.Window()
w.resize(400, 400)

message = gtk.Label('Nothing')
tb = gtk.TextBuffer()
tv = gtk.TextView(tb)
scroll = gtk.ScrolledWindow()
scroll.set_policy(gtk.POLICY_AUTOMATIC, gtk.POLICY_AUTOMATIC)
scroll.add(tv)

box = gtk.VBox()
button = gtk.Button('Active button')

cmd = FollowProcess('python extranger.py', tb)

button.connect('clicked', click_count )

w.connect('destroy', destroy, cmd)
box.pack_start(button, False)
box.pack_start(message, False)
box.pack_start(scroll)


w.add(box)
w.show_all()
cmd.start()
gtk.main()

并在extranger.py

import time
import sys

i = 0
while True:
    print 'some output %d' % i
    sys.stdout.flush() # you need this to see the output
    time.sleep(.5)
    i += 1

请注意,即使并行更新,按钮仍会保持响应。