我正在开发一个gui,我在其中创建了一个带有少量选项的右键单击弹出菜单。现在我的查询是如何将一些变量或值或参数或字符串传递给弹出菜单中包含的命令。 我使用下面的代码生成弹出菜单。
from Tkinter import *
root = Tk()
w = Label(root, text="Right-click to display menu", width=40, height=20)
w.pack()
# create a menu
popup = Menu(root, tearoff=0)
popup.add_command(label="Next", command=next(a,b))
popup.add_command(label="Previous")
popup.add_separator()
popup.add_command(label="Home")
def do_popup(event,a,b):
# display the popup menu
try:
popup.tk_popup(event.x_root, event.y_root)
finally:
# make sure to release the grab (Tk 8.0a1 only)
popup.grab_release()
def next(event,a,b):
print a
print b
w.bind("<Button-3>",lambda e, a=1, b=2: do_popup(e,a,b))
b = Button(root, text="Quit", command=root.destroy)
b.pack()
mainloop()
我上面的代码我想将a和b的值传递给Next命令。怎么做。
感谢。
答案 0 :(得分:2)
您需要存储此值才能在next
事件处理程序中使用它们。您可以执行一些步骤,例如在Menu对象中添加popup.values = (a, b)
的引用,但最干净的方法是使用类来表示GUI。
请注意,它就像继承Tkinter小部件一样简单,并添加您想要存储的值:
from Tkinter import *
class App(Tk):
def __init__(self):
Tk.__init__(self)
self.a = 1
self.b = 2
self.label = Label(self, text="Right-click to display menu", width=40, height=20)
self.button = Button(self, text="Quit", command=self.destroy)
self.label.bind("<Button-3>", self.do_popup)
self.label.pack()
self.button.pack()
def do_popup(self, event):
popup = Popup(self, self.a, self.b)
try:
popup.tk_popup(event.x_root, event.y_root)
finally:
popup.grab_release()
class Popup(Menu):
def __init__(self, master, a, b):
Menu.__init__(self, master, tearoff=0)
self.a = a
self.b = b
self.add_command(label="Next", command=self.next)
self.add_command(label="Previous")
self.add_separator()
self.add_command(label="Home")
def next(self):
print self.a, self.b
app = App()
app.mainloop()