How do I close a tkinter window? How do I close a tkinter window? python python

How do I close a tkinter window?


You should use destroy() to close a tkinter window.

from Tkinter import *root = Tk()Button(root, text="Quit", command=root.destroy).pack()root.mainloop()

Explanation:

root.quit()

The above line just Bypasses the root.mainloop() i.e root.mainloop() will still be running in background if quit() command is executed.

root.destroy()

While destroy() command vanish out root.mainloop() i.e root.mainloop() stops.

So as you just want to quit the program so you should use root.destroy() as it will it stop the mainloop().

But if you want to run some infinite loop and you don't want to destroy your Tk window and want to execute some code after root.mainloop() line then you should use root.quit(). Ex:

from Tkinter import *def quit():    global root    root.quit()root = Tk()while True:    Button(root, text="Quit", command=quit).pack()    root.mainloop()    #do something


def quit()    root.quit()

or

def quit()    root.destroy()


import Tkinter as tkdef quit(root):    root.destroy()root = tk.Tk()tk.Button(root, text="Quit", command=lambda root=root:quit(root)).pack()root.mainloop()