pythonmido如何在列表中获取[注释,开始时间,停止时间,跟踪]



我需要以下方面的帮助:我正在设计一种新的乐谱。我想读一个midi文件,得到一个包含每个音符/开始-停止时间/曲目的列表。期望结果:

[[60, 0, 0.25, 1], [62, 0.25, 0.50, 1]]# the format is [note, start-time, stop-time, miditrack]

*更新1-获取[音符,音符打开(时间(,音符关闭(时间(和通道]

以下代码创建了一个字典,其中delta时间被转换为线性时间(但我不确定这是否是正确的方法(:

from mido import MidiFile
mid = MidiFile('testsunvox.mid')
midimsgs = []
# Put all note on/off in midinote as dictionary
for i in mid:
if i.type == 'note_on' or i.type == 'note_off':
midimsgs.append(i.dict())
# change time values from delta to relative time # don't know for sure if this is the right way...
mem1=0
for i in midimsgs:
time = i['time'] + mem1
i['time'] = time
mem1 = i['time']
# put note, starttime, stoptime, as nested list in a list. # format is [note, start, stop, channel]
for i in midimsgs:
print (i)

我现在找不到合适的问题,但目标是获得:

[note, note_on(time), note_off(time), channel]

每个音符。但问题是有两条信息(注意开/关(,我想把它变成一条。如果我找到了,我会发布我的解决方案

我现在发现我的方法是错误的。我需要把留言和留言分开。以下代码:

from mido import MidiFile
mid = MidiFile('testlilypond.mid')
mididict = []
output = []
# Put all note on/off in midinote as dictionary.
for i in mid:
if i.type == 'note_on' or i.type == 'note_off' or i.type == 'time_signature':
mididict.append(i.dict())
# change time values from delta to relative time.
mem1=0
for i in mididict:
time = i['time'] + mem1
i['time'] = time
mem1 = i['time']
# make every note_on with 0 velocity note_off
if i['type'] == 'note_on' and i['velocity'] == 0:
i['type'] = 'note_off'
# put note, starttime, stoptime, as nested list in a list. # format is [type, note, time, channel]
mem2=[]
if i['type'] == 'note_on' or i['type'] == 'note_off':
mem2.append(i['type'])
mem2.append(i['note'])
mem2.append(i['time'])
mem2.append(i['channel'])
output.append(mem2)
# put timesignatures
if i['type'] == 'time_signature':
mem2.append(i['type'])
mem2.append(i['numerator'])
mem2.append(i['denominator'])
mem2.append(i['time'])
output.append(mem2)
# viewing the midimessages.
for i in output:
print(i)
print(mid.ticks_per_beat)

给出以下输出:([类型、音符、时间、通道](

['time_signature', 4, 4, 0]
['note_on', 69, 0, 0]
['note_off', 69, 0.500053, 0]
['note_on', 71, 0.500053, 0]
['note_off', 71, 0.7500795, 0]
['note_on', 69, 0.7500795, 0]
['note_off', 69, 1.000106, 0]
['note_on', 71, 1.000106, 0]
['note_off', 71, 1.500159, 0]
['note_on', 69, 1.500159, 0]
['note_off', 69, 2.000212, 0]
['time_signature', 3, 4, 2.000212]
['note_on', 66, 2.000212, 0]
['note_off', 66, 2.5002649999999997, 0]
['note_on', 64, 2.5002649999999997, 0]
['note_off', 64, 3.0003179999999996, 0]
['note_on', 62, 3.0003179999999996, 0]
['note_off', 62, 3.5003709999999995, 0]
384
[Finished in 0.0s]

这就是我的目标:从midifile中获得列表中所有需要的信息。这是一种将消息中的信息获取到python列表中的方法。(我还将(delta(时间设为线性。您需要使用for循环将上一个"时间"添加到当前时间(

您可以直接获取参数值。。。[https://mido.readthedocs.io/en/latest/message_types.html#parameter-类型[1]

例如,我认为这样做会容易得多:

time= 0
for msg in mid:
if msg.type == "note_on":
time+=msg.time
print(time,msg.note,msg.velocity)

最新更新