瞬态输入窗口

时间:2015-02-17 10:48:49

标签: python tkinter

我有一个系统,其中有一个弹出窗口,请求来自用户的输入,然后将该输入返回到代码主体进行处理。我正确地弹出窗口,使用瞬态确保它保持在顶部,但是我找不到一种方法让窗口将数据返回到它所调用的位置。 电流:

from tkinter import *

class loginwindow(object):
    def __init__(self, parent):
        self.parent=parent
        self.data=None #Default value, to say its not been set yet
        self.root=Toplevel(self.parent)
        self.root.transient(self.parent)
        self.username=Entry(self.root)
        self.password=Entry(self.root, show="*")
        self.ok=Button(self.root, text="Continue", command=self.checkPass); self.ok.grid(row=5, column=2, sticky="ew")
        self.cancel=Button(self.root, text="Cancel", command=self.cancelPass); self.cancel.grid(row=5, column=1, sticky="ew")


    def checkPass(self):
        self.data=(self.username.get(), self.password.get())
        self.root.quit()

    def cancelPass(self):
        self.data=False
        self.root.quit()

parent=Tk()
passWindow=loginwindow(parent)
#....? how do I get passWindow.data from the window, considering it will only be defined 
#to be something besides None once the user has clicked the continue button

我已尝试过循环以等待passWindow.data的值从None更改,但这会导致loginwindow无法显示,或者脚本锁定。理想情况下,我想保留transient,因为它阻止用户点击窗口,但我知道transient是导致窗口不显示的原因(没有正常工作)

有什么想法吗?

1 个答案:

答案 0 :(得分:1)

你有点问两个问题,一个是关于将一​​个值从弹出窗口传递到主窗口,一个关于transient无法正常工作。我对第一个问题的回答如下,对于第二个问题,我真的不知道你遇到的问题是什么。据我所知,transient按预期方式使用它。


您可以使用wait_window让Tkinter主循环等待窗口关闭,然后再继续。如果将弹出窗口创建放在启动父主循环后调用的函数中,则可以使用passWindow.wait_window()“暂停”进一步执行该函数,然后再继续执行其余行。窗口关闭后,可以在passWindow.data

中找到所需的数据
class loginwindow(object):
    def __init__(self, parent):
        self.parent=parent
        self.data=None #Default value, to say its not been set yet
        self.root=Toplevel(self.parent)
        self.root.transient(self.parent)
        self.username=Entry(self.root); self.username.pack()
        self.password=Entry(self.root, show="*"); self.password.pack()
        self.ok=Button(self.root, text="Continue", command=self.checkPass); self.ok.pack()
        self.cancel=Button(self.root, text="Cancel", command=self.cancelPass); self.cancel.pack()

    def checkPass(self):
        self.data=(self.username.get(), self.password.get())
        self.root.destroy()

    def cancelPass(self):
        self.data=False
        self.root.destroy()


def popup():
    passWindow=loginwindow(parent)
    passWindow.parent.wait_window(passWindow.root)
    print passWindow.data

parent=Tk()
Button(parent, text='popup', command=popup).pack()
parent.mainloop()