我想通过一些独立的例程以顺序方式显示文件分析的进度状态,因为每个分析例程都需要一些时间。附带的演示代码显示了我遇到的问题。问题是分析结束后显示只会更新?欣赏知道为什么代码没有做什么以及如何解决它。注意:例程1& 2在2个单独的.py文件中。
from Tkinter import *
import tkFileDialog
import tkMessageBox
import routine1
import routine2
import sys
class Analysis(Frame):
def __init__(self):
Frame.__init__(self)
self.text = Text(self, height=20, width=60) # 20 characters
self.pack()
scroll=Scrollbar(self)
scroll.pack(side=RIGHT, fill=Y)
scroll.config(command=self.text.yview)
self.text.config(background='white')
self.text.pack(expand=YES, fill=BOTH)
def selectfile(self):
fname = tkFileDialog.askopenfilename()
self.text.delete(1.0, END)
self.text.insert(INSERT, ' working on routine 1: \n')
routine1.main(fname)
self.text.insert(INSERT, ' routine 1 done: \n')
self.text.insert(INSERT, ' working on routine 2: \n')
routine2.main(fname)
self.text.insert(INSERT, ' routine 2 done: ')
sys.exit()
def main():
tk = Tk()
tk.title('Data Analysis')
atext = Analysis()
atext.pack()
open_button = Button(tk, text="Select Data",
activeforeground='blue', command=atext.selectfile)
open_button.pack()
message='''
Select file to be analysized
'''
atext.text.insert(END,message)
tk.mainloop()
if __name__ == "__main__":
main()
routine1.py
import time
def main(Filename):
print Filename
time.sleep(1) # to simulate process time
return
routine2.py
import time
def main(Filename):
print Filename
time.sleep(1) # to simulate process time
return
答案 0 :(得分:1)
您需要在更改GUI中的内容后通过调用update_idletasks()
universal widget method手动更新显示。请注意,上次更新只会在很短的时间内显示,因为紧随其后会发出sys.exit()
来电。
def selectfile(self):
fname = tkFileDialog.askopenfilename()
self.text.delete(1.0, END)
self.text.insert(INSERT, ' working on routine 1: \n')
self.text.update_idletasks()
routine1.main(fname)
self.text.insert(INSERT, ' routine 1 done: \n')
self.text.update_idletasks()
self.text.insert(INSERT, ' working on routine 2: \n')
self.text.update_idletasks()
routine2.main(fname)
self.text.insert(INSERT, ' routine 2 done: ')
self.text.update_idletasks()
sys.exit()