从用户输入中读取单个字符跨平台
在各种编程场景中,需要从用户输入中读取单个字符没有缓冲或回显。此功能类似于 Windows 中著名的 getch() 函数,但需要一种跨多个平台工作的通用方法。
解决方案:
实现此目的跨平台字符读取,您可以利用 ActiveState Recipes 站点中社区驱动的 Python 配方:“在 Windows 和 Unix 上从 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()
要使用此类,只需实例化 _Getch 类并调用它即可。结果将是用户键入的单个字符,没有任何缓冲或回显。例如:
result = getch()
结论:
这种跨平台字符读取方法广泛适用于需要立即用户输入的情况,例如捕获击键终端应用程序或实现交互式用户界面。
以上是如何从不同平台的用户输入中读取单个字符?的详细内容。更多信息请关注PHP中文网其他相关文章!