当加载黑盒子时,会出现tkk checkbutton

时间:2017-03-26 14:46:10

标签: python checkbox tkinter state appearance

我创建一个复选按钮/框,并进行以下调用

x=ttk.Checkbutton(tab1,state='disabled',command = lambda j=i,x=k: fCheckButton(j,x))
x.state(['selected'])

该框显示正常并被选中,但它在加载时显示,其中包含黑框,这似乎与其状态无关。

我找了原因,但实际上找不到任何有同样问题的人。

感谢

2 个答案:

答案 0 :(得分:3)

我在Windows 7上遇到了类似的问题。

加载应用程序后,我的一个支票按钮包含一个填充的方块。但点击它后,它变成了一个正常的检查按钮:

enter image description here

在我的情况下,这是因为我有多个共享相同变量的检查按钮...为每个检查按钮创建一个单独的Tk.IntVar()变量后,问题就消失了。

import Tkinter as Tk
import ttk

root = Tk.Tk()

checkVar = Tk.IntVar()
x = ttk.Checkbutton(root, variable=checkVar, text="check 1")
x.pack()

checkVar2 = Tk.IntVar()
y = ttk.Checkbutton(root, variable=checkVar2, text="check 2")
y.pack()

root.mainloop()

答案 1 :(得分:1)

在类中创建Checkbutton对象时遇到了这个问题。我在类中声明了局部变量而不是成员变量。局部变量超出范围,导致复选框值不为0或1。

错误:

    import tkinter as Tk
    from tkinter import IntVar
    from tkinter.ttk import Frame, Checkbutton
    class TestGui(Frame):
        def __init__(self, parent):
            Frame.__init__(self, parent)

            var1 = IntVar()
            var1.set(1)
            button = Checkbutton(parent,
                text="Pick me, pick me!",
                variable=var1)
            button.grid()

    root = Tk.Tk()
    app = TestGui(root)
    root.mainloop()

已修复:

import tkinter as Tk
from tkinter import IntVar
from tkinter.ttk import Frame, Checkbutton
class TestGui(Frame):
    def __init__(self, parent):
        Frame.__init__(self, parent)

        self.var1 = IntVar()
        self.var1.set(1)
        button = Checkbutton(parent,
            text="Pick me, pick me!",
            variable=self.var1)        # note difference here
        button.grid()

root = Tk.Tk()
app = TestGui(root)
root.mainloop()