2

我是编程新手,对python知之甚少。我正在尝试制作一个程序来测试生物学实验的听觉和视觉反应时间。对于听觉部分,我在声音开始播放时启动计时器,然后受试者必须在听到它时立即按下一个键。我的问题是,当声音仍在播放时,我无法执行任何其他操作,因此无法记录按下键的时间。这是我正在尝试做的简化版本:

from Tkinter import *
import time
import winsound

def chooseTest(event):
    global start
    if event.keysym == 'BackSpace':
       root.after(2000,playSound)
    elif event.keysym == 'Return':
       new_time = time.clock()
       elapsed = new_time - start
       print elapsed
    else:
       pass

def playSound():
    global start
    start = time.clock()
    winsound.PlaySound('SystemAsterisk', winsound.SND_ALIAS)

root=Tk()
root.overrideredirect(True)
root.geometry("{0}x{1}+0+0".format(root.winfo_screenwidth(),root.winfo_screenheight()))           
root.bind('<Key>',chooseTest)
root.mainloop()

无论我在 elif event.keysym == 'Return':下放置什么,都只会在声音结束后执行。有什么方法(希望不是很复杂)来克服这个问题吗?
我能想出的唯一解决方案是发出很短的声音(毫秒?)并循环播放直到按键被按下。

谢谢你。

4

1 回答 1

3

您需要在单独的线程上启动声音。

就像是:

import threading

#...

def playSound():
    global start
    start = time.clock()

    def func(): 
        winsound.PlaySound('SystemAsterisk', winsound.SND_ALIAS)

    threading.Thread(target=func).start()

附带说明一下,像这样悬挂全局值并不是最好的解决方案。您应该阅读类,因为它们是在各种函数调用之间共享状态的一种非常好的方法。

于 2012-11-16T20:27:50.800 回答