2

Toplevel有一种方法distroy,我很难从类内部访问。

此代码有效:

top = Toplevel()
Message(top, text="bla bla bla...").pack()
Button(top, text="Dismiss", command=top.distroy).pack()
top.mainloop() 

这不会:

from Tkinter import Toplevel,Message,Button,mainloop

class Demo(Toplevel):
    def __init__(self,title,message,master=None):
        Toplevel.__init__(self,master)
        self.title = title
        msg = Message(self,text=message)
        msg.pack()
        button = Button(self, text="Dismiss", command=self.distroy)
        button.pack()

if __name__ == '__main__':
    t1 = Demo("First Toplevel", "some random message text... goes on and on and on...")
    t2 = Demo("No, I don't know!", "I have no idea where the root window came from...")

    mainloop()

错误信息:

Traceback (most recent call last):
  File "C:\Users\tyler.weaver\Projects\python scripts\two_toplevel.pyw", line 16, in <module>
    t1 = Demo("First Toplevel", "some random message text... goes on and on and on...")
  File "C:\Users\tyler.weaver\Projects\python scripts\two_toplevel.pyw", line 12, in __init__
    button = Button(self, text="Dismiss", command=self.distroy)
AttributeError: Demo instance has no attribute 'distroy'
4

1 回答 1

2

那是因为你拼错了“destroy”:

from Tkinter import Toplevel,Message,Button,mainloop

class Demo(Toplevel):
    def __init__(self,title,message,master=None):
        Toplevel.__init__(self,master)
        self.title = title
        msg = Message(self,text=message)
        msg.pack()
        # Use "self.destroy", not "self.distroy"
        button = Button(self, text="Dismiss", command=self.destroy)
        button.pack()

if __name__ == '__main__':
    t1 = Demo("First Toplevel", "some random message text... goes on and on and on...")
    t2 = Demo("No, I don't know!", "I have no idea where the root window came from...")

    mainloop()
于 2013-08-08T14:18:18.270 回答