在尝试使用EasyGUI制作游戏后,我发现它不会做一些对游戏很重要的事情,所以我开始使用Tkinter。但是我遇到了另一个我不确定如何解决的问题。这是代码:
money = Button(box2, text = "Get Money", highlightbackground = "yellow", command = close_parentg)
def moneywindow():
parent.destroy() # The button is inside the parent.
Money.mainloop() # This is the window I want to open.
destroy()命令工作正常,因为当我按下按钮时第一个窗口关闭,但是如果我运行程序,即使我没有告诉它,也会弹出第二个窗口(或者至少我我想我还没有。
如何阻止第二个窗口在开始时弹出,仅在我点击按钮时显示?
答案 0 :(得分:0)
mainloop()
不是什么创造了窗户。创建窗口的唯一两种方法是在程序开始时创建Tk
的实例,以及在程序运行时创建Toplevel
的实例。
您的GUI应该只调用mainloop()
一次,它应该在应用程序的生命周期内保持运行。当你销毁根窗口时它会退出,并且tkinter被设计成当你销毁根窗口时,程序退出。
一旦这样做,除非您使用Toplevel
明确创建窗口,否则不会弹出任何窗口。
这是一个允许您创建多个窗口的示例,并使用lambda
为每个窗口提供一个销毁自己的按钮。
import Tkinter as tk
class Example(tk.Frame):
def __init__(self, parent):
tk.Frame.__init__(self, parent)
new_win_button = tk.Button(self, text="Create new window",
command=self.new_window)
new_win_button.pack(side="top", padx=20, pady=20)
def new_window(self):
top = tk.Toplevel(self)
label = tk.Label(top, text="Hello, world")
b = tk.Button(top, text="Destroy me",
command=lambda win=top: win.destroy())
label.pack(side="top", fill="both", expand=True, padx=20, pady=20)
b.pack(side="bottom")
if __name__ == "__main__":
root = tk.Tk()
Example(root).pack(fill="both", expand=True)
root.mainloop()