Tkinter блокирует Python при загрузке значка и tk.mainloop находится в потоке

вот тестовый пример...

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 запирания Гиль когда присутствует значок?

цель-win32 и Python 2.6.2.

1 ответов


Я верю, что вы не должны выполнять основной цикл в другом потоке. 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)