Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Python tkinter disable the button until all the fields are filled

Let's say I have 2 entry widgets, 1 option menu(drop down list) and 1 button in tkinter. How can i set the button widget state to DISABLED until all 3 widgets are filled by the user?This is what i have currently:

import Tkinter as tk

root = tk.Tk()

entry1=tk.Entry(root,width=15).grid(row=1,column=1)
entry2=tk.Entry(root,width=15).grid(row=1,column=2)

choices=('a','b','c')
var=tk.StringVar(root)
option=tk.OptionMenu(root,var,*choices)
option.grid(row=1,column=3)

button=tk.Button(root,text="submit")
button.grid(row=1,column=4)

root.mainloop()

--EDIT--

Tried this way, but i don't think this is the correct way to do it.

import Tkinter as tk

root = tk.Tk()
def myfunction(event):
    x=var.get()
    y=entry1.get()
    z=entry2.get()
    print len(x),":",len(y),":",len(z)
    if len(y)>0 and len(x)>0 and len(z)>0:
        button.config(state='normal')
    else:
        button.config(state='disabled')
entry1=tk.Entry(root,width=15)
entry1.grid(row=1,column=1)
entry2=tk.Entry(root,width=15)
entry2.grid(row=1,column=2)

choices=('a','b','c')
var=tk.StringVar(root)
option=tk.OptionMenu(root,var,*choices)
option.grid(row=1,column=3)

button=tk.Button(root,text="submit")
button.grid(row=1,column=4)

root.bind("<Enter>", myfunction)
root.mainloop()
like image 287
Chris Aung Avatar asked May 22 '13 08:05

Chris Aung


1 Answers

Tkinter variables have a method called trace to add an observer, so the callback function is called when the value changes. I think it is much more efficient than root.bind("<Enter>", myfunction):

import Tkinter as tk

root = tk.Tk()

def myfunction(*args):
    x = var.get()
    y = stringvar1.get()
    z = stringvar2.get()
    if x and y and z:
        button.config(state='normal')
    else:
        button.config(state='disabled')

stringvar1 = tk.StringVar(root)
stringvar2 = tk.StringVar(root)
var = tk.StringVar(root)

stringvar1.trace("w", myfunction)
stringvar2.trace("w", myfunction)
var.trace("w", myfunction)

entry1 = tk.Entry(root, width=15, textvariable=stringvar1)
entry1.grid(row=1,column=1)
entry2 = tk.Entry(root, width=15, textvariable=stringvar2)
entry2.grid(row=1,column=2)

choices = ('a','b','c')
option = tk.OptionMenu(root, var, *choices)
option.grid(row=1,column=3)

button = tk.Button(root,text="submit")
button.grid(row=1, column=4)

root.mainloop()
like image 160
A. Rodas Avatar answered Nov 03 '22 00:11

A. Rodas