web-dev-qa-db-ja.com

raw_inputに時間制限を設定する方法

pythonでは、ユーザー入力を待っている間に時間をカウントして、たとえば30秒後にraw_input()関数が自動的にスキップされる方法はありますか?

21
calccrypto

@ -erの推奨ソリューションのベースとなっている signal.alarm 関数は、残念ながらUnix専用です。クロスプラットフォームまたはWindows固有のソリューションが必要な場合は、代わりに threading.Timer をベースにして、 thread.interrupt_main を使用してKeyboardInterruptを送信できます。タイマースレッドからメインスレッドへ。つまり:

_import thread
import threading

def raw_input_with_timeout(Prompt, timeout=30.0):
    print(Prompt)    
    timer = threading.Timer(timeout, thread.interrupt_main)
    astring = None
    try:
        timer.start()
        astring = raw_input(Prompt)
    except KeyboardInterrupt:
        pass
    timer.cancel()
    return astring
_

これは、30秒のタイムアウトか、ユーザーがControl-Cを押してすべての入力を放棄することを明示的に決定したかどうかに関係なく、Noneを返しますが、2つのケースを同じ方法で処理しても問題ないようです(区別する必要がある場合は、タイマーの場合、メインスレッドに割り込む前に、タイムアウトhasが発生したという事実をどこかに記録し、KeyboardInterruptのハンドラーでその「どこかに」アクセスする独自の関数2つのケースのどちらが発生したかを区別します)。

編集:これは機能していると誓ったかもしれませんが、私は間違っていたはずです-上記のコードは明らかに必要なtimer.start()を省略しています、andそれを使用しても、これ以上機能させることはできません。 _select.select_を試してみることは明らかですが、Windowsの「標準ファイル」(stdinを含む)では機能しません。Unixでは、Windowsのすべてのファイルで機能し、ソケットでのみ機能します。

そのため、クロスプラットフォームの「タイムアウト付きの生の入力」を実行する方法がわかりません。タイトループポーリング msvcrt.kbhit を実行し、_msvcrt.getche_を実行して、出力が完了したことを示す戻りかどうかをチェックして、ウィンドウ固有のウィンドウを構築できます。ループの場合、それ以外の場合は累積して待機し続けます)、必要に応じてタイムアウトまでの時間をチェックします。 Windowsマシンがないためテストできません(すべてMacとLinuxマシンです)が、ここではunested codeをお勧めします。

_import msvcrt
import time

def raw_input_with_timeout(Prompt, timeout=30.0):
    print(Prompt)    
    finishat = time.time() + timeout
    result = []
    while True:
        if msvcrt.kbhit():
            result.append(msvcrt.getche())
            if result[-1] == '\r':   # or \n, whatever Win returns;-)
                return ''.join(result)
            time.sleep(0.1)          # just to yield to other processes/threads
        else:
            if time.time() > finishat:
                return None
_

コメントのOPは、タイムアウト時に_return None_を使用したくないと述べていますが、代替手段は何ですか?例外を発生させますか?別のデフォルト値を返しますか?彼が望んでいる代替手段が何であれ、彼はそれを私の_return None_ ;-)の代わりに明確に置くことができます。

ユーザーがslowlyを入力しているからといってタイムアウトしたくない場合(まったく入力しないのとは対照的に!-)、文字入力が成功するたびにfinishatを再計算できます。

28
Alex Martelli

私はこの問題の解決策を見つけました ブログ投稿で 。これがそのブログ投稿のコードです。

import signal

class AlarmException(Exception):
    pass

def alarmHandler(signum, frame):
    raise AlarmException

def nonBlockingRawInput(Prompt='', timeout=20):
    signal.signal(signal.SIGALRM, alarmHandler)
    signal.alarm(timeout)
    try:
        text = raw_input(Prompt)
        signal.alarm(0)
        return text
    except AlarmException:
        print '\nPrompt timeout. Continuing...'
    signal.signal(signal.SIGALRM, signal.SIG_IGN)
    return ''

注:このコードは* nix OSでのみ機能します。

13
jer
from threading import Timer


def input_with_timeout(x):    

def time_up():
    answer= None
    print('time up...')

t = Timer(x,time_up) # x is amount of time in seconds
t.start()
try:
    answer = input("enter answer : ")
except Exception:
    print('pass\n')
    answer = None

if answer != True:   # it means if variable have somthing 
    t.cancel()       # time_up will not execute(so, no skip)

input_with_timeout(5) # try this for five seconds

自己定義されているので、コマンドラインプロンプトで実行します。これを読んで答えが得られることを願っています python doc このコードで何が起こったかが非常に明確になります。

4
bilal hanif

Input()関数は、ユーザーが何かを入力するのを待つように設計されています(少なくとも[Enter]キー)。

Input()を使用するように設定されていない場合、以下はtkinterを使用したはるかに軽量なソリューションです。 tkinterでは、ダイアログボックス(およびウィジェット)は、一定時間後に破棄できます。

次に例を示します。

import tkinter as tk

def W_Input (label='Input dialog box', timeout=5000):
    w = tk.Tk()
    w.title(label)
    W_Input.data=''
    wFrame = tk.Frame(w, background="light yellow", padx=20, pady=20)
    wFrame.pack()
    wEntryBox = tk.Entry(wFrame, background="white", width=100)
    wEntryBox.focus_force()
    wEntryBox.pack()

    def fin():
        W_Input.data = str(wEntryBox.get())
        w.destroy()
    wSubmitButton = tk.Button(w, text='OK', command=fin, default='active')
    wSubmitButton.pack()

# --- optionnal extra code in order to have a stroke on "Return" equivalent to a mouse click on the OK button
    def fin_R(event):  fin()
    w.bind("<Return>", fin_R)
# --- END extra code --- 

    w.after(timeout, w.destroy) # This is the KEY INSTRUCTION that destroys the dialog box after the given timeout in millisecondsd
    w.mainloop()

W_Input() # can be called with 2 parameter, the window title (string), and the timeout duration in miliseconds

if W_Input.data : print('\nYou entered this : ', W_Input.data, end=2*'\n')

else : print('\nNothing was entered \n')
3
madpentiste

時限数学テストを行うcursesの例

#!/usr/bin/env python3

import curses
import curses.ascii
import time

#stdscr = curses.initscr() - Using curses.wrapper instead
def main(stdscr):
    hd = 100 #Timeout in tenths of a second
    answer = ''

    stdscr.addstr('5+3=') #Your Prompt text

    s = time.time() #Timing function to show that solution is working properly

    while True:
        #curses.echo(False)
        curses.halfdelay(hd)
        start = time.time()
        c = stdscr.getch()
        if c == curses.ascii.NL: #Enter Press
            break
        Elif c == -1: #Return on timer complete
            break
        Elif c == curses.ascii.DEL: #Backspace key for corrections. Could add additional hooks for cursor movement
            answer = answer[:-1]
            y, x = curses.getsyx()
            stdscr.delch(y, x-1)
        Elif curses.ascii.isdigit(c): #Filter because I only wanted digits accepted
            answer += chr(c)
            stdscr.addstr(chr(c))
        hd -= int((time.time() - start) * 10) #Sets the new time on getch based on the time already used

    stdscr.addstr('\n')

    stdscr.addstr('Elapsed Time: %i\n'%(time.time() - s))
    stdscr.addstr('This is the answer: %s\n'%answer)
    #stdscr.refresh() ##implied with the call to getch
    stdscr.addstr('Press any key to exit...')
curses.wrapper(main)
0
dvrhax

linuxでは、cursesとgetch関数を使用できますが、非ブロッキングです。 getch()を参照してください

https://docs.python.org/2/library/curses.html

キーボード入力をx秒間待つ関数(最初にcursesウィンドウ(win1)を初期化する必要があります!

import time

def tastaturabfrage():

    inittime = int(time.time()) # time now
    waitingtime = 2.00          # time to wait in seconds

    while inittime+waitingtime>int(time.time()):

        key = win1.getch()      #check if keyboard entry or screen resize

        if key == curses.KEY_RESIZE:
            empty()
            resize()
            key=0
        if key == 118:
            p(4,'KEY V Pressed')
            yourfunction();
        if key == 107:
            p(4,'KEY K Pressed')
            yourfunction();
        if key == 99:
            p(4,'KEY c Pressed')
            yourfunction();
        if key == 120:
            p(4,'KEY x Pressed')
            yourfunction();

        else:
            yourfunction

        key=0
0
Peter Fleix