如何在Tkinter中更新小部件?

时间:2011-04-25 17:49:59

标签: python user-interface tkinter widget

好的,所以我只是想弄清楚为什么我的代码不像我想的那样工作。

我正在构建一个GUI,我希望在Label上显示带有文本变量的文本。我已经创建了一个在调用函数时更新Label的函数,但当然这不是我的问题。

我的问题源于我试图实施“一次打印一个字母”的标签类型。当它以我想要的方式打印到终端时,标签小部件仅在整个功能完成后更新(在视觉上它与打印整个字符串相同,而不是一次打印一个字母)。

所以我错过了什么,我不明白什么?你们能帮助我吗?让我发布一些代码,以便你们可以看到我的错误。

我独立尝试了这两个,他们都给我带来了相同的结果,这不是我想要的。

def feeder(phrase):
    """Takes a string and displays the content like video game dialog."""
    message = ""
    for letter in phrase:       
        time.sleep(.15)
        message += letter
        information.set(message)
        #print message

def feeder2(phrase):
    """Same as feeder, but trying out recursion"""
    current.index += 1
    if current.index <= len(phrase):
        information.set(phrase[:current.index])
        time.sleep(.1)
        feeder2(current.status())

如果我需要发布更多代码,我不是肯定的,所以你们可以更好地理解,但如果是这样,我会这样做。

这个功能使用了这两个功能

def get_info():
    """This function sets the textvariable information."""
    #information.set(current)
    feeder2(current.status())

在此功能中使用了

def validate():
    """ This function checks our guess and keeps track of our statistics for us. This is the function run when we press the enter button. """
    current.turn += 1
    if entry.get() == current.name:
        if entry.get() == "clearing":
                print "Not quite, but lets try again."
                current.guesses -= 1
        if entry.get() != "clearing":
            print "Great Guess!"
            current.points += 1

    else:
        print "Not quite, but lets try again."
        current.guesses -= 1
    print current
    get_info()
    entry.delete(0, END)
    current.name = "clearing"

1 个答案:

答案 0 :(得分:5)

每次输入事件循环时,UI都会更新。这是因为绘画是通过事件(也称为“空闲任务”)完成的,因为它们是在UI处于空闲状态时完成的。

你的问题是这样的:当你编写循环并执行time.sleep时,在循环运行时不会输入事件循环,因此不会重绘。

您可以通过至少两种不同的方式解决问题。例如,您只需拨打update_idletasks即可刷新屏幕。这将解决重新绘制问题,但由于您正在睡觉,因此在循环期间UI将无响应(因为按钮和按键不是“空闲任务”)。

另一种解决方案是编写一个带字符串的函数,从字符串中提取一个字符并将其添加到窗口小部件。然后它安排自己通过事件循环再次调用。例如:

import Tkinter as tk

class App(tk.Tk):
    def __init__(self,*args, **kwargs):
        tk.Tk.__init__(self, *args, **kwargs)
        self.label = tk.Label(self, text="", width=20, anchor="w")
        self.label.pack(side="top",fill="both",expand=True)
        self.print_label_slowly("Hello, world!")

    def print_label_slowly(self, message):
        '''Print a label one character at a time using the event loop'''
        t = self.label.cget("text")
        t += message[0]
        self.label.config(text=t)
        if len(message) > 1:
            self.after(500, self.print_label_slowly, message[1:])

app = App()
app.mainloop()

此类解决方案可确保您的UI在循环运行代码时保持响应。只是,不是使用显式循环,而是将工作添加到已经运行的事件循环中。