Code:
JavaScript
x
21
21
1
import tkinter as tk
2
3
win = tk.Tk()
4
5
def all_state():
6
button_list = [button1, button2, button3]
7
for i in button_list:
8
if i['state'] == 'disabled':
9
i['state'] = 'active'
10
11
button1 = tk.Button(win, text = 'Click me', state = 'disabled', command = all_state)
12
button1.grid(column = 0, row = 0)
13
14
button2 = tk.Button(win, text = 'Now me', state = 'active', command = all_state)
15
button2.grid(column = 1, row = 0)
16
17
button3 = tk.Button(win, text = 'Now', state = 'active', command = all_state)
18
button3.grid(column = 2, row = 0)
19
20
win.mainloop()
21
Output:
When I click any other button, I get:
All buttons get enabled.
Question:
After I’ve clicked one of the buttons which aren’t disabled, I want this one to get disabled. Let’s say I clicked button button2
. Thus, button2
will get disabled as shown:
The reason why I haven’t found a solution is because the button that will be selected is arbitrary, so I can’t think of how to do it.
Advertisement
Answer
Pass index when you call the all_state()
also place button_list = [button1, button2, button3]
outside the function.
Example:
JavaScript
1
24
24
1
import tkinter as tk
2
3
win = tk.Tk()
4
5
def all_state(index):
6
7
for btn in button_list:
8
btn['state'] = 'active'
9
10
button_list[index]['state'] = 'disabled'
11
12
button1 = tk.Button(win, text = 'Click me', state = 'disabled', command = lambda :all_state(0))
13
button1.grid(column = 0, row = 0)
14
15
button2 = tk.Button(win, text = 'Now me', state = 'active', command = lambda :all_state(1))
16
button2.grid(column = 1, row = 0)
17
18
button3 = tk.Button(win, text = 'Now', state = 'active', command = lambda :all_state(2))
19
button3.grid(column = 2, row = 0)
20
21
button_list = [button1, button2, button3]
22
23
win.mainloop()
24
Alternatively use event.widget
to get the current button:
JavaScript
1
26
26
1
import tkinter as tk
2
3
win = tk.Tk()
4
5
def all_state(event):
6
btn = event.widget
7
for button in win.winfo_children():
8
if isinstance(button, tk.Button):
9
button['state'] = 'active'
10
11
btn['state'] = 'disabled'
12
13
button1 = tk.Button(win, text = 'Click me', state = 'disabled')
14
button1.bind('<1>', all_state)
15
button1.grid(column = 0, row = 0)
16
17
button2 = tk.Button(win, text = 'Now me', state = 'active')
18
button2.bind('<1>', all_state)
19
button2.grid(column = 1, row = 0)
20
21
button3 = tk.Button(win, text = 'Now', state = 'active')
22
button3.bind('<1>', all_state)
23
button3.grid(column = 2, row = 0)
24
25
win.mainloop()
26