将 pyhook 按键事件返回到线程队列

Returning pyhook keypress event to thread queue

我正在尝试将一个简单的键盘记录器检测到的键盘按下路由到另一个线程。我的程序在这样的线程中设置键记录:

import threading
import Queue
import pythoncom
import pyHook

stopevent = threading.Event() #how to stop each thread later
q1 = Queue.Queue() #a threading queue for inter proc comms

def OnKeyboardEvent(event):
    return event

def thread1(q1,stopevent):
    while (not stopevent.is_set()):
        print q1.get() #print what key events are registered/pumped

def thread2(q1,stopevent):
    hm = pyHook.HookManager()
    hm.KeyDown = OnKeyboardEvent
    hm.HookKeyboard()
    while (not stopevent.is_set()):
        pythoncom.PumpWaitingMessages()
        #q1.put(something????)
    hm.UnhookKeyboard()

t1 = threading.Thread(target=thread1,args=(q1,stopevent))
t2 = threading.Thread(target=thread2,args=(q1,stopevent))

t1.start()
t2.start()

我正在尝试将钩子捕获的 "event" 路由到 q1,然后它将可供 thread1 用于任何用途。您会注意到我的代码没有对 q1.put() 进行重要调用。说实话,我将 "OnKeyboardEvent" 函数编程为 return 事件,但我不知道它 return 到哪里,也不知道如何获取它。这就是我需要帮助的。我查看了 HookManager() class 定义,但没有看到任何我认为可以使用的东西。

对于任何尽职尽责的程序员来说,这是为了科学,而不是黑客。我正在尝试根据键盘输入来控制跑步机的速度。

嗯,这很脏,但我找到了一种方法,只需对 HookManager.py 中的 HookManager class 定义进行简单更改即可。毕竟是开源的...

我对 HookManager 进行了以下更改 class:

def __init__(self):
    #add the following line
    self.keypressed = '' #make a new class property

我还向 HookManager 添加了以下方法 class:

def OnKeyboardEvent(self,event):
    self.keypressed = event.key
    return True

这些是对 HookManager 的修改,现在当我创建线程时我可以这样做:

import threading
import Queue
import pythoncom
import pyHook

stopevent = threading.Event() #how to stop each thread later
q1 = Queue.Queue() #a threading queue for inter proc comms

def thread1(q1,stopevent):
    while (not stopevent.is_set()):
        print q1.get() #print what key events are registered/pumped

def thread2(q1,stopevent):
    hm = pyHook.HookManager()
    hm.KeyDown = hm.OnKeyboardEvent
    hm.HookKeyboard()
    while (not stopevent.is_set()):
        pythoncom.PumpWaitingMessages()
        q1.put(hm.keypressed)
    hm.UnhookKeyboard()

t1 = threading.Thread(target=thread1,args=(q1,stopevent))
t2 = threading.Thread(target=thread2,args=(q1,stopevent))

t1.start()
t2.start()

现在我可以从 hookmanager 本身获取按下的任何键并将其传递给其他线程。就像我说的,不是很优雅,但很管用。