按下 tkinter GUI 上的按钮时,通常会导致界面冻结。尽管使用了线程,问题仍然存在。通过利用 Python Cookbook 中的建议,这里有一个在执行异步任务时保持 GUI 响应能力的解决方案:
GUI 冻结的主要原因是使用 join( )在后台线程上。为了防止这种情况,更好的方法是实现“轮询”机制。
Tkinter 的通用 after() 方法可以定期连续监控 Queue。这允许 GUI 在等待线程完成时保持响应。
以下代码举例说明了这种方法:
<code class="python">import Tkinter as tk import threading import queue # Create a queue for communication queue = queue.Queue() # Define the GUI portion class GuiPart(object): def __init__(self, master, queue): # Set up the GUI tk.Button(master, text='Done', command=self.end_command).pack() def processIncoming(self): while not queue.empty(): # Handle incoming messages here def end_command(self): # Perform necessary cleanup and exit # Define the threaded client class ThreadedClient(object): def __init__(self, master): # Set up GUI and thread self.gui = GuiPart(master, queue) self.thread = threading.Thread(target=self.worker_thread) self.thread.start() # Start periodic checking of the queue self.periodic_call() def periodic_call(self): self.gui.processIncoming() master.after(200, self.periodic_call) def worker_thread(self): # Perform asynchronous I/O tasks here, adding messages to the queue # Main program root = tk.Tk() client = ThreadedClient(root) root.mainloop()</code>
在此示例中, GUI 和后台线程通过队列处理,允许异步执行而不冻结 GUI。
以上是如何防止 Tkinter GUI 在等待线程完成时冻结?的详细内容。更多信息请关注PHP中文网其他相关文章!