File size: 30,612 Bytes
5661713 |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 |
import symusic
import pretty_midi
import numpy as np
from dataclasses import dataclass, asdict
from typing import List, Tuple, Dict, TypeVar, Generic, Type
import json
import random
import logging
from util import crop_sm
logger = logging.getLogger(__name__)
# Constants
MIDI_DRUM_PITCHES = range(22, 82)
def crop_sm(sm, n_beats):
"""
Crop a symbolic music object to a specific number of beats.
Parameters:
-----------
sm : object
Symbolic music object with tpq attribute and clip method
n_beats : int
Number of beats to keep
Returns:
--------
object
Cropped symbolic music object
"""
# Create a copy to avoid modifying the original
sm_copy = sm.copy()
tpq = sm_copy.tpq
# first check that the end is not less than n_beats
if sm_copy.end() > n_beats * tpq:
# Clip to specified number of beats
sm_copy = sm_copy.clip(0, n_beats * tpq, clip_end=True)
return sm_copy
class Quantizer:
def __init__(
self, value_range: Tuple[float, float], n_bins: int, round_values: bool = False
):
self.range = value_range
self.n_bins = n_bins
self.bins = np.linspace(value_range[0], value_range[1], n_bins)
if round_values:
self.bins = np.round(self.bins).astype(int)
# returns float or int
def quantize(self, value: float):
"""Returns the closest bin value for a given input."""
return self.bins[np.argmin(np.abs(self.bins - value))]
@dataclass
class TokenizerConfig:
pass
# Create a type variable bound to TokenizerConfig
T = TypeVar("T", bound=TokenizerConfig)
class BaseTokenizer(Generic[T]):
"""Abstract base class for MIDI tokenizers."""
config_cls: Type[T] # Type annotation for the class variable
def __init__(self, config: T) -> None:
self.config = config
self.vocab: List[str] = []
self.token_to_idx: Dict[str, int] = {}
self.pad_token_id = -1
def to_json(self, path: str) -> None:
"""Save the tokenizer configuration to a JSON file."""
with open(path, "w") as f:
json.dump(self.config.__dict__, f, indent=2)
@classmethod
def from_json(cls, path: str):
"""Load the tokenizer configuration from a JSON file."""
with open(path, "r") as f:
config_dict = json.load(f)
config = cls.config_cls(**config_dict)
return cls(config)
def midi_to_tokens(self, midi: symusic.Score) -> List[str]:
raise NotImplementedError
def tokens_to_midi(self, tokens: List[str]) -> symusic.Score:
raise NotImplementedError
def ids_to_midi(self, ids: List[int]) -> symusic.Score:
return self.tokens_to_midi(self.ids_to_tokens(ids))
def midi_to_ids(self, midi: symusic.Score) -> List[int]:
return self.tokens_to_ids(self.midi_to_tokens(midi))
def tokens_to_ids(self, tokens: List[str]) -> List[int]:
"""Convert tokens to their corresponding indices."""
return [self.token_to_idx[token] for token in tokens]
def ids_to_tokens(self, ids: List[int]) -> List[str]:
"""Convert indices back to tokens."""
return [self.vocab[idx] for idx in ids]
@dataclass
class TanjaTokenizerConfig(TokenizerConfig):
ticks_per_beat: int
coarse_ticks_per_beat: int
tempo_range: Tuple[int, int]
n_tempo_bins: int
n_velocity_bins: int
n_bars : int
n_events : int
def dict(self):
return {k: str(v) for k, v in asdict(self).items()}
class TanjaTokenizer(BaseTokenizer):
'''
CMLM Tokenizer.
This tokenizer outputs a list of tokens in the following format:
# First tempo is provided.
Tempo
# Then for each note we have 7 attributes.
Program Pitch OnsetCoarse OnsetFine Offset Duration Velocity
# There is also a mask token
'''
def __init__(self, config: TanjaTokenizerConfig):
self.config = config
self.vocab = []
self.n_beats = config.n_bars * 4
self.vocab.append("BOS_None")
self.vocab.append("EOS_None")
self.vocab.append("SEP_None")
self.vocab.append("PAD_None")
self.vocab.append("MASK_None")
# first create tempo quantizer
self.tempo_quantizer = Quantizer(
config.tempo_range, config.n_tempo_bins, round_values=True
)
# add tempo tokens
self.vocab.extend(f"Tempo_{tempo}" for tempo in self.tempo_quantizer.bins)
# now add program tokens
for i in range(128):
self.vocab.append(f"Program_{i}")
# add program for drums
self.vocab.append(f"Program_Drums")
# add inactive state for program
self.vocab.append(f"Program_inactive")
# now add pitch tokens
self.vocab.extend(f"Pitch_{pitch}" for pitch in range(128))
# add pitch tokens for drums
self.vocab.extend(f"Pitch_Drum{pitch}" for pitch in range(128))
# add inactive state for pitch
self.vocab.append(f"Pitch_inactive")
# now add coarse onset tokens
self.vocab.extend(f"Onset_{i}" for i in range(0, self.n_beats * self.config.ticks_per_beat, config.coarse_ticks_per_beat))
# add inactive state for onset
self.vocab.append(f"Onset_inactive")
# add onset micro
self.vocab.extend(f"Microtiming_{i}" for i in range(self.config.coarse_ticks_per_beat))
# add inactive state for onset micro
self.vocab.append(f"Microtiming_inactive")
# now add offset tokens
self.vocab.extend(f"Offset_{i}" for i in range(0, (self.n_beats + 1) * self.config.ticks_per_beat, config.coarse_ticks_per_beat))
# add inactive state for offset
self.vocab.append(f"Offset_inactive")
# now add duration tokens
# we use fractions from 1/32 to 4/1, in powers of 2
# 32 ticks
thirtysecond_ticks = (self.config.ticks_per_beat * 4) // 32
fourbar_ticks = (self.config.ticks_per_beat * self.n_beats)
ticks = thirtysecond_ticks
while ticks <= fourbar_ticks:
# add duration token
self.vocab.append(f"Duration_{ticks}")
# multiply by 2
ticks *= 2
self.durations = [int(t.split("_")[-1]) for t in self.vocab if t.startswith("Duration_")]
# add inactive state for duration
self.vocab.append(f"Duration_inactive")
# then create velocity quantizer
self.velocity_quantizer = Quantizer(
(1, 127), config.n_velocity_bins, round_values=True
)
# add velocity tokens
self.vocab.extend(f"Velocity_{v}" for v in self.velocity_quantizer.bins)
# add inactive state for velocity
self.vocab.append(f"Velocity_inactive")
self.event_attribute_order = [
"Program",
"Pitch",
"Onset",
"Microtiming",
"Offset",
"Duration",
"Velocity",
]
self.token_to_idx = {token: idx for idx, token in enumerate(self.vocab)}
def remove_special_tokens(self, tokens: List[str]) -> List[str]:
"""Remove special tokens from the token list."""
special_tokens = ["BOS_None", "EOS_None", "SEP_None", "PAD_None"]
return [token for token in tokens if token not in special_tokens]
def get_inactive_note_tokens(self):
# get inactive note attributes
program_token = f"Program_inactive"
pitch_token = f"Pitch_inactive"
onset_coarse_token = f"Onset_inactive"
onset_fine_token = f"Microtiming_inactive"
offset_token = f"Offset_inactive"
duration_token = f"Duration_inactive"
velocity_token = f"Velocity_inactive"
# create note dict
return [program_token, pitch_token, onset_coarse_token, onset_fine_token, offset_token, duration_token, velocity_token]
def get_closest_duration(self, duration: float) -> int:
"""Get the closest duration in self.durations, round down."""
return min(self.durations, key=lambda x: abs(x - duration))
def get_note_tokens(self, note, program, is_drums):
# get note attributes
program_token = f"Program_{program}" if not is_drums else f"Program_Drums"
pitch_token = f"Pitch_{note.pitch}" if not is_drums else f"Pitch_Drum{note.pitch}"
onset_coarse_token = f"Onset_{int(self.config.coarse_ticks_per_beat * (note.start // self.config.coarse_ticks_per_beat))}"
onset_fine_token = f"Microtiming_{int(note.start % self.config.coarse_ticks_per_beat)}"
offset_token = f"Offset_{min(int(self.config.coarse_ticks_per_beat * (note.end // self.config.coarse_ticks_per_beat)), self.n_beats * self.config.ticks_per_beat)}"
#
duration = self.get_closest_duration(note.end - note.start)
# get nearest duration
duration_token = f"Duration_{duration}"
velocity_token = f"Velocity_{self.velocity_quantizer.quantize(note.velocity)}"
# create note dict
return [program_token, pitch_token, onset_coarse_token, onset_fine_token, offset_token, duration_token, velocity_token]
def tokens_to_ids(self, tokens):
return super().tokens_to_ids(tokens)
def ids_to_tokens(self, ids):
return super().ids_to_tokens(ids)
def midi_to_token_ids(self, midi, shuffle_events=True):
"""Convert a MIDI score to token IDs."""
tokens = self.midi_to_tokens(midi, shuffle_events)
return self.tokens_to_ids(tokens)
def token_ids_to_midi(self, token_ids):
"""Convert token IDs back to a MIDI score."""
tokens = self.ids_to_tokens(token_ids)
return self.tokens_to_midi(tokens)
def midi_to_tokens(self, midi, shuffle_events=True):
assert midi.note_num() > 0, "MIDI file must contain at least one note"
assert midi.note_num() <= self.config.n_events, "MIDI file must contain less than n_events notes"
# first resample the midi to the ticks per beat
midi = midi.copy().resample(self.config.ticks_per_beat)
midi = crop_sm(midi, self.n_beats)
# assert that the time signature is 4/4
time_signature = midi.time_signatures[-1]
if time_signature.numerator != 4 or time_signature.denominator != 4:
raise ValueError(
"Only 4/4 time signature is supported for Tanja tokenizer."
)
# get tempo
tempo = midi.tempos[-1].qpm if len(midi.tempos) > 0 else 120
# quantize tempo
tempo_token = f"Tempo_{self.tempo_quantizer.quantize(tempo)}"
note_tokens = []
# sort tracks by program number, is_drum,
for track in midi.tracks:
is_drums = track.is_drum
program_nr = track.program
for note in track.notes:
# get note attributes
note_tokens.append(self.get_note_tokens(note, program_nr, is_drums))
# sort note tokens
note_tokens = sorted(note_tokens,key=lambda x: x)
# shuffle note tokens
# we'll
n_inactive_notes = self.config.n_events - len(note_tokens)
# add inactive notes
for i in range(n_inactive_notes):
note_tokens.append(self.get_inactive_note_tokens())
if shuffle_events:
note_tokens = random.sample(note_tokens, len(note_tokens))
def flatten(lst):
return [item for sublist in lst for item in sublist]
# now we have the note tokens, we can create the final token list
tokens = [tempo_token, *flatten(note_tokens)]
assert tokens[0].startswith("Tempo_"), "First token must be a tempo token"
return tokens
def get_prob_mask(self,idx):
# get last token
if idx == 0:
return [1 if token.startswith("Tempo_") else 0 for token in self.vocab]
else:
attr_index = (idx-1) % len(self.event_attribute_order)
attr_str = self.event_attribute_order[attr_index]
return [1 if token.startswith(attr_str) else 0 for token in self.vocab]
# last_token = tokens[-1]
# attr_str = last_token.split("_")[0]
# # if token is BOS, return mask which has all tempo tokens to 1 and rest to 0
# if attr_str == "BOS":
# return [1 if token.startswith("Tempo_") else 0 for token in tokens]
# # if token is Tempo, return mask which has all Program tokens to 1 and rest to 0
# elif attr_str == "Tempo":
# return [1 if token.startswith("Program_") else 0 for token in tokens]
# # if last token is in event attribute order
# elif attr_str in self.event_attribute_order:
# # get index of last token
# idx = self.event_attribute_order.index(attr_str)
# # get next attribute
# next_attr = self.event_attribute_order[(idx + 1) % len(self.event_attribute_order)]
# # return mask which has all next attributes to 1 and rest to 0
# return [1 if token.startswith(next_attr) else 0 for token in tokens]
# else:
# raise ValueError(f"Unknown token type: {last_token}")
def tokens_to_midi(self, tokens):
# make copy of tokens
tokens = tokens.copy()
tokens = self.remove_special_tokens(tokens)
# create score
midi = symusic.Score()
# set to ticks per beat
midi = midi.resample(self.config.ticks_per_beat)
# set tempo
tempo_token = tokens.pop(0)
tempo = int(tempo_token.split("_")[-1])
midi.tempos = [symusic.Tempo(qpm=tempo, time=0)]
# set time signature
midi.time_signatures.append(symusic.TimeSignature(numerator=4, denominator=4, time=0))
program_notes = {}
while len(tokens) > 0:
# pop len(self.event_attribute_order) tokens
note_tokens = tokens[:len(self.event_attribute_order)]
tokens = tokens[len(self.event_attribute_order):]
print(f"Note tokens: {note_tokens}")
# get note attributes
program_token = note_tokens[0]
# assert that this is a program token
assert program_token.startswith("Program_"), "First token must be a program token"
program_str = program_token.split("_")[-1]
if program_str == "inactive":
continue
program = int(program_str) if program_str != "Drums" else -1
is_drum = program_str == "Drums"
pitch_token = note_tokens[1]
# assert that this is a pitch token
assert pitch_token.startswith("Pitch_"), "Second token must be a pitch token"
pitch_str = pitch_token.split("_")[-1]
if pitch_str == "inactive":
continue
pitch = int(pitch_str) if "Drum" not in pitch_str else int(pitch_str.split("Drum")[-1])
# get onset coarse token
onset_coarse_token = note_tokens[2]
# assert that this is a onset token
assert onset_coarse_token.startswith("Onset_"), "Third token must be an onset token"
onset_coarse_str = onset_coarse_token.split("_")[-1]
if onset_coarse_str == "inactive":
continue
onset_coarse = int(onset_coarse_str)
# get onset fine token
onset_fine_token = note_tokens[3]
# assert that this is a onset token
assert onset_fine_token.startswith("Microtiming_"), "Fourth token must be an onset token"
onset_fine_str = onset_fine_token.split("_")[-1]
if onset_fine_str == "inactive":
continue
onset_fine = int(onset_fine_str)
# get offset token
offset_token = note_tokens[4]
# assert that this is a offset token
assert offset_token.startswith("Offset_"), "Fifth token must be an offset token"
offset_str = offset_token.split("_")[-1]
if offset_str == "inactive":
continue
offset = int(offset_str)
# get duration token
duration_token = note_tokens[5]
# assert that this is a duration token
assert duration_token.startswith("Duration_"), "Sixth token must be a duration token"
duration_str = duration_token.split("_")[-1]
if duration_str == "inactive":
continue
duration = int(duration_str)
# get velocity token
velocity_token = note_tokens[6]
# assert that this is a velocity token
assert velocity_token.startswith("Velocity_"), "Seventh token must be a velocity token"
velocity_str = velocity_token.split("_")[-1]
if velocity_str == "inactive":
continue
velocity = int(velocity_str)
# create note
if program not in program_notes:
program_notes[program] = []
onset_tick = onset_coarse + onset_fine
offset_tick = offset + onset_fine
duration = offset_tick - onset_tick
program_notes[program].append(
symusic.Note(
time=onset_coarse + onset_fine,
pitch=pitch,
velocity=velocity,
duration = duration,
)
)
# now sort programs by program number
program_notes = sorted(program_notes.items(), key=lambda x: x[0])
# sort program notes by start time, end time, pitch, velocity
for program, notes in program_notes:
notes.sort(key=lambda note: (note.start, note.end, note.pitch, note.velocity))
# now create tracks for each program
for program, notes in program_notes:
# create a new track
track = symusic.Track(is_drum=program == -1, program=program if program != -1 else 0)
# add notes to track
for note in notes:
track.notes.append(note)
# add track to midi
midi.tracks.append(track)
return midi
# header
# Tempo_120 Program_Drums Program_1 Program_34 Program_1 Track_None Bar_None Position_0 Offset_2 Pitch_Drum:60 Velocity ... Track_None Bar_None Postion_0 Offset_2 Pitch_60 Velocity_100 Duration_46 ... ... Track_None
@dataclass
class IrmaTokenizerConfig(TokenizerConfig):
ticks_per_beat: int
positions_per_beat : int
tempo_range: Tuple[int, int]
n_tempo_bins: int
n_velocity_bins: int
n_bars : int
duration_ranges: List[Tuple[int, int]]
def dict(self):
return {k: str(v) for k, v in asdict(self).items()}
class IrmaTokenizer(BaseTokenizer):
'''
Irma Tokenizer.
Starts with a header that contains the time signature and tempo.
Then, it contains the programs that will be involved (in arbitrary order).
Then, the body starts.
The body has one part per program, separated by the separator token.
A body part is structured as follows:
Track_None Program_0 BAR_None Position_12 Shift_2 Pitch_60 Velocity_100 Duration_...
# shift is in relation to last position
Track_None ...
We can have multiple tracks per program.
Offset is only present if needed.
Only supports 4/4 time signature.
'''
config_cls = IrmaTokenizerConfig
def __init__(self, config: IrmaTokenizerConfig):
super().__init__(config)
self.ticks_per_position = self.config.ticks_per_beat / self.config.positions_per_beat
self.vocab = []
# Special tokens
self.vocab.append("BOS_None")
self.vocab.append("EOS_None")
self.vocab.append("SEP_None")
self.vocab.append("PAD_None")
self.vocab.append("Bar_None")
self.vocab.append("Track_None")
# now add tempo tokens
self.tempo_quantizer = Quantizer(
self.config.tempo_range, self.config.n_tempo_bins, round_values=True
)
self.vocab.extend(f"Tempo_{tempo}" for tempo in self.tempo_quantizer.bins)
# Now add program tokens
for i in range(128):
self.vocab.append(f"Program_{i}")
# add program for drums
self.vocab.append(f"Program_Drums")
# Now add position tokens
positions_per_bar = 4 * config.positions_per_beat
for i in range(positions_per_bar):
self.vocab.append(f"Position_{i}")
# Now add offset tokens
n_offsets = config.ticks_per_beat / config.positions_per_beat
for i in range(1, int(n_offsets)):
self.vocab.append(f"Shift_{i}")
# Now add pitch tokens
self.vocab.extend(f"Pitch_{pitch}" for pitch in range(128))
# now add drum pitch tokens
self.vocab.extend(f"Pitch_Drum{pitch}" for pitch in range(128))
# Now add duration tokens
# durations operate as follows.
# if between 0 and 1, it is a note
#
# assert that all durations divisions are divisors of 96
for dur_range in self.config.duration_ranges:
assert self.config.ticks_per_beat % dur_range[1] == 0, f"Duration division {dur_range[1]} must be a divisor of ticks_per_beat {self.config.ticks_per_beat}"
range_start = 0
self.durations = []
for dur_range in self.config.duration_ranges:
range_end = dur_range[0]
# add all durations between range_start and range_end
range_start_ticks = range_start * self.config.ticks_per_beat
range_end_ticks = range_end * self.config.ticks_per_beat
dur_skip_ticks = self.config.ticks_per_beat / dur_range[1]
for i in range(range_start_ticks, range_end_ticks, int(dur_skip_ticks)):
self.vocab.append(f"Duration_{i}d{self.config.ticks_per_beat*4}")
self.durations.append(i)
range_start = range_end
# Now add velocity tokens
self.velocity_quantizer = Quantizer(
(1, 127), self.config.n_velocity_bins, round_values=True
)
self.vocab.extend(f"Velocity_{v}" for v in self.velocity_quantizer.bins)
# Create token to index mapping
self.token_to_idx = {token: idx for idx, token in enumerate(self.vocab)}
def midi_to_token_ids(self, midi: symusic.Score, shuffle_tracks=True) -> List[int]:
"""Convert a MIDI score to token IDs."""
tokens = self.midi_to_tokens(midi, shuffle_tracks)
return self.tokens_to_ids(tokens)
def remove_special_tokens(self, tokens: List[str]) -> List[str]:
"""Remove special tokens from the token list."""
special_tokens = ["BOS_None", "EOS_None", "SEP_None", "PAD_None"]
return [token for token in tokens if token not in special_tokens]
def token_ids_to_midi(self, token_ids: List[int]) -> symusic.Score:
"""Convert token IDs back to a MIDI score."""
tokens = self.ids_to_tokens(token_ids)
return self.tokens_to_midi(tokens)
def get_closest_duration(self, duration: float) -> int:
"""Get the closest duration in self.durations."""
return min(self.durations, key=lambda x: abs(x - duration))
def midi_to_tokens(self, midi: symusic.Score, shuffle_tracks=True) -> List[str]:
"""Convert a MIDI score to tokens."""
midi = midi.copy().resample(self.config.ticks_per_beat)
tempo = midi.tempos[-1].qpm if len(midi.tempos) > 0 else 120
time_signature = midi.time_signatures[-1]
if time_signature.numerator != 4 or time_signature.denominator != 4:
raise ValueError(
"Only 4/4 time signature is supported for Irma tokenizer."
)
tempo_token = f"Tempo_{self.tempo_quantizer.quantize(tempo)}"
# shuffle tracks
tracks = [track for track in midi.tracks if len(track.notes) > 0]
if shuffle_tracks:
# shuffle tracks
tracks = random.sample(tracks, len(tracks))
program_tokens = []
track_tokens = []
for track in tracks:
if track.is_drum:
# add
program_tokens.append(f"Program_Drums")
else:
program_tokens.append(f"Program_{track.program}")
new_track_tokens = ["Track_None"]
# add bar
bar_count = -1
curr_position = -1
curr_shift = 0
notes = track.notes.copy()
notes.sort(key=lambda note: (note.start, note.pitch, note.velocity))
for note in notes:
# add bar tokens
bar_idx = note.start // (self.config.ticks_per_beat * 4)
while bar_count < bar_idx:
new_track_tokens.append("Bar_None")
bar_count += 1
curr_position = -1
curr_shift = 0
# get onset
onset = note.start
# get position
position = int(onset % (self.config.ticks_per_beat * 4) // self.ticks_per_position)
if position != curr_position:
new_track_tokens.append(f"Position_{position}")
curr_position = position
curr_shift = 0
shift = int(onset % self.ticks_per_position)
if shift != curr_shift:
new_track_tokens.append(f"Shift_{shift}")
curr_shift = shift
# get pitch
if track.is_drum:
new_track_tokens.append(f"Pitch_Drum{note.pitch}")
else:
new_track_tokens.append(f"Pitch_{note.pitch}")
# get velocity
new_track_tokens.append(f"Velocity_{self.velocity_quantizer.quantize(note.velocity)}")
# get duration
# get duration
duration = note.end - note.start
# get closest duration in self.durations
closest_duration = self.get_closest_duration(duration)
# get duration token
new_track_tokens.append(f"Duration_{closest_duration}d{self.config.ticks_per_beat*4}")
track_tokens.append(new_track_tokens)
tokens = [tempo_token, *program_tokens]
for track in track_tokens:
tokens.extend(track)
return tokens
def tokens_to_midi(self, tokens):
tokens = tokens.copy()
tokens = self.remove_special_tokens(tokens)
# assert that the first token is a tempo token
assert tokens[0].startswith("Tempo_"), "First token must be a tempo token"
tempo_token = tokens.pop(0)
# then pop program tokens until we reach the first Track_None
program_tokens = []
while tokens and not tokens[0].startswith("Track_None"):
pr_token = tokens.pop(0)
assert pr_token.startswith("Program_"), "Program token must start with Program_"
program_tokens.append(pr_token)
# now we have the program tokens, we can start processing the tracks
# first create symusic.Score object
midi = symusic.Score()
# set tick rate
midi = midi.resample(self.config.ticks_per_beat)
# set tempo
tempo = int(tempo_token.split("_")[-1])
midi.tempos = [symusic.Tempo(qpm=tempo, time=0)]
# set time signature
midi.time_signatures.append(symusic.TimeSignature(numerator=4, denominator=4, time=0))
def split_list_by_value(lst, value):
result = []
current_sublist = []
for item in lst:
if item == value:
if current_sublist: # Save the current sublist if it's not empty
result.append(current_sublist)
current_sublist = []
# Optionally add the split value to a separate list or discard it
else:
current_sublist.append(item)
if current_sublist: # Add the last sublist if it's not empty
result.append(current_sublist)
return result
# split tokens by Track_None
tokens_split_by_track = split_list_by_value(tokens, "Track_None")
# assert that we have the same number of tracks as programs
assert len(tokens_split_by_track) == len(program_tokens), "Number of tracks must be equal to number of programs"
# now create a track for each program
for track_tokens, track_program in zip(tokens_split_by_track, program_tokens):
# create a new track
track = symusic.Track(is_drum=track_program == "Program_Drums", program=int(track_program.split("_")[-1]) if track_program != "Program_Drums" else 0)
# set bar count
bar_count = -1
curr_position = 0
curr_shift = 0
for token in track_tokens:
if token.startswith("Bar_None"):
bar_count += 1
curr_position = 0
elif token.startswith("Position_"):
curr_position = int(token.split("_")[-1])
curr_shift = 0
elif token.startswith("Shift_"):
curr_shift = int(token.split("_")[-1])
elif token.startswith("Pitch_"):
pitch_str = token.split("_")[-1]
if pitch_str.startswith("Drum"):
pitch = int(pitch_str.split("Drum")[-1])
else:
pitch = int(pitch_str)
elif token.startswith("Velocity_"):
velocity = int(token.split("_")[-1])
elif token.startswith("Duration_"):
duration = int(token.split("_")[-1].split("d")[0])
# create note
note = symusic.Note(
time=int(bar_count * self.config.ticks_per_beat * 4 + curr_position * self.ticks_per_position + curr_shift),
pitch=pitch,
velocity=velocity,
duration=duration)
track.notes.append(note)
# add track to midi
midi.tracks.append(track)
return midi |