Tkinter SimpleDialog超时

时间:2019-10-28 17:54:05

标签: python tkinter timeout simpledialog

我有一个程序,该程序在运行时需要输入模块,因此我正在实现一个简单的对话框,以从用户那里获取输入以在我的Tkinter程序中使用。但是,当将模块作为控制台程序运行时,我还需要它超时,以便在用户不与它进行交互时经过这么多秒来跳过它或超时。不要让它只是坐在那里并永远等待直到用户与其互动。超时后如何终止窗口?这就是我现在所拥有的...


def loginTimeout(timeout=300):
    root = tkinter.Tk()
    root.withdraw()
    start_time = time.time()
    input1 = simpledialog.askinteger('Sample','Enter a Number')
    while True:
        if msvcrt.kbhit():
            chr = msvcrt.getche()
            if ord(chr) == 13: # enter_key
                break
            elif ord(chr) >= 32: #space_char
                input1 += chr
        if len(input1) == 0 and (time.time() - start_time) > timeout:
            break

    print('')  # needed to move to next line
    if len(input1) > 0:
        return input1
    else:
        return input1

1 个答案:

答案 0 :(得分:0)

不能完全确定问题是什么,但是您可以通过类似以下方式使用tkinter after()方法:

import tkinter as tk

root = tk.Tk()
root.geometry('100x100')

def get_entry() -> str:
    """Gets and returns the entry input, and closes the tkinter window."""
    entry = entry_var.get()
    root.destroy() # Edit: Changed from root.quit()
    return entry

# Your input box
entry_var = tk.StringVar()
tk.Entry(root, textvariable=entry_var).pack()

# A button, or could be an event binding that triggers get_entry()
tk.Button(root, text='Enter/Confirm', command=get_entry).pack()

# This would be the 'timeout'
root.after(5000, get_entry)

root.mainloop()

因此,如果用户输入了某些内容,则他们可以点击确认或启动绑定到该条目的事件,或者在延迟之后程序仍然运行get_entry。也许这会给您一个想法,您也可以查看其他小部件方法: https://effbot.org/tkinterbook/widget.htm

编辑:我不确定这在程序中的排列方式,但是root.mainloop()会阻塞,因此一旦它运行,它之后的代码将不会运行,直到mainloop()退出。如果函数是toplevel()窗口的一部分,则可以使用wait_window()阻止函数前进,直到超时破坏顶层窗口或用户之前调用该函数为止。该示例虽然可能不是最佳解决方案,但将是:

def loginTimeout(timeout_ms: int=5000):
    root = tk.Tk()
    root.geometry('200x50')

    # function to get input and change the function variable
    input_ = ''
    def get_input():
        nonlocal input_
        input_ = entry_var.get()
        root.destroy()

    # build the widgets
    entry_var = tk.StringVar()
    tk.Entry(root, textvariable=entry_var).pack(side='left')
    tk.Button(root, text='Confirm', command=get_input).pack(side='right')

    # timeout
    root.after(timeout_ms, get_input)

    # mainloop
    root.mainloop()

    # won't get here until root is destroyed
    return input_

print(loginTimeout())