实时捕获和处理按键(例如按键事件)

时间:2016-02-13 18:52:23

标签: python python-3.x python-multithreading

注意:我想在不使用任何外部软件包的情况下执行此操作,例如PyGame等。

我试图在他们到达时捕获各个按键并对特定角色执行操作,无论我只是想“重新回显”角色,还是根本不显示它并做其他事情。

我找到了一个跨平台(虽然不确定OS X)getch()实现,因为我不想像input()那样读取整行:

# http://code.activestate.com/recipes/134892/
def getch():
    try:
        import termios
    except ImportError:
        # Non-POSIX. Return msvcrt's (Windows') getch.
        import msvcrt
        return msvcrt.getch

    # POSIX system. Create and return a getch that manipulates the tty.
    fd = sys.stdin.fileno()
    old_settings = termios.tcgetattr(fd)
    try:
        tty.setraw(fd)
        ch = sys.stdin.read(1)
    finally:
        termios.tcsetattr(fd, termios.TCSADRAIN, old_settings)
    return ch

[尝试1] 我首先尝试了一个简单的while-true循环来轮询getch,但是如果我键入得太快,则字符会丢失。减少睡眠时间会使情况变得更糟。调试语句仅在按下回车键时打印,并且在时间和位置上不一致。 (似乎可能会有一些线路缓冲正在进行?)取出循环和睡眠让它工作一次但非常完美。

#!/usr/bin/env python3

import sys
import tty
import time


def main():
    while True:
        time.sleep(1)
        sys.stdout.write(" DEBUG:Before ")
        sys.stdout.write(getch())
        sys.stdout.write(" DEBUG:After ")


if __name__ == "__main__":
    main()

[尝试2] 我得到了一个使用线程方法(https://stackoverflow.com/a/14043979/2752206)的示例,但它“锁定”并且不接受任何输入(包括Ctrl-C等)...

#!/usr/bin/env python3

import sys
import tty
import time
import threading

key = 'Z'


def main():
    threading.Thread(target=getchThread).start()

    while True:
        time.sleep(1)
        sys.stdout.write(" DEBUG:Before ")
        sys.stdout.write(key)
        sys.stdout.write(" DEBUG:After ")


def getchThread():
    global key
    lock = threading.Lock()
    while True:
        with lock:
            key = getch()


if __name__ == "__main__":
    main()

有没有人有任何建议或指导?或者更重要的是,有人可以解释为什么两次尝试都不起作用?感谢。

1 个答案:

答案 0 :(得分:1)

首先,我真的不需要多线程。例如,如果您想要执行某些任务(例如在屏幕上绘图或其他任务)并在执行此操作时捕获键,则需要使用它。

让我们考虑一种情况,你只想捕获键,并在每次按键后执行一些操作:退出,如果按下 x ,否则只需打印字符。这种情况下你需要的只是简单的循环

def process(key):
    if key == 'x':
        exit('exitting')
    else:
        print(key, end="", flush=True)

if __name__ == "__main__":
    while True:
        key = getch()
        process(key)

注意没有睡眠()。我假设你认为getch()不会等待用户输入所以你设置1s睡眠时间。但是,你的getch()等待一个条目然后返回它。在这种情况下,全局变量并不真正有用,所以你也可以在循环中调用process(getch())。

print(key, end="", flush=True) =>额外的参数将确保按下的键保持在一行,而不是每次打印时附加换行符。

另一种情况,你想要同时执行不同的东西,应该使用线程。

考虑以下代码:

n = 0
quit = False

def process(key):
    if key == 'x':
        global quit
        quit = True
        exit('exitting')
    elif key == 'n':
        global n
        print(n)
    else:
        print(key, end="", flush=True)

def key_capturing():
    while True:
        process(getch())

if __name__ == "__main__":
    threading.Thread(target=key_capturing).start()
    while not quit:
        n += 1
        time.sleep(0.1)

这将创建全局变量n并在主线程中每秒增加10次。同时,key_capturing方法会按下按键并执行与上一示例相同的操作+当您在键盘上按 n 时,全局变量n的当前值将为打印。

结束注释:正如@zondo所说,你真的错过了getch()定义中的大括号。 return msvcrt.getch最有可能是return msvcrt.getch()