如何从用户读取单个字符?

21 浏览
0 Comments

如何从用户读取单个字符?

是否有一种方法可以从用户输入中读取单个字符?例如,他们在终端上按下一个键,并返回它(有点像getch())。我知道Windows中有一个函数可以实现,但我想找一个跨平台的方法。

admin 更改状态以发布 2023年5月20日
0
0 Comments

sys.stdin.read(1)

基本上会从 STDIN 中读取 1 个字节。

如果你必须使用不等待 \n 的方法,你可以使用前面答案中建议的代码:

class _Getch:
    """Gets a single character from standard input.  Does not echo to the screen."""
    def __init__(self):
        try:
            self.impl = _GetchWindows()
        except ImportError:
            self.impl = _GetchUnix()
    def __call__(self): return self.impl()
class _GetchUnix:
    def __init__(self):
        import tty, sys
    def __call__(self):
        import sys, tty, termios
        fd = sys.stdin.fileno()
        old_settings = termios.tcgetattr(fd)
        try:
            tty.setraw(sys.stdin.fileno())
            ch = sys.stdin.read(1)
        finally:
            termios.tcsetattr(fd, termios.TCSADRAIN, old_settings)
        return ch
class _GetchWindows:
    def __init__(self):
        import msvcrt
    def __call__(self):
        import msvcrt
        return msvcrt.getch()
getch = _Getch()

(摘自http://code.activestate.com/recipes/134892/)

0
0 Comments

这里有一个链接到ActiveState Recipes网站,它说明了如何在Windows、Linux和OSX中读取单个字符:

    从stdin中获取类似于getch()的无缓冲字符读取,在Windows和Unix上都适用

class _Getch:
    """Gets a single character from standard input.  Does not echo to the
screen."""
    def __init__(self):
        try:
            self.impl = _GetchWindows()
        except ImportError:
            self.impl = _GetchUnix()
    def __call__(self): return self.impl()
class _GetchUnix:
    def __init__(self):
        import tty, sys
    def __call__(self):
        import sys, tty, termios
        fd = sys.stdin.fileno()
        old_settings = termios.tcgetattr(fd)
        try:
            tty.setraw(sys.stdin.fileno())
            ch = sys.stdin.read(1)
        finally:
            termios.tcsetattr(fd, termios.TCSADRAIN, old_settings)
        return ch
class _GetchWindows:
    def __init__(self):
        import msvcrt
    def __call__(self):
        import msvcrt
        return msvcrt.getch()
getch = _Getch()

0