你的实现很好。但是正如您所说,会有很多按钮具有相同的功能,那么我建议创建一个自定义 Button 类(继承自tk.Button
)来嵌入此功能,并将此自定义 Button 类用于那些需要此功能的按钮。
下面是一个例子:
import tkinter as tk
class MyButton(tk.Button):
def __init__(self, parent=None, *args, **kw):
self._user_command = kw.pop("command", None)
super().__init__(parent, *args, **kw)
self["command"] = self._on_click
def _on_click(self):
self.configure(state="disabled")
if self._user_command:
self._user_command(self)
def on_click(btn):
print (f'Button "{btn["text"]}" is deactivated')
root = tk.Tk()
button1 = MyButton(root, text='click', command=on_click)
button1.pack()
button2 = MyButton(root, text='Hello', command=on_click)
button2.pack()
root.mainloop()
请注意,我已更改command
选项的回调签名。按钮的实例将作为第一个参数传递给回调,以便您可以对按钮执行任何操作。