Having trouble with Tkinter transparency Having trouble with Tkinter transparency tkinter tkinter

Having trouble with Tkinter transparency


The problem is that your code never allows the window to redraw itself. Sleep causes the program to stop so the event loop isn't entered, and it's the event loop that causes the window to be drawn.

Instead of sleeping, take advantage of the event loop and update the attributes every N milliseconds until you get the desired alpha transparency you want.

Here's an example that works on the mac. I assume it works on windows too.

import Tkinter as tkclass App:    def __init__(self):        self.root = tk.Tk()        self.count = 0        b=tk.Button(text="create window", command=self.create_window)        b.pack()        self.root.mainloop()    def create_window(self):        self.count += 1        t=FadeToplevel(self.root)        t.wm_title("Window %s" % self.count)        t.fade_in()class FadeToplevel(tk.Toplevel):    '''A toplevel widget with the ability to fade in'''    def __init__(self, *args, **kwargs):        tk.Toplevel.__init__(self, *args, **kwargs)        self.attributes("-alpha", 0.0)    def fade_in(self):        alpha = self.attributes("-alpha")        alpha = min(alpha + .01, 1.0)        self.attributes("-alpha", alpha)        if alpha < 1.0:            self.after(10, self.fade_in)if __name__ == "__main__":    app=App()