我尝试使用 checkbutton 小部件以及布尔变量。当我使用脚本而没有一个类时 - 它起作用了,但当我将应用程序作为一个类编写时,却没有。这是我的代码:
from tkinter import Tk, Frame, Checkbutton, Button
class MyFrame(Frame):
def __init__(self, parent):
Frame.__init__(self, parent)
self.parent = parent
self.test01 = False
checkbutton = Checkbutton(parent, text='check it', variable=self.test01, command=self.testcheck)
checkbutton.var = self.test01
checkbutton.pack()
testbutton = Button(parent, text='check test', command=self.testcheck)
testbutton.pack()
self.parent.title('Checkbutton test')
def testcheck(self):
print('Check test: ' + str(self.test01))
def main():
root = Tk()
app = MyFrame(root)
root.mainloop()
if __name__ == '__main__':
main()
在图片中,您可以看到带有程序输出的终端。在图片的情况下,应用程序启动,切换检查按钮和按下测试按钮的每个组合都没有结果。
我试图在构造函数中链接变量,然后在构造按钮之后,两者都没有 - 没有结果。
答案 0 :(得分:3)
使用BooleanVar
。要获得状态,请使用{variable}.get()
。
from tkinter import Tk, Frame, Checkbutton, Button, BooleanVar
class MyFrame(Frame):
def __init__(self, parent):
Frame.__init__(self, parent)
self.parent = parent
self.test01 = BooleanVar()
checkbutton = Checkbutton(parent, text='check it',
variable=self.test01, command=self.testcheck)
checkbutton.pack()
testbutton = Button(parent, text='check test', command=self.testcheck)
testbutton.pack()
self.parent.title('Checkbutton test')
def testcheck(self):
print('Check test: ' + str(self.test01.get()))
def main():
root = Tk()
app = MyFrame(root)
root.mainloop()
if __name__ == '__main__':
main()