如何在Tkinter中创建淡出效果?我的代码崩溃了

时间:2014-03-18 21:31:22

标签: python tkinter

我正在使用overrideredirect的自定义窗口在Tkinter中构建一个应用程序。我将自行设计的X按钮绑定到下面的功能。使用我的按钮关闭应用程序工作正常,它会淡出,但几秒钟后窗口重新出现,卡在一个循环(这就是它的样子)和崩溃。它应该退出,这是我添加fadeout循环之前所做的。有人可以告诉我为什么程序重新出现然后在关闭应用程序时崩溃或为fadeout效果提供更好的替代方案(我知道有更复杂的工具包但我需要在这种情况下使用Tkinter)?

由于

def CloseApp(event):
if InProgress==False: #InProgress boolean defined elsewhere in program
    if tkMessageBox.askokcancel("Quit","Do you really wish to quit?"):
        n=1
        while n != 0:
            n -= 0.1
            QuizWindow.attributes("-alpha", n)
            time.sleep(0.02)                                  
        Window.destroy() #I've also tried using the quit() method, not that it would make a difference
else:
    if tkMessageBox.askokcancel("Quit"," If you quit now you will lose your progress and have to start again. Are you sure you want to quit?"):
        n=1
        while n != 0:
            n -= 0.1
            QuizWindow.attributes("-alpha", n)
            time.sleep(0.02)
        Window.destroy() 

1 个答案:

答案 0 :(得分:5)

你有两个问题。首先,您不应该对浮点数进行精确比较。浮点数学是不精确的,n实际上可能永远不会是0.0000000...

其次,你不应该在GUI程序中调用time.sleep。如果您想每隔0.02秒运行一次,请使用after

以下是一个例子:

import Tkinter as tk

class Example(tk.Frame):
    def __init__(self, parent):
        tk.Frame.__init__(self, parent)
        b = tk.Button(self, text="Click to fade away", command=self.quit)
        b.pack()
        self.parent = parent

    def quit(self):
        self.fade_away()

    def fade_away(self):
        alpha = self.parent.attributes("-alpha")
        if alpha > 0:
            alpha -= .1
            self.parent.attributes("-alpha", alpha)
            self.after(100, self.fade_away)
        else:
            self.parent.destroy()

if __name__ == "__main__":
    root = tk.Tk()
    Example(root).pack(fill="both", expand=True)
    root.mainloop()