我有这个Python / Tkinter代码。代码通过os.system(cmd)
简单地调用它来启动一个相当CPU重的过程。我想要一个进度条(振荡的,不是渐进的),向用户显示实际发生的事情。
我想我只需要在调用os.system
之前启动包含进度条的线程,然后在进度条线程运行时调用os.system
,关闭进度条线程并销毁关联Toplevel()
。
我的意思是,Python非常灵活,是否有可能在没有太多痛苦的情况下做到这一点? 我知道从另一个线程中杀死一个线程是不安全的(由于数据共享),但据我所知,这两个线程不共享任何数据。
是否可以这样:
progressbar_thread.start()
os.system(...)
progressbar_thread.kill()
如果那是不可能的,我仍然不明白如何在两个线程之间传递'signal'变量。
谢谢,
安德烈
答案 0 :(得分:1)
在这种情况下你不需要线程。只需使用subprocess.Popen
即可启动子流程。
要在流程结束时通知GUI,您可以使用widget.after()
方法实现轮询:
process = Popen(['/path/to/command', 'arg1', 'arg2', 'etc'])
progressbar.start()
def poller():
if process.poll() is None: # process is still running
progressbar.after(delay, poller) # continue polling
else:
progressbar.stop() # process ended; stop progress bar
delay = 100 # milliseconds
progressbar.after(delay, poller) # call poller() in `delay` milliseconds
如果您想手动停止该过程而不等待:
if process.poll() is None: # process is still running
process.terminate()
# kill process in a couple of seconds if it is not terminated
progressbar.after(2000, kill_process, process)
def kill_process(process):
if process.poll() is None:
process.kill()
process.wait()
答案 1 :(得分:0)
这是你追求的东西吗?
from Tkinter import *
import ttk, threading
class progress():
def __init__(self, parent):
toplevel = Toplevel(tk)
self.progressbar = ttk.Progressbar(toplevel, orient = HORIZONTAL, mode = 'indeterminate')
self.progressbar.pack()
self.t = threading.Thread()
self.t.__init__(target = self.progressbar.start, args = ())
self.t.start()
#if self.t.isAlive() == True:
# print 'worked'
def end(self):
if self.t.isAlive() == False:
self.progressbar.stop()
self.t.join()
def printmsg():
print 'proof a new thread is running'
tk = Tk()
new = progress(tk)
but1 = ttk.Button(tk, text= 'stop', command= new.end)
but2 = ttk.Button(tk, text = 'test', command= printmsg)
but1.pack()
but2.pack()
tk.mainloop()