我基本上有一个类似的问题,但我觉得它没有得到适当的回答:
Tkinter: How can I dynamically create a widget that can then be destroyed or removed?
您需要将动态创建的小部件存储在列表中。有
之类的东西dynamic_buttons = [] def onDoubleClick(event): ... button = Button(...) dynamic_buttons.append(button) button.pack() You can then access the buttons for removal with, say, dynamic_buttons[0].destroy()
你可以看到他们所说的引用不是可变的,这里使用数字0。但是在动态创建小部件时,如何将这些引用连接到按钮?
假设您创建了一个Toplevel小部件(显示文件的内容),并希望有一个按钮来关闭小部件。动态创建将允许打开多个文件。 问题是,即使有这个列表,按钮如何“知道”它属于哪个小部件,因为没有硬参考(很棒,你有一个项目列表,但顶级5 +按钮5没有线索他们是他们的名单中排名第五)。按钮和顶部总会只有一个“活动”版本,可以删除这个版本。
aanstuur_files = []
aanstuur_frames = []
aanstuur_buttons = []
def editAanstuur():
openfiles = filedialog.askopenfilenames()
if not openfiles:
return
for file in openfiles:
newtop = Toplevel(nGui, height=100, width=100)
labelTitle = Label(newtop, text=file).pack()
newButton = Button(newtop, text="save & close", command= ...).pack()
aanstuur_files.append(file)
aanstuur_buttons.append(newButton)
aanstuur_frames.append(newtop)
答案 0 :(得分:1)
按钮如何知道它属于哪个窗口?你告诉它:
newButton = Button(newtop, command=lambda top=newtop: top.destroy())
顺便说一下,您在代码中为None
分配了newButton
。这是因为您正在执行newbutton = Button(...).pack()
,这意味着newbutton
获取的值pack()
始终为无。
如果要保存对窗口小部件的引用,则必须在将窗口放置在窗口中时单独创建窗口小部件。
更好的解决方案是利用类和对象。创建自己的Toplevel子类,实例将跟踪所有子窗口小部件。例如:
class MyToplevel(Toplevel):
def __init__(self, parent, filename, *args, **kwargs):
Toplevel.__init__(self, parent, *args, **kwargs)
self.filename = filename
self.savebutton = Button(..., command=self.save)
...
def save(self):
print "saving...", self.filename
...
self.destroy()
...
openfiles = filedialog.askopenfilenames()
if not openfiles:
return
for file in openfiles:
newtop = MyToplevel(nGui, file, height=100, width=100)
答案 1 :(得分:0)
def editAanstuur():
openfiles = filedialog.askopenfilenames()
if not openfiles:
return
for i, file in enumerate(openfiles):
newtop = Toplevel(nGui, height=100, width=100)
labelTitle = Label(newtop, text=file).pack()
newButton = Button(newtop, text="Save", command=lambda index=i: print(index)).pack()
aanstuur_files.append(file)
aanstuur_buttons.append(newButton)
aanstuur_frames.append(newtop)
确保在定义lambda时将索引作为关键字参数传递以绑定值(闭包将使用i
的最后一个值)。
enumerate()
接受第二个参数,即从索引开始,默认为0。