Python非阻塞控制台输入

我正在尝试用Python创建一个简单的IRC客户端(这是我学习该语言时的一个项目)。

我有一个循环,可以用来接收和解析IRC服务器发送给我的内容,但是如果我使用它raw_input来输入内容,它将停止循环,直到我输入某些东西为止(显然)。

如何在不停止循环的情况下输入内容?

提前致谢。

(我认为我不需要发布代码,我只想输入一些内容,而while 1循环不会停止。)

编辑:我在Windows上。

回答:

对于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非阻塞控制台输入 的全部内容, 来源链接: utcz.com/qa/434942.html

回到顶部