用tkinter中的一个按钮停止读取由fluidsynth创建的笔记

时间:2019-01-02 21:06:25

标签: python-2.7 tkinter fluidsynth

我在python2-7上,我想在tkinter中获得一个按钮,该按钮停止读取使用fluidsynth创建的注释。

我发现常见的解决方案是使用time.after,例如:How do you create a Tkinter GUI stop button to break an infinite loop?

但是在我的情况下,我不能使用它,因为我需要在非音调和音符间隔之间留出一定的时间来指定音符的持续时间。 此外,我只想单击“开始”(而不是像链接中的解决方案一样在开头)来播放音符。

所以我创建了此代码,但由于var_start始终初始化为int,因此无法正常工作:

from tkinter import*
import fluidsynth
import time

fs=fluidsynth.Synth()
fs.start(driver='alsa', midi_driver='alsa_seq')
org_charge = fs.sfload("organ.sf2")
fs.program_select(0,org_charge, 0, 0)
time.sleep(1)

var_start=int

def start():
    global var_start
    var_start=1

def stop():
    global var_start
    var_start=0

root=Tk()

if var_start==1:
    fs.noteon(0,67,127)
    time.sleep(1)
    fs.noteoff(0,67)
    fs.noteon(0,71,127)
    time.sleep(1)
    fs.noteoff(0,71)
    fs.noteon(0,74,127)
    time.sleep(1)
    fs.noteoff(0,74)

Button(root, text='start', command= start).pack(padx=10, pady=10)    
Button(root, text='stop', command= stop).pack(padx=10, pady=10)    

root.mainloop()

我没有其他想法来重塑我的代码... 有人可以帮我吗?

谢谢

1 个答案:

答案 0 :(得分:0)

您在语句var_start中将int初始化为var_start=int,因此if var_start==1:中的代码块将永远不会执行。而且您的start()函数只是将var_start更改为1,并且从不开始演奏音符,因此什么也不会发生。

切勿在主线程中调用time.sleep(),因为它将阻塞tkinter主循环。您可以使用.after(...)模拟播放循环,下面是一个示例代码块:

playing = False

def play_notes(notes, index, noteoff):
    global playing
    if noteoff:
        fs.noteoff(0, notes[index])
        index += 1      # next note
    if playing and index < len(notes):
        fs.noteon(0, notes[index], 127)
        # call noteoff one second later
        root.after(1000, play_notes, notes, index, True)
    else:
        # either stopped or no more note to play
        playing = False
        print('done playing')

def start_playing():
    global playing
    if not playing:
        print('start playing')
        playing = True
        notes = [67, 71, 74, 88, 80, 91]
        play_notes(notes, 0, False)
    else:
        print('already playing')

def stop_playing():
    global playing
    if playing:
        playing = False
        print('stop playing')
    else:
        print('nothing playing')

Button(root, text='Start', command=start_playing).pack(padx=10, pady=10)
Button(root, text='Stop', command=stop_playing).pack(padx=10, pady=10)

这只是一个示例,您可以根据自己的需要进行修改。