1

我一直在处理的一些代码有问题,我试图将变量传递给“simpledialog”框。但是,当我在__init__节中声明变量时,无法从类中的任何其他方法访问该变量。

我创建了一个简化的工作示例,其中我试图将一个字符串传递给一个条目框,以便在创建“simpledialog”时,已经填充了条目框。然后可以更改该值并将新值打印到控制台。

from tkinter import *
from tkinter.simpledialog import Dialog


class App(Frame):
    def __init__(self, parent):
        Frame.__init__(self, parent)
        self.parent = parent

        Button(parent, text="Press Me", command=self.run).grid()

    def run(self):
        number = "one"
        box = PopUpDialog(self, title="Example", number=number)
        print(box.values)

class PopUpDialog(Dialog):
    def __init__(self, parent, title, number, *args, **kwargs):
        Dialog.__init__(self, parent, title)
        self.number = number

    def body(self, master):
        Label(master, text="My Label: ").grid(row=0)
        self.e1 = Entry(master)
        self.e1.insert(0, self.number)  # <- This is the problem line
        self.e1.grid(row=0, column=1)

    def apply(self):
        self.values = (self.e1.get())
        return self.values

if __name__ == '__main__':
    root = Tk()
    app = App(root)
    root.mainloop()

运行代码并按下“按我”按钮时,我收到以下错误消息:

Exception in Tkinter callback
Traceback (most recent call last):
  File "C:\Python34\lib\tkinter\__init__.py", line 1533, in __call__
    return self.func(*args)
  File "C:/Python/scratch.py", line 14, in run
    box = PopUpDialog(self, title="Example", number=number)
  File "C:/Python/scratch.py", line 20, in __init__
    Dialog.__init__(self, parent, title)
  File "C:\Python34\lib\tkinter\simpledialog.py", line 148, in __init__
    self.initial_focus = self.body(body)
  File "C:/Python/scratch.py", line 26, in body
    self.e1.insert(0, self.number)
AttributeError: 'PopUpDialog' object has no attribute 'number'

如果我注释掉self.e1.insert(0, self.number),则代码将正常工作。

关于“simpledialog”的文档似乎很少,我一直在使用effbot.org上的示例来尝试了解有关对话框的更多信息。

作为旁注,如果我在 PopUpDialog 类print(number)的方法中插入一行__init__,数字将打印到控制台。此外,如果我在body()方法中初始化self.number变量(例如) ,代码会按预期工作。self.number = "example"

我敢肯定我在这里遗漏了一些愚蠢的东西,但是如果您能就可能发生的事情提供任何建议,将不胜感激。

4

1 回答 1

2

问题出在你的PopUpDialog类中,在函数中__init__你调用了Dialog.__init__(self, parent, title)调用 body 方法的行。问题是您self.number在下一行初始化了,这就是为什么self.number在 body 方法中尚未初始化的原因。

如果您切换线路,它将为您工作,就像这样:

class PopUpDialog(Dialog):
    def __init__(self, parent, title, number, *args, **kwargs):
        self.number = number
        Dialog.__init__(self, parent, title)

编辑:

正如您__init__在 Dialog 的方法中看到的那样,上面有一行:

self.initial_focus = self.body(body)调用你的 body 方法。

于 2015-07-21T09:34:31.410 回答