我花了很多年的时间寻找一种方法来做到这一点,到目前为止我还没有想出什么。 :(
我正在尝试为我制作的一个小CLI程序制作GUI - 所以我认为使用Ubuntu的“Quickly”将是最简单的方法。基本上它似乎使用Glade来制作GUI。我知道我需要在子进程中运行CLI后端,然后将stdout和stderr发送到textview。但我无法弄清楚如何做到这一点。
这是我希望输出显示的Glade / Quickly为对话框创建的代码:
from gi.repository import Gtk # pylint: disable=E0611
from onice_lib.helpers import get_builder
import gettext
from gettext import gettext as _
gettext.textdomain('onice')
class BackupDialog(Gtk.Dialog):
__gtype_name__ = "BackupDialog"
def __new__(cls):
"""Special static method that's automatically called by Python when
constructing a new instance of this class.
Returns a fully instantiated BackupDialog object.
"""
builder = get_builder('BackupDialog')
new_object = builder.get_object('backup_dialog')
new_object.finish_initializing(builder)
return new_object
def finish_initializing(self, builder):
"""Called when we're finished initializing.
finish_initalizing should be called after parsing the ui definition
and creating a BackupDialog object with it in order to
finish initializing the start of the new BackupDialog
instance.
"""
# Get a reference to the builder and set up the signals.
self.builder = builder
self.ui = builder.get_ui(self)
self.test = False
def on_btn_cancel_now_clicked(self, widget, data=None):
# TODO: Send SIGTERM to the subprocess
self.destroy()
if __name__ == "__main__":
dialog = BackupDialog()
dialog.show()
Gtk.main()
如果我把它放在finish_initializing函数
中backend_process = subprocess.Popen(["python", <path to backend>], stdout=subprocess.PIPE, shell=False)
然后进程启动并作为另一个PID运行,这就是我想要的,但现在我如何将backend_process.stdout发送到TextView?我可以写一下textview:
BackupDialog.ui.backup_output.get_buffer().insert_at_cursor("TEXT")
但我只需要知道每次有新的标准输出行时如何调用它。
答案 0 :(得分:0)
但我只需要知道每次有新的标准输出行时如何调用它。
您可以使用GObject.io_add_watch
来监视子进程输出或创建一个单独的线程来从子进程中读取。
# read from subprocess
def read_data(source, condition):
line = source.readline() # might block
if not line:
source.close()
return False # stop reading
# update text
label.set_text('Subprocess output: %r' % (line.strip(),))
return True # continue reading
io_id = GObject.io_add_watch(proc.stdout, GObject.IO_IN, read_data)
或使用线程:
# read from subprocess in a separate thread
def reader_thread(proc, update_text):
with closing(proc.stdout) as file:
for line in iter(file.readline, b''):
# execute update_text() in GUI thread
GObject.idle_add(update_text, 'Subprocess output: %r' % (
line.strip(),))
t = Thread(target=reader_thread, args=[proc, label.set_text])
t.daemon = True # exit with the program
t.start()