我正在尝试将简单键盘记录器检测到的键盘按键路由到另一个线程。我的程序在这样的线程中设置密钥日志记录:
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()
我正在尝试将钩子捕获的“事件”路由到q1,这将使它可用于thread1。您会注意到我的代码没有对q1.put()进行重要调用。说实话,我编写了“OnKeyboardEvent”函数来返回事件,但我不知道它返回的位置,或者如何获取它。这是我需要帮助的。我查看了HookManager()类定义,没有看到我认为可以使用的任何内容。
对于任何尽职尽责的程序员来说,这是为了科学,而不是黑客。我试图根据键盘输入来控制跑步机的速度。
答案 0 :(得分:1)
这很脏,但我找到了一种方法,通过在HookManager.py中对HookManager类定义进行简单的更改。它毕竟是开源的......
我对HookManager类进行了以下更改:
def __init__(self):
#add the following line
self.keypressed = '' #make a new class property
我还在HookManager类中添加了以下方法:
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本身获得任何键,并将其传递给其他线程。就像我说的那样,不是很优雅,但它有效。