0

这可能是一个愚蠢的问题。我在 Tkinter GUI 中有一个标签,我希望它随着时间的推移而更新。

例子:

Msglabel=Tkinter.Label(... text="")

Msglabel.Cofigure(text=" EXAMPLE!")

Wait(5sec)

Msglabel.Configure(text=" NEW EXAMPLE!")

我已经阅读了有关该after()方法的信息,但我正在寻找诸如 Wait 之类的东西。

4

1 回答 1

2

您需要在等待期间将控制权交给 Tkinter,因为 Tkinter 在单线程循环中更新 UI。

在配置调用之间休眠将挂起 UI。

正如你所提到的,after是你想要的方法。尝试这样的事情:

try:
    import Tkinter as tkinter  # Python 2
except ImportError:
    import tkinter  # Python 3
import itertools


class MyApplication(object):
    def __init__(self):
        # Create and pack widgets
        self.root = tkinter.Tk()
        self.label = tkinter.Label(self.root)
        self.button = tkinter.Button(self.root)
        self.label.pack(expand=True)
        self.button.pack()

        self.label['text'] = 'Initial'
        self.button['text'] = 'Update Label'
        self.button['command'] = self.wait_update_label

        # Configure label values
        self.label_values = itertools.cycle(['Hello', 'World'])

    def launch(self):
        self.root.mainloop()

    def wait_update_label(self):
        def update_label():
            value = next(self.label_values)
            self.label['text'] = value

        update_period_in_ms = 1500
        self.root.after(update_period_in_ms, update_label)
        self.label['text'] = 'Waiting...'


if __name__ == '__main__':
    app = MyApplication()
    app.launch()
于 2013-03-29T05:27:05.987 回答