当加载图标且 tk.mainloop 位于线程中时,Tkinter 会锁定 Python

2024-04-29

这是测试用例...

import Tkinter as tk
import thread
from time import sleep

if __name__ == '__main__':
    t = tk.Tk()
    thread.start_new_thread(t.mainloop, ())
    # t.iconbitmap('icon.ico')

    b = tk.Button(text='test', command=exit)
    b.grid(row=0)

    while 1:
        sleep(1)

这段代码有效。取消注释 t.iconbitmap 行并将其锁定。以您喜欢的方式重新排列;它会锁定。

如何防止 tk.mainloop 锁定GIL https://en.wikipedia.org/wiki/Global_interpreter_lock当出现图标时?

目标是win32和Python 2.6.2。


我相信你不应该在不同的线程上执行主循环。 AFAIK,主循环应该在创建小部件的同一线程上执行。

我熟悉的 GUI 工具包(Tkinter、.NET Windows Forms)是这样的:您只能从一个线程操作 GUI。

在 Linux 上,您的代码引发异常:



self.tk.mainloop(n)
RuntimeError: Calling Tcl from different appartment
  

以下之一将起作用(没有额外的线程):

if __name__ == '__main__':
    t = tk.Tk()
    t.iconbitmap('icon.ico')

    b = tk.Button(text='test', command=exit)
    b.grid(row=0)

    t.mainloop()

使用额外的线程:

def threadmain():
    t = tk.Tk()
    t.iconbitmap('icon.ico')
    b = tk.Button(text='test', command=exit)
    b.grid(row=0)
    t.mainloop()


if __name__ == '__main__':
    thread.start_new_thread(threadmain, ())

    while 1:
        sleep(1)

如果您需要从 tkinter 线程外部与 tkinter 进行通信,我建议您设置一个计时器来检查工作队列。

这是一个例子:

import Tkinter as tk
import thread
from time import sleep
import Queue

request_queue = Queue.Queue()
result_queue = Queue.Queue()

def submit_to_tkinter(callable, *args, **kwargs):
    request_queue.put((callable, args, kwargs))
    return result_queue.get()

t = None
def threadmain():
    global t

    def timertick():
        try:
            callable, args, kwargs = request_queue.get_nowait()
        except Queue.Empty:
            pass
        else:
            print "something in queue"
            retval = callable(*args, **kwargs)
            result_queue.put(retval)

        t.after(500, timertick)

    t = tk.Tk()
    t.configure(width=640, height=480)
    b = tk.Button(text='test', name='button', command=exit)
    b.place(x=0, y=0)
    timertick()
    t.mainloop()

def foo():
    t.title("Hello world")

def bar(button_text):
    t.children["button"].configure(text=button_text)

def get_button_text():
    return t.children["button"]["text"]

if __name__ == '__main__':
    thread.start_new_thread(threadmain, ())

    trigger = 0
    while 1:
        trigger += 1

        if trigger == 3:
            submit_to_tkinter(foo)

        if trigger == 5:
            submit_to_tkinter(bar, "changed")

        if trigger == 7:
            print submit_to_tkinter(get_button_text)

        sleep(1)
本文内容由网友自发贡献,版权归原作者所有,本站不承担相应法律责任。如您发现有涉嫌抄袭侵权的内容,请联系:hwhale#tublm.com(使用前将#替换为@)

当加载图标且 tk.mainloop 位于线程中时,Tkinter 会锁定 Python 的相关文章

随机推荐