我有一个非常奇怪的问题,我以前从未使用过tkinter。在我为按钮或菜单项等小部件设置命令的任何地方,该命令在应用程序启动时运行。基本上,命令不会等到单击小部件才能运行。在我的代码中,我知道我没有打包按钮,这是为了表明甚至不必将小部件绘制到屏幕上以发生此问题。有人知道是什么原因引起的吗?谢谢!
from tkinter import *
class menuItems(object):
def __init__(self):
menubar = Menu(app)
filemenu = Menu(menubar, tearoff=0)
filemenu.add_command(label="New...", command=self.new())
filemenu.add_command(label="Open...", command=self.open())
filemenu.add_command(label="Save", command=self.save())
filemenu.add_separator()
filemenu.add_command(label="Exit", command=app.quit)
menubar.add_cascade(label="File", menu=filemenu)
app.config(menu=menubar)
def new(self):
pass
def open(self):
pass
def save(self):
print("You have saved the file")
def this_should_not_run():
print("Yay! I didn't run!")
def this_will_run_even_though_it_should_not():
print("You can't stop me!")
def init():
global app, menu
app = Tk()
app.title("Words with Python")
app.geometry("800x500+50+50")
menu = menuItems()
frame = Frame(app)
scrollbar = Scrollbar(frame, orient=VERTICAL)
textbox = Text(frame, yscrollcommand=scrollbar.set)
scrollbar.config(command=textbox.yview)
scrollbar.pack(side=RIGHT, fill=Y)
textbox.pack(side=LEFT, fill=BOTH, expand=1)
frame.pack(fill=BOTH, expand=1)
button = Button(app, text="Nothing", command=this_will_run_even_though_it_should_not())
return
init()
app.mainloop()
答案 0 :(得分:12)
删除命令定义中的()
。现在,您正在调用函数并将返回值绑定到command
参数,而您需要绑定函数本身,以便以后可以调用它们。
这样一条线:
filemenu.add_command(label="New...", command=self.new())
实际应该是这样的:
filemenu.add_command(label="New...", command=self.new)
(你实际上是在一个地方正确地做到了这一点:filemenu.add_command(label="Exit", command=app.quit)
)
答案 1 :(得分:7)
filemenu.add_command(label="Open...", command=self.open())
filemenu.add_command(label="New...", command=self.new())
filemenu.add_command(label="Open...", command=self.open())
filemenu.add_command(label="Save", command=self.save())
在这些行中,您必须将引用传递给函数。你实际上正在调用函数。
filemenu.add_command(label="Open...", command=self.open)
filemenu.add_command(label="New...", command=self.new)
filemenu.add_command(label="Open...", command=self.open)
filemenu.add_command(label="Save", command=self.save)