You can bind the left mouse button click event of the label, to a lambda construct that toggles the checkbutton -:
label.bind("<Button-1>", lambda x : check_button.toggle())
The label can then be placed before the checkbutton using grid(as mentioned in the OP at the end) -:
from tkinter import *
master = Tk()
l1 = Label(master, text = "Here...")
cb = Checkbutton(master)
l1.grid(row = 0, column = 0)
cb.grid(row = 0, column = 1, sticky=W)
l1.bind("<Button-1>", lambda x : cb.toggle())
mainloop()
This will toggle, the checkbutton even if the label is clicked.
OUTPUT -:
NOTE:
The checkbutton, has to now be fetched as an object(cb
), to be used in the lambda construct for the label's bind function callback argument. Thus, it is gridded in the next line. It is generally a good practice to manage the geometry separately, which can prevent error such as this one.
Also, as mentioned in the post linked by @Alexander B. in the comments, if this assembly is to be used multiple times, it can also be made into a class of it's own that inherits from the tkinter.Frame
class -:
class LabeledCheckbutton(Frame):
def __init__(self, root, text = ""):
Frame.__init__(self, root)
self.checkbutton = Checkbutton(self)
self.label = Label(self, text = text)
self.label.grid(row = 0, column = 0)
self.checkbutton.grid(row = 0, column = 1)
self.label.bind('<Button-1>', lambda x : self.checkbutton.toggle())
return
pass
Using this with grid as the geometry manager, would make the full code look like this -:
from tkinter import *
class LabeledCheckbutton(Frame):
def __init__(self, root, text = ""):
Frame.__init__(self, root)
self.checkbutton = Checkbutton(self)
self.label = Label(self, text = text)
self.label.grid(row = 0, column = 0)
self.checkbutton.grid(row = 0, column = 1)
self.label.bind('<Button-1>', lambda x : self.checkbutton.toggle())
return
pass
master = Tk()
lcb = LabeledCheckbutton(master, text = "Here...")
lcb.grid(row = 0, sticky = W)
mainloop()
The output of the above code remains consistent with that of the first approach. The only difference is that it is now more easily scalable, as an object can be created whenever needed and the same lines of code need not be repeated every time.