我有一个16x16矩阵的tkinter按钮:
for c in range(self.track_size):
row = []
for r in range(self.track_size):
button = tk.Button(
self.ground_data_frame,
text="0"
)
button.grid(row=r, column=c, sticky=tk.NW+tk.NE+tk.SW+tk.SE+tk.W+tk.E+tk.N+tk.S)
row.append(button)
self.ground_data_buttons.append(row)
我为每个定义后定义一个命令函数:
for r in self.ground_data_buttons:
for b in r:
b.config(command=lambda: b.config(text=self.ground_data_values[
self.values_list_box.get(tk.ACTIVE)
]))
我们的想法是使用ListBox中选择的值更新单击的按钮文本。问题是,当我点击第一个按钮时,例如,这就是:
它仅更新最后一个按钮。它完全忽略了所有先前按钮的命令。不使用循环来手动创建所有按钮是荒谬的。为什么会这样?
编辑:即使我尝试使用tk.StringVar()
,问题仍然存在。
for c in range(self.track_size):
row = []
for r in range(self.track_size):
button_text = tk.StringVar()
button = tk.Button(
self.ground_data_frame,
textvariable=button_text
)
button.grid(row=r, column=c, sticky=tk.NW+tk.NE+tk.SW+tk.SE+tk.W+tk.E+tk.N+tk.S)
row.append((button, button_text))
self.ground_data_buttons.append(row)
for r in self.ground_data_buttons:
for b in r:
b[0].config(command=lambda: b[1].set(self.ground_data_values[
self.values_list_box.get(tk.ACTIVE)
]))
EDIT2:即使使用课程,问题仍然存在。
class Button(tk.Button):
def __init__(self, frame):
self.textvariable = tk.StringVar()
tk.Button.__init__(self, frame, textvariable=self.textvariable)
self.update_value("0")
def update_value(self, value):
self.textvariable.set(value)
def set_command(self, f):
self.config(command=f)
...
for c in range(self.track_size):
row = []
for r in range(self.track_size):
button = Button(self.ground_data_frame)
button.grid(row=r, column=c, sticky=tk.NW+tk.NE+tk.SW+tk.SE+tk.W+tk.E+tk.N+tk.S)
row.append(button)
self.ground_data_buttons.append(row)
for r in self.ground_data_buttons:
for b in r:
b.set_command(lambda: b.update_value(self.ground_data_values[self.values_list_box.get(tk.ACTIVE)]))
答案 0 :(得分:1)
使用this答案作为指导,解决方案是在lambda
回调函数中为变量添加默认值。在你的情况下,它看起来像这样:
def updateButton(row, column):
buttons[row][column].config(text="1")
for row in range(len(buttons)):
for col in range(len(buttons[row])):
buttons[row][col].config(command=lambda row=row, col=col: updateButton(row, col))