ホームページ >バックエンド開発 >Python チュートリアル >Python でノンブロッキングのコンソール入力を取得するには?
ノンブロッキングコンソール入力の取得
対話型アプリケーションを作成する場合、多くの場合、進行中のプロセスを中断せずにユーザー入力を受け入れることが必要です。これは、ループがサーバー応答を継続的に受信して解釈する IRC クライアント開発などの状況で発生します。
問題ステートメント
Python では、コンソール入力に raw_input を使用するとループが停止します。ユーザーが入力を行うまで。ノンブロッキング入力を実現するには、別のアプローチが必要です。
ソリューション
コンソール入力のみを使用する Windows ユーザーの場合は、msvcrt モジュールが利用可能です。
import msvcrt num = 0 done = False while not done: print(num) num += 1 if msvcrt.kbhit(): print("you pressed", msvcrt.getch(), "so now I will quit") done = True
Linux 環境の場合、termios モジュールはソリューション:
import sys import select import tty import termios def isData(): return select.select([sys.stdin], [], [], 0) == ([sys.stdin], [], []) old_settings = termios.tcgetattr(sys.stdin) try: tty.setcbreak(sys.stdin.fileno()) i = 0 while 1: print(i) i += 1 if isData(): c = sys.stdin.read(1) if c == '\x1b': # x1b is ESC break finally: termios.tcsetattr(sys.stdin, termios.TCSADRAIN, old_settings)
プラットフォームをまたがる場合、またはアプリケーションに GUI を組み込む場合、Pygame は多用途のオプションです:
import pygame from pygame.locals import * def display(str): text = font.render(str, True, (255, 255, 255), (159, 182, 205)) textRect = text.get_rect() textRect.centerx = screen.get_rect().centerx textRect.centery = screen.get_rect().centery screen.blit(text, textRect) pygame.display.update() pygame.init() screen = pygame.display.set_mode( (640,480) ) pygame.display.set_caption('Python numbers') screen.fill((159, 182, 205)) font = pygame.font.Font(None, 17) num = 0 done = False while not done: display( str(num) ) num += 1 pygame.event.pump() keys = pygame.key.get_pressed() if keys[K_ESCAPE]: done = True
以上がPython でノンブロッキングのコンソール入力を取得するには?の詳細内容です。詳細については、PHP 中国語 Web サイトの他の関連記事を参照してください。