예제 #1
0
class Song:
    def __init__(self, tracks, length):
        self.song = None
        self.tracks = tracks
        self.length = length
        self.actual_track = 0
        self.tracks_list = []

    def add_track(self, track):
        self.tracks_list.append(track)

    def save_song(self, output="my_file.mid"):
        self.song = MIDIFile(len(self.tracks_list))
        for t in self.tracks_list:
            self.song.addTempo(self.actual_track, t.start, t.tempo)
            self.add_pitches(t)
            self.actual_track += 1
        with open(output, "wb") as output_file:
            self.song.writeFile(output_file)

    def add_pitches(self, track):
        for list in track.board.values():
            for note in list:
                self.song.addNote(self.actual_track, self.actual_track,
                                  note.get_pitch(), note.time, note.duration,
                                  100)
        self.song.addProgramChange(self.actual_track, self.actual_track,
                                   track.start, track.instrument)
예제 #2
0
def create_midi(note_groups):
    midi = MIDIFile(1)

    track = 0
    time = 0
    channel = 0
    volume = 100

    midi.addTrackName(track, time, "Track")
    midi.addTempo(track, time, 140)

    for note_group in note_groups:
        duration = None
        for note in note_group:
            note_type = note.sym
            if note_type == "1":
                duration = 4
            elif note_type == "2":
                duration = 2
            elif note_type == "4,8":
                duration = 1 if len(note_group) == 1 else 0.5
            pitch = note.pitch
            midi.addNote(track, channel, pitch, time, duration, volume)
            time += duration

    #midi.addNote(track,channel,pitch,time,4,0)
    # And write it to disk.
    binfile = open("output.mid", 'wb')
    midi.writeFile(binfile)
    binfile.close()
예제 #3
0
def generate_midi(notes):
    # Create the MIDIFile Object
    MyMIDI = MIDIFile(1)

    # Add track name and tempo. The first argument to addTrackName and
    # addTempo is the time to write the event.
    track = 0
    time = 0
    MyMIDI.addTrackName(track, time, "Sample Track")
    MyMIDI.addTempo(track, time, 120)

    # Add a note. addNote expects the following information:
    channel = 0
    # pitch = 60
    # duration = 1
    volume = 100

    # Now add the note.
    for note in notes:
        MyMIDI.addNote(track, channel, note.pitch, time, note.duration, volume)
        time += note.duration

    # And write it to disk.
    binfile = open("./server_files/output.mid", 'wb')
    MyMIDI.writeFile(binfile)
    binfile.close()
예제 #4
0
class Midi:
    """Musique midi"""
    def __init__(self, partition, tempo):
        # Définition des paramètres MIDI.
        piste = 0
        temps = 0
        self.sortieMidi = MIDIFile(1)
        # Nom de la piste.
        self.sortieMidi.addTrackName(piste, temps, "Gregorien")
        # Tempo.
        self.sortieMidi.addTempo(piste, temps, tempo)
        # Instrument (74 : flûte).
        self.sortieMidi.addProgramChange(piste, 0, temps, 74)
        # À partir des propriétés de la note, création des évènements
        # MIDI.
        for note in partition:
            channel = 0
            pitch = note.hauteur
            duree = note.duree
            volume = 127
            self.sortieMidi.addNote(piste, channel, pitch, temps, duree,
                                    volume)
            temps += duree

    def ecrire(self, chemin):
        """Écriture effective du fichier MIDI"""
        binfile = open(chemin, 'wb')
        self.sortieMidi.writeFile(binfile)
        binfile.close()
예제 #5
0
파일: gabc2mid.py 프로젝트: jperon/gabc2mid
class Midi:
    """Musique midi"""
    def __init__(self,partition,tempo):
        # Définition des paramètres MIDI.
        piste = 0
        temps = 0
        self.sortieMidi = MIDIFile(1)
        # Nom de la piste.
        self.sortieMidi.addTrackName(piste,temps,"Gregorien")
        # Tempo.
        self.sortieMidi.addTempo(piste,temps, tempo)
        # Instrument (74 : flûte).
        self.sortieMidi.addProgramChange(piste,0,temps,74)
        # À partir des propriétés de la note, création des évènements
        # MIDI.
        for note in partition:
            channel = 0
            pitch = note.hauteur
            duree = note.duree
            volume = 127
            self.sortieMidi.addNote(piste,
                                    channel,
                                    pitch,
                                    temps,
                                    duree,
                                    volume)
            temps += duree
    def ecrire(self,chemin):
        """Écriture effective du fichier MIDI"""
        binfile = open(chemin, 'wb')
        self.sortieMidi.writeFile(binfile)
        binfile.close()
예제 #6
0
class GenerateMelody(object):
    def __init__(self, file, pitch, length, beat_duration):
        self.pitch = pitch
        self.length = abs(length)
        self.file = file
        self.midi_melody = MIDIFile(1)
        self.beat_duration = abs(beat_duration)

    def get_filename(self):
        if not self.file.endswith(".mid"):
            return self.file + ".mid"
        return self.file

    def get_random_pitch(self):
        step = random.randint(-5, 5)
        return abs(self.pitch + step)

    @staticmethod
    def get_random_volume():
        return random.randint(70, 127)

    def generate(self):
        time = 0

        self.midi_melody.addTempo(0, time, 60)
        while time < self.length:
            self.midi_melody.addNote(0, 0, self.get_random_pitch(), time,
                                     self.beat_duration, self.get_random_volume())
            time += self.beat_duration

        binfile = open(self.get_filename(), 'wb')
        self.midi_melody.writeFile(binfile)
        binfile.close()
예제 #7
0
def to_midi(events_):
    midistream = MIDIFile(1)

    track = 0
    time = 0
    channel = 0
    volume = 100

    midistream.addTrackName(track, time, "Track")
    midistream.addTempo(track, time, 60)

    temp = []
    for index, event_ in enumerate(events_):
        if event_[0][0] == 144:  #key down
            temp = event_
        elif event_[0][0] == 128:  #key up
            duration = (event_[1] - temp[1]) / 1000
            pitch = event_[0][1]
            time = temp[1] / 1000
            midistream.addNote(track, channel, pitch, time, duration, volume)

    # And write it to disk.
    binfile = open("temp/user_output.mid", 'wb')
    midistream.writeFile(binfile)
    print(midistream)
    binfile.close()
def GeneratePiece(voices, voiceSize, instRange, ratios):
	print("Enter the name of a file with a melody in it")
	filename = sys.stdin.readline()
	melodyFile = open(filename[:-1], 'r')
	C = (instRange - voiceSize)//voices #the interval of imitation
	retval = MIDIFile(voices)
	#there are voices voices, numbered from bottom up
	#set tempi
	track = 0
	for r in ratios:
		retval.addTempo(track, 0, r * 240)
		track+=1
	#generate taleae, talea[0] is the top octave's talea, talea[1] is the next highest, etc.
	talea = [[]]
	for i in range(0, random.randint(3, 5)):
		talea[0].append(random.randint(1,5))
	#each other talea is the same number of notes, with each note lengths incremented 1 or 2 times
	for m in range(1, math.floor(voiceSize//12)):
		talea.append([])
		for i in range(0, len(talea[0])):
			talea[m].append(talea[m-1][i] + random.randint(1, 2))
	print(talea)
	#calculate the length of the piece (in half steps)
	length = 1
	temp = 0
	for m in range(0, len(talea)):
		temp = 0
		for i in range(0, len(talea[m])):
			temp += talea[m][i]
		length = lcm(length, temp)
	print(length)
	#figure out where each voice enters
	entrances = []
	for m in range(0, len(ratios)):
		temp = (ratios[0]-ratios[m]) * length
		entrances.append(temp)
	
	#write a melody for each octave of a single voice
	melody = GenerateMelody(talea, melodyFile)
	#write the melody to the midi file in each voice
	currentTime = 0
	for n in range(0, voices):
		for m in range(0, voiceSize//12):
			currentTime = entrances[n]
			i = 0
			while currentTime < length:
				i += 1
				i %= len(talea[m])
				retval.addNote(n, 0, bottom + melody[m][i] + (C * n), currentTime, talea[m][i]/2, 100)
				currentTime+=talea[m][i]
			
	return retval
예제 #9
0
파일: yellow.py 프로젝트: Hrabal/YellowGen
 def make(self):
     with open("output.mid", 'wb') as f:
         MyMIDI = MIDIFile(1)
         track = 0
         time = 0
         channel = 0
         volume = 100
         MyMIDI.addTrackName(track, self.tempo, "Sample Track")
         MyMIDI.addTempo(track, time, 120)
         for part in self.structure:
             for note in self.riffs[part][0].score:
                 MyMIDI.addNote(track, channel, note.pitch, time, note.duration, volume)
                 time += note.duration
         MyMIDI.writeFile(f)
예제 #10
0
 def createFile(self):
     MIDI = MIDIFile(1)
     MIDI.addTrackName(0,0,self.name)
     MIDI.addTempo(0,0, self.bpm)
     beat = 0
     for chord in self.chords:
         for degree in chord.degrees:
             MIDI.addNote(0,0,self.scale.scaleNotes[degree],beat,1,chord.intensity)
         beat = beat + 1
     if not os.path.exists(songFolder):
       os.makedirs(songFolder)
     midiFile = open("%s/%d.%d-%s.mid"%(songFolder, self.generation, self.songnum, self.name), 'wb')
     MIDI.writeFile(midiFile)
     midiFile.close()
예제 #11
0
class MidiWrite(OutputRajapinta):
    def __init__(self, max_tracks, filename):
        self.filename = filename
        self.midi = MIDIFile(max_tracks)

    def nuotti(self, track, channel, pitch, time, duration, volume):
        self.midi.addNote(track, channel, pitch, time, duration, volume)

    def tempo(self, track, time, tempo):
        self.midi.addTempo(track, time, tempo)

    def soitin(self, track, channel, time, program):
        self.midi.addProgramChange(track, channel, time, program)

    def kirjoita(self):
        file = open(self.filename, "wb")
        self.midi.writeFile(file)
        file.close()
예제 #12
0
def arrayToMidiDouble(aArray, count):
    MyMIDI = MIDIFile(1)
    MyMIDI.addTrackName(0,0,"Red")
    MyMIDI.addTempo(0,0,120)
    time = 0
    for j in range(len(aArray)):
        # randDur = choice([0.5, 0.25, 1, 2, 4])
        randDur = 1
        pitch = aArray[j]
        MyMIDI.addNote(0,0,pitch,time,randDur,100)
        time += randDur
    name = str(count) + ".mid"
    print(name)
    binfile = open(name, 'wb')
    MyMIDI.writeFile(binfile)
    binfile.close()
    print("finishing producing midi")
    return (name)
예제 #13
0
class Midi:
    """Musique midi"""
    def __init__(self, partition, titre, tempo):
        # Définition des paramètres MIDI.
        piste = 0
        temps = 0
        self.sortiemidi = MIDIFile(1)
        # Nom de la piste.
        self.sortiemidi.addTrackName(piste, temps, sansaccents(titre))
        # Tempo.
        self.sortiemidi.addTempo(piste, temps, tempo)
        # Instrument (74 : flûte).
        self.sortiemidi.addProgramChange(piste, 0, temps, 74)
        self.traiter_partition(partition, piste, temps)

    def traiter_partition(self, partition, piste, temps):
        """Création des évènements MIDI"""
        transposition = partition.transposition
        for neume in partition.musique:
            for note in (
                    notes for notes in neume if isinstance(notes, Note)
            ):
                channel = 0
                pitch = note.hauteur + transposition
                duree = note.duree
                volume = 127
                self.sortiemidi.addNote(
                    piste,
                    channel,
                    pitch,
                    temps,
                    duree,
                    volume
                )
                temps += duree

    def ecrire(self, chemin):
        """Écriture effective du fichier MIDI"""
        with (
            open(sys.stdout.fileno(), 'wb')
            if chemin == '-'
            else open(chemin, 'wb')
        )as sortie:
            self.sortiemidi.writeFile(sortie)
예제 #14
0
파일: Pythoven.py 프로젝트: imclab/pythoven
def midiSing(sheet, instruments, key, ticktime, filename):
    offset = NOTES.index(key) + 60 # Middle C is MIDI note #60    
    midi=MIDIFile(len(sheet))
    replaceprint('Creating midi...')
    for t in range(0,len(sheet)): 
        midi.addTrackName(t, 0, "Track %s"%t)
        midi.addTempo(t, 0, 60000/(ticktime))
        sheet[t]=sheet[t][1:]+[(sheet[t][0],0)]
        tracklen=len(sheet[t])
        for n in range(0,tracklen-1):
            time, note = sheet[t][n]
            duration = sheet[t][(n+1)%tracklen][0]-time
            midi.addNote(t,0,offset+note,time,duration,100)#MyMIDI.addNote(track,channel,pitch,time,duration,volume)
    replaceprint('Writing to file...')
    binfile = open(filename+".mid", 'wb')
    midi.writeFile(binfile)
    binfile.close()
    replaceprint('Synth complete!')
    print("\nMID output to: \"" + filename+ ".mid\"")
예제 #15
0
    def midi(self, path, bpm=240, channel=9, pitch=75, velocity=100):

        from midiutil.MidiFile3 import MIDIFile

        track = 0
        time = 0

        mf = MIDIFile(1)

        mf.addTrackName(track, time, "Sample Track")
        mf.addTempo(track, time, bpm)

        for duration in self.durations:

            mf.addNote(track, channel, pitch, time, duration, velocity)
            time += duration

        # write it to disk
        with open(path, 'wb') as midi_file:
            mf.writeFile(midi_file)
예제 #16
0
def midiSing(sheet, instruments, key, ticktime, filename):
    offset = NOTES.index(key) + 60  # Middle C is MIDI note #60
    midi = MIDIFile(len(sheet))
    replaceprint('Creating midi...')
    for t in range(0, len(sheet)):
        midi.addTrackName(t, 0, "Track %s" % t)
        midi.addTempo(t, 0, 60000 / (ticktime))
        sheet[t] = sheet[t][1:] + [(sheet[t][0], 0)]
        tracklen = len(sheet[t])
        for n in range(0, tracklen - 1):
            time, note = sheet[t][n]
            duration = sheet[t][(n + 1) % tracklen][0] - time
            midi.addNote(
                t, 0, offset + note, time, duration,
                100)  #MyMIDI.addNote(track,channel,pitch,time,duration,volume)
    replaceprint('Writing to file...')
    binfile = open(filename + ".mid", 'wb')
    midi.writeFile(binfile)
    binfile.close()
    replaceprint('Synth complete!')
    print("\nMID output to: \"" + filename + ".mid\"")
예제 #17
0
class MidiPlay(OutputRajapinta):
    def __init__(self, max_tracks, filename):
        self.midi = MIDIFile(max_tracks)

    def nuotti(self, track, channel, pitch, time, duration, volume):
        self.midi.addNote(track, channel, pitch, time, duration, volume)

    def tempo(self, track, time, tempo):
        self.midi.addTempo(track, time, tempo)

    def soitin(self, track, channel, time, program):
        self.midi.addProgramChange(track, channel, time, program)

    def kirjoita(self, file=None):
        import sys
        import io

        # Systeemialustan mukainen miditiedoston soittamiseen käytetty tiedosto
        if sys.platform == "win32":
            from mplaymaster.win32midi import midiDevice
        elif sys.platform == "darwin":
            from mplaymaster.darwinmidi import midiDevice
        else:
            raise ImportError(
                "Sori, soitto ei tue muuta kuin Windowsia ja Mac OS X:ää :(")

        # Haetaan soittolaite tiedoston alussa importatusta kirjastosta
        laite = midiDevice()

        # Luodaan BytesIO-objekti, joka toimii kuin bytes-tilassa avattu tiedosto
        tiedosto = file if file is not None else io.BytesIO()
        self.midi.writeFile(tiedosto)
        tiedosto.seek(0)

        # Ja kutsutaan laitteen soittofunktiota omassa säikeessään. Tämä tehdään siksi, että
        # ohjelma pääsee jatkamaan suoritustaan musiikin soidessa taustalla.
        laite.play(tiedosto)
예제 #18
0
from midiutil.MidiFile3 import MIDIFile

MyMIDI = MIDIFile(1)
track = 0 
time = 0
MyMIDI.addTrackName(track, time, "Sample Track") 
MyMIDI.addTempo(track, time, 120)

track = 0 
channel = 0 
pitch = 60 
time = 4 
duration = 1 
volume = 100

MyMIDI.addNote(track,channel,pitch,time,duration,volume)

track = 0
channel = 1 
pitch = 64 
time = 8 
duration = 1
volume = 100

MyMIDI.addNote(track,channel,pitch,time,duration,volume)

track = 0
channel = 2
pitch = 67 
time = 12 
duration = 1 
예제 #19
0
time = time +1
MyMIDI.addProgramChange(track2,1, time, 2)

time = time +1

#f = open("climate2010.txt")
#for row in csv.reader(f):
    
channel = 0
channel2 = 1
pitch1 = 60
pitch2 = 64
duration = 5
volume = 100
time = time +2
MyMIDI.addNote(track1,channel,pitch1,time,duration,volume)
    #time = time +1
MyMIDI.addNote(track2,channel2,pitch2,time,duration,volume)
time = time + 2
MyMIDI.addNote(track1,channel,pitch1,time,duration,volume)
    #time = time +1
MyMIDI.addNote(track2,channel2,pitch2,time,duration,volume)
time = time + 2
MyMIDI.addNote(track1,channel,pitch1,time,duration,volume)
    #time = time +1
MyMIDI.addNote(track2,channel2,pitch2,time,duration,volume)
MyMIDI.addNote(track2,channel2,67,time,duration,volume)
    #print(row[1])
# Create the MIDIFile Object
# Now add the note.
    def save_midi_file(self):
        if len(self.messages_captured) == 0:
            return

        my_midi = MIDIFile(2)
        track = 0

        my_midi.addTrackName(track, 0, "Tempo track")
        my_midi.addTempo(track, 0, self.bpm)

        track += 1
        my_midi.addTrackName(track, 0, "Song track")

        total_time = 0
        midi_messages_on = []
        midi_messages_off = []
        midi_messages_controller = []

        for message in self.messages_captured:
            if len(message) != 3:
                self.write_message("wrong length: skipping " + str(message))
                continue

            total_time += message.time_stamp
            # seconds -> beat conversion
            total_time_adjusted = total_time * float(self.bpm) / float(60)

            if message.type == MidiEventTypes.NOTE_ON:
                midi_messages_on.append(
                    {'note': message[1], 'velocity': message[2], 'time': total_time_adjusted, 'channel': message.channel})
            elif message.type == MidiEventTypes.NOTE_OFF:
                midi_messages_off.append(
                    {'note': message[1], 'velocity': message[2], 'time': total_time_adjusted, 'channel': message.channel})
            elif message.type == MidiEventTypes.CONTROL_CHANGE:
                midi_messages_controller.append(
                    {'type': message[1], 'value': message[2], 'time': total_time_adjusted, 'channel': message.channel})
            else:
                self.write_message("unknown message: skipping " + str(message))
                continue

        for m_on in midi_messages_on:
            for m_off in midi_messages_off:
                if m_off['note'] == m_on['note'] and m_off['time'] > m_on['time']:
                    m_on['duration'] = m_off['time'] - m_on['time']
                    m_off['note'] = -1
                    break
            else:
                m_on['duration'] = float(
                    15) * float(self.bpm) / float(60)  # suspended

        for m in midi_messages_on:
            my_midi.addNote(
                track, m['channel'], m['note'], m['time'], m['duration'], m['velocity'])

        for m in midi_messages_controller:
            my_midi.addControllerEvent(
                track, m['channel'], m['time'], m['type'], m['value'])

        file_name = self.midi_file_name.format(
            datetime.datetime.now().strftime("%Y%m%d-%H%M%S"))
        file_path = os.path.join(os.path.dirname(sys.argv[0]), file_name)
        self.write_message("Saving {0} MIDI messages to {1}...".format(
            len(self.messages_captured), file_name))
        binfile = open(file_path, 'wb')
        my_midi.writeFile(binfile)
        binfile.close()
        self.messages_captured = []
        self.write_message("Saved.")
예제 #21
0
time = time + 1

# open and read each line ( data object ) in file
f = open("StormyWeather.txt")
for row in csv.reader(f):

    # calculate pitch value from temperatures
    #pitch1 =  20 + winddirection_to_values(row[windDirection])

    dingaLing = 1
    duration = 1.5
    durationlong = .5
    volume = 80

    if row[yearColumn] != weatherYear:
        MyMIDI.addNote(track1, channel, 45, time, durationlong, volume)

    weatherYear = row[yearColumn]

    tim = time + 1

    #pitch1 =   moonphase_to_values(row[moonphase])
    #pitch2Tmp = float(row[windSpeed])
    # pitch2 = int(pitch2Tmp) + lowTempAdjustment

    stormCenter = weatherevent_to_values(row[weatherColumn])

    pitch = 60 + randompitch()
    time = time + 1
    MyMIDI.addProgramChange(track2, channel2, time, stormCenter)
    time = time + 1
time_since_root = 0
this_time = 0.0
note_durations = []
note_times = []
elongation_factor = 1.5
for i in xrange(len(signature)):
    if signature[i] == 0:
        root_interval_ind += 1
        time_since_root = 0
        this_time = root_interval_ind * root_duration
        note_durations.append(root_duration / elongation_factor)
        note_times.append(this_time)
        this_root_interval = time_between_roots[root_interval_ind]
    else:
        this_duration = root_duration / this_root_interval
        time_since_root += 1
        this_time += this_duration
        note_durations.append(this_duration)
        note_times.append(this_time)

seq_notes = [use_scale[x] for x in signature]
for i in xrange(len(seq_notes)):
    if seq_notes[i] >= 0 and seq_notes[i] <= 127:
        #        mf1.addNote(0,0,seq_notes[i],i*duration,duration*2,velocity)
        #        mf1.addNote(0,0,seq_notes[i],note_times[i],note_durations[i]*elongation_factor,velocity)
        mf1.addNote(0, 0, seq_notes[i], note_times[i], 0.25, velocity)

out_fname = fname_base + '_' + str(use_scale) + '.midi'
with open(out_fname, 'wb') as f:
    mf1.writeFile(f)
예제 #23
0
def create_midi_from_progression(progression):
    """
	Given a chord progression in the form of a list of chord instances,
	creates a MIDI file as an output.
	"""
    MyMIDI = MIDIFile(4)
    track = 0
    time = 0
    MyMIDI.addTrackName(track, time, "Soprano")
    MyMIDI.addTempo(track, time, 60)
    track += 1
    MyMIDI.addTrackName(track, time, "Alto")
    MyMIDI.addTempo(track, time, 60)
    track += 1
    MyMIDI.addTrackName(track, time, "Tenor")
    MyMIDI.addTempo(track, time, 60)
    track += 1
    MyMIDI.addTrackName(track, time, "Bass")
    MyMIDI.addTempo(track, time, 60)

    channel = 0
    duration = 1
    volume = 100

    for index, chord in enumerate(progression):
        track = 3
        for note in chord.get_notes():
            pitch = note.get_midi_number()
            MyMIDI.addNote(track, channel, pitch, time, duration, volume)
            track -= 1
        time += 1
        if index == len(progression) - 2:
            duration = 2
    binfile = open("output_individual_voices.mid", 'wb')
    MyMIDI.writeFile(binfile)
    binfile.close()

    MyMIDI = MIDIFile(2)
    track = 0
    time = 0
    MyMIDI.addTrackName(track, time, "Upper Voices")
    MyMIDI.addTempo(track, time, 60)
    track += 1
    MyMIDI.addTrackName(track, time, "Lower Voices")
    MyMIDI.addTempo(track, time, 60)

    duration = 1

    for index, chord in enumerate(progression):
        track = 1
        count = 0
        for note in chord.get_notes():
            pitch = note.get_midi_number()
            MyMIDI.addNote(track, channel, pitch, time, duration, volume)
            if count % 2 == 1:
                track -= 1
            count += 1
        time += 1
        if index == len(progression) - 2:
            duration = 2
    binfile = open("output_two_hands.mid", 'wb')
    MyMIDI.writeFile(binfile)
    binfile.close()
예제 #24
0
#Import the library
from midiutil.MidiFile3 import MIDIFile

import csv
f = open("airports.dat")
for row in csv.reader(f):
    print(row[1])
# Create the MIDIFile Object
MyMIDI = MIDIFile(1)

# Add track name and tempo. The first argument to addTrackName and
# addTempo is the time to write the event.
track = 0
time = 0
MyMIDI.addTrackName(track, time, "Sample Track")
MyMIDI.addTempo(track, time, 120)

# Add a note. addNote expects the following information:
channel = 0
pitch = 60
duration = 1
volume = 100

# Now add the note.
MyMIDI.addNote(track, channel, pitch, time, duration, volume)

# And write it to disk.
binfile = open("output.mid", 'wb')
MyMIDI.writeFile(binfile)
binfile.close()
예제 #25
0
time = time +1

# open and read each line ( data object ) in file
f = open("2015OutputCSV.txt")
for row in csv.reader(f):
    
    # calculate pitch value from temperatures
    pitch1 =  20 + winddirection_to_values(row[windDirection])    #int(row[windDirection]) + highTempAdjustment
    pitch2Tmp = float(row[windSpeed]) 
    pitch2 = int(pitch2Tmp) + lowTempAdjustment
    duration = 1.5
    volume = 100  
    
    # add initial tracks
    # Add a note. addNote expects the following information:
    MyMIDI.addNote(track1,channel,pitch1,time,duration,volume)
    time = time +1
    MyMIDI.addNote(track2,channel2,pitch2,time,duration,volume)
    time = time + 1
    if row[precipitation] != "0.00":  #got some rain today
        pitch3 = 96
        MyMIDI.addNote(track3,channel3,pitch3,time,3,90)        
    #print(row[1])


time = time + 4

# change track 3 to ocean sound for the finale !!

MyMIDI.addProgramChange(track3,2, time, 122)   # 122 = Seashore
time = time + 1
예제 #26
0
# open and read each line ( data object ) in file
f = open("StormyWeather.txt")
for row in csv.reader(f):
    
    # calculate pitch value from temperatures
    #pitch1 =  20 + winddirection_to_values(row[windDirection])
    
    
    dingaLing = 1
    duration = 1.5
    durationlong = .5
    volume = 80  
    
   
    if row[yearColumn] != weatherYear:  
        MyMIDI.addNote(track1,channel,45,time,durationlong,volume)     
        
    weatherYear = row[yearColumn]     
    
    time = time + 1

    
    #pitch1 =   moonphase_to_values(row[moonphase])  
    #pitch2Tmp = float(row[windSpeed]) 
   # pitch2 = int(pitch2Tmp) + lowTempAdjustment
   
    stormCenter = weatherevent_to_values(row[weatherColumn]) 
    
    print("stormCenter: ", stormCenter)
    
    pitch = 60 + randompitch()
#theta=2**(1./3)/2
#theta = np.pi/4
#theta = 3**0.5/2
#theta = 2**0.5/2
#theta = 6**0.5/3
#theta = np.e/6 #e seems to always be somewhat monotonic
#theta = 11**0.5/4
#theta = 2**0.25*3/4
#theta = 0.7
#theta = 3**0.5-1
theta = 3./4

from generate_irrational_signature import MakeIrrationalSignature
signature = MakeIrrationalSignature(theta,0,40,0,40)
#seq_notes = [use_scale[x[1]] for x in seq]
seq_notes = [use_scale[x] for x in signature]

fname_base = 'signature_irrational_%.4f' % theta

for i in xrange(len(seq_notes)):
    if seq_notes[i]>=0 and seq_notes[i]<=127:
        mf1.addNote(0,0,seq_notes[i],i*duration,duration*2,velocity)
    
#import re

out_fname = fname_base + '_' + str(use_scale) + '.midi'
with open(out_fname,'wb') as f:
    mf1.writeFile(f)

예제 #28
0
akkordIndex = 0  
durations = duration_manager(track_length)
for i in range(0, track_length-2): # bis 2,4,8,16,32... -2
    
    track = 0
    channel = 0
    #pitch = 67 +i
    pitch = random.choice(TrackScale)
    pitch + duodecimum[i]
    print("hier nur plus? fixen?")
    time = i
    duration = 1
    volume = 100

    # Now add the note.
    MyMIDI.addNote(track,channel,pitch,time,durations[i],volume)
    
    if (i%4 == 0):
        print(TrackScale[akkordFolge[akkordIndex%4]])
        makeAkkord(TrackScale[akkordFolge[akkordIndex%4]] -  24 + octaveFolge[akkordIndex%4], i, 3, minMajFolge[akkordIndex%4], 1, int(umkehrung[i]), 0.4)
        akkordIndex+=1 #fuer laengere lieder muss bei ueberlauf wieder auf 0 gesetzt werden!!
   
#Add end Node 
MyMIDI.addNote(track,channel,TrackKey[Oc],track_length-2,duration,volume)
#makeAkkord(TrackKey[Oc], 0, 1, TrackMinMaj, 1)


#--------------


# And write it to disk.
예제 #29
0
for row in csv.reader(f):
    
    # calculate pitch value from temperatures
    #pitch1 =  20 + winddirection_to_values(row[windDirection])
        
    pitch1 =   moonphase_to_values(row[moonphase])  
    #pitch2Tmp = float(row[windSpeed]) 
   # pitch2 = int(pitch2Tmp) + lowTempAdjustment
    duration = 1.5
    durationlong = 2.0
    volume = 100  
    
    # add initial tracks
    # Add a note. addNote expects the following information:
    if row[moonphase] != "0":  
        MyMIDI.addNote(track1,channel,pitch1,time,durationlong,volume) 
    
    time = time +1
   # MyMIDI.addNote(track2,channel2,pitch2,time,duration,volume)
   # time = time + 1
    if row[precipitation] != "0.00":  #got some rain today
        pitch3 = 64 + randompitch()
        MyMIDI.addNote(track3,channel3,pitch3,time,1,100) 
       # pitch3 = pitch3 + 1
       # MyMIDI.addNote(track3,channel3,pitch3,time,3,100)        
    #print(row[1])


time = time + 4

# change track 3 to ocean sound for the finale !!
예제 #30
0
def image_process_2():
    image = cv2.imread('temp/src_image.jpg', 0)
    list_ = image.tolist()
    if max(map(max, list_)) > 225:
        thresh_1 = 0.66 * max(map(max, list_))
        thresh_2 = 0.70 * max(map(max, list_))
        thresh_3 = 0.72 * max(map(max, list_))
    elif max(map(max, list_)) < 200:
        thresh_1 = 0.65 * max(map(max, list_))
        thresh_2 = 0.75 * max(map(max, list_))
        thresh_3 = 0.84 * max(map(max, list_))
    else:
        thresh_1 = 0.66 * max(map(max, list_))
        thresh_2 = 0.72 * max(map(max, list_))
        thresh_3 = 0.75 * max(map(max, list_))

    ret, img_gray1 = cv2.threshold(dstImg, thresh_1, 255, cv2.THRESH_BINARY)
    ret, img_gray2 = cv2.threshold(dstImg, thresh_2, 255, cv2.THRESH_BINARY)
    ret, img_gray3 = cv2.threshold(dstImg, thresh_3, 255, cv2.THRESH_BINARY)

    img_gray = 255 * np.ones(shape=[780, 551], dtype=np.uint8)

    # cv2.namedWindow("img_gray", cv2.WINDOW_AUTOSIZE)
    # cv2.imshow("img_gray", img_gray)

    for i in range(780):
        for j in range(551):
            if img_gray1[i][j] == 0 and img_gray2[i][j] == 0 and img_gray3[i][
                    j] == 0:
                img_gray[i][j] = 0
            elif img_gray1[i][j] == 0 or img_gray2[i][j] == 0:
                if img_gray3[i][j] == 0:
                    img_gray[i][j] = 0
            elif img_gray1[i][j] == 0 or img_gray3[i][j] == 0:
                if img_gray2[i][j] == 0:
                    img_gray[i][j] = 0
            elif img_gray2[i][j] == 0 or img_gray3[i][j] == 0:
                if img_gray1[i][j] == 0:
                    img_gray[i][j] = 0

    img = img_gray

    # height, width = img.shape[:2]
    # img_width, img_height = img_gray.shape[::-1]

    # <<找五線譜
    staff_recs = locate_images(img_gray, staff_imgs, staff_lower, staff_upper,
                               staff_thresh)
    staff_recs = [j for i in staff_recs for j in i]
    heights = [r.y for r in staff_recs] + [0]
    histo = [heights.count(i) for i in range(0, max(heights) + 1)]
    avg = np.mean(list(set(histo)))
    staff_recs = [r for r in staff_recs if histo[r.y] > avg]
    staff_recs = merge_recs(staff_recs, 0.01)
    # staff_recs_img = img.copy()
    # for r in staff_recs:
    #     r.draw(staff_recs_img, (0, 0, 255), 2)
    # >>

    #  <<找五線譜的模板
    resul = []
    resul.append(staff_recs[0])
    for index, item in enumerate(staff_recs):
        if abs(resul[-1].y - item.y) > 100:
            resul.append(item)
        else:
            continue
    # print("resul", resul)
    # >>

    # <<找五線譜的y座標
    staff = []
    line_axis = []
    for item in resul:
        # print("item.y", item.y)
        line_axis.append(item.y)
        y_project = []
        line_ = []
        for i in range(int(item.h)):
            count = 0
            for j in range(int(item.w)):
                if img[item.y + i, item.x + j] == 0:
                    count += 1
                else:
                    continue
            y_project.append(count)
        # print("y_project(count)", y_project)

        i = 1
        while i < len(y_project):
            if (y_project[i] == 0):
                i += 1
                continue
            elif (y_project[i] > 0 and y_project[i + 1] > 0
                  and y_project[i + 2] > 0):
                line = (i + i + 1 + i + 2) // 3
                line_.append(line + item.y)
                i += 3
            elif (y_project[i] > 0 and y_project[i + 1] > 0):
                line = (i + i + 1) // 2
                line_.append(line + item.y)
                i += 2
            else:
                line = i
                line_.append(line + item.y)
                i += 1
                continue
        staff.append(line_)
    # print("line_axis", line_axis)   #每行譜的五條線的最上面那條
    # print("staff", staff)   #每行譜的五條線
    # >>

    ##### 第一行對x投影
    x_range = [102] * (len(resul))
    x_range[0] = 120
    # print('ra_list',ra_list)
    quarter_recs = []
    half_recs = []
    for x_range_index, x_range_ in enumerate(x_range):
        x_project1 = []
        for x in range(x_range_, 485):
            count = 0
            for y in range(staff[x_range_index][0] - 15,
                           staff[x_range_index][4] + 15):
                if img[y, x] == 0:
                    count += 1
                else:
                    continue
            x_project1.append(count)

        # <<音符的x範圍
        note_xposition = []
        one_note = []
        next_to = False
        for index, item in enumerate(x_project1):
            if item > 8 and next_to == False:  #找到第一個大於9的x
                one_note.append(index)
                next_to = True  #觸發next_to等於True
            elif item > 8 and next_to == True:  #next_to等於True的情況下如果還是大於九則不做理會
                continue
            elif item < 8 and next_to == True:  #next_to等於True的情況下如果小於九則存入one_note
                one_note.append(index - 1)
                if one_note[1] - one_note[
                        0] > 5:  #one_note[0]是起始x,one_note[1]是結束的x,間距要超過5才會把它存入note_xposition
                    # print("index" ,index)
                    note_xposition.append(one_note)
                one_note = []
                next_to = False  #next_to等於False
        # print("note_xposition", note_xposition)
        # print('xpo', time.time() - start_time)
        # 音符的x範圍>>

        # <<音符的y範圍
        note_yposition = []
        note_xpos_yproject = []
        # for index__ in note_xposition:
        # note_xpos_yproject = []
        for r in range(len(note_xposition)):
            for j in range(staff[x_range_index][0] - 15,
                           staff[x_range_index][4] + 15):
                count = 0
                for i in range(note_xposition[r][0] + x_range_,
                               note_xposition[r][1] + x_range_):
                    if img[j, i] == 0:
                        count += 1
                    else:
                        continue
                note_xpos_yproject.append(count)

            one_note_ = []
            next_to_ = False
            for index_, item in enumerate(note_xpos_yproject):
                if item > 3 and next_to_ == False:  #找到第一個大於3的y
                    one_note_.append(index_)
                    next_to_ = True  #觸發next_to_等於True
                elif item > 3 and next_to_ == True:  #next_to_等於True的情況下如果還是大於3則不做理會
                    continue
                elif item < 3 and next_to_ == True:  #next_to_等於True的情況下如果小於3則存入one_note_
                    one_note_.append(index_ - 1)
                    if one_note_[1] - one_note_[
                            0] > 6:  #one_note_[0]是起始y,one_noteY[1]是結束的y,間距要超過6才會把它存入note_xposition
                        note_yposition.append(one_note_)
                    one_note_ = []
                    next_to_ = False  #next_to等於False
            # print("note_xpos_yproject", note_xpos_yproject)
            note_xpos_yproject = []
        # print("note_yposition", note_yposition)
        # 音符的y範圍>>

        # fingers = []
        # for i in range(len(note_xposition)):
        #     crop_img = img[staff[x_range_index][4]+15 : staff[x_range_index][4]+30, x_range[x_range_index] + note_xposition[i][0] : x_range[x_range_index] + note_xposition[i][1]]
        #     if i == 1:
        #         print("crop_img", crop_img)
        #     # 找finger1
        #     finger1_recs = locate_images(crop_img, finger1_imgs, finger1_lower, finger1_upper, finger1_thresh)

        #     # finger1_recs = finger1_recs[0]
        #     finger1_recs = merge_recs([j for i in finger1_recs for j in i], 0.5)
        #     finger1_recs_img = img.copy()
        #     if i == 1:
        #         print("finger1_recs", len(finger1_recs))
        #     for r in finger1_recs:
        #         r.draw(finger1_recs_img, (0, 0, 255), 2)
        # cv2.imwrite('finger1_recs_img.png', finger1_recs_img)
        # open_file('finger1_recs_img.png')

        global recs
        recs = []
        for r in range(len(note_xposition)):
            count = 0
            for j in range(staff[x_range_index][0] - 15 + note_yposition[r][0],
                           staff[x_range_index][0] - 15 +
                           note_yposition[r][1]):
                for i in range(note_xposition[r][0] + x_range_,
                               note_xposition[r][1] + x_range_):
                    if img[j, i] == 0:
                        count += 1
                    else:
                        continue
            # print(count/((note_xposition[r][1]-note_xposition[r][0])*(note_yposition[r][1]-note_yposition[r][0])))
            if (count /
                ((note_xposition[r][1] - note_xposition[r][0]) *
                 (note_yposition[r][1] - note_yposition[r][0])) > 0.64):
                rec = Rectangle(
                    note_xposition[r][0] + x_range_,
                    staff[x_range_index][0] - 15 + note_yposition[r][0],
                    note_xposition[r][1] - note_xposition[r][0],
                    note_yposition[r][1] - note_yposition[r][0])
                quarter_recs.append(rec)
                recs.append(rec)
            elif (count /
                  ((note_xposition[r][1] - note_xposition[r][0]) *
                   (note_yposition[r][1] - note_yposition[r][0])) <= 0.64):
                rec = Rectangle(
                    note_xposition[r][0] + x_range_,
                    staff[x_range_index][0] - 15 + note_yposition[r][0],
                    note_xposition[r][1] - note_xposition[r][0],
                    note_yposition[r][1] - note_yposition[r][0])
                half_recs.append(rec)
                recs.append(rec)

    # print("quarter_recs", quarter_recs)
    # print("half_recs", half_recs)
    # print("quarter_recs", len(quarter_recs))
    # print("half_recs", len(half_recs))
    l = recs
    # print("rec", rec)
    with open("temp/output.txt", "wb") as fp:  #Pickling
        pickle.dump(l, fp)

    # with open("test.txt", "rb") as fp:   # Unpickling
    #     b = pickle.load(fp)

    staff_boxes = [
        Rectangle(x_range[r], staff[r][2] - 33, 485 - x_range[r], 68)
        for r in range(len(staff))
    ]
    # staff_boxes_img = img.copy()
    # for r in staff_boxes:
    #     r.draw(staff_boxes_img, (0, 0, 255), 2)
    # cv2.imwrite('staff_boxes_img.png', staff_boxes_img)
    # open_file('staff_boxes_img.png')

    # objects_img = staff_boxes_img

    # 畫四分音符
    # quarter_recs_img = img.copy()
    # for r in quarter_recs:
    #     r.draw(quarter_recs_img, (0, 0, 255), 2)
    # cv2.imwrite('quarter_recs_img.png', quarter_recs_img)
    # open_file('quarter_recs_img.png')

    # 畫二分音符
    # half_recs_img = img.copy()
    # for r in half_recs:
    #     r.draw(half_recs_img, (0, 0, 255), 2)
    # cv2.imwrite('half_recs_img.png', half_recs_img)
    # open_file('half_recs_img.png')

    staff_notes = []
    note_groups = []
    for box in staff_boxes:
        staff_sharps = []
        staff_flats = []
        quarter_notes = [
            Note(r, "4,8", box, staff_sharps, staff_flats)
            for r in quarter_recs
            if abs(r.middle[1] - box.middle[1]) < box.h * 5.0 / 8.0
        ]
        half_notes = [
            Note(r, "2", box, staff_sharps, staff_flats) for r in half_recs
            if abs(r.middle[1] - box.middle[1]) < box.h * 5.0 / 8.0
        ]

        staff_notes = quarter_notes + half_notes

        staff_notes.sort(key=lambda n: n.rec.x)
        staffs = [r for r in staff_recs if r.overlap(box) > 0]
        staffs.sort(key=lambda r: r.x)
        note_color = (randint(0, 255), randint(0, 255), randint(0, 255))
        note_group = []
        i = 0
        j = 0
        while (i < len(staff_notes)):
            if j < len(staffs):
                if staff_notes[i].rec.x > staffs[j].x:
                    r = staffs[j]
                    j += 1
                    if len(note_group) > 0:
                        note_groups.append(note_group)
                        note_group = []
                    note_color = (randint(0,
                                          255), randint(0,
                                                        255), randint(0, 255))
                else:
                    note_group.append(staff_notes[i])
                    # staff_notes[i].rec.draww(img, note_color, 2)
                    i += 1
            else:
                note_group.append(staff_notes[i])
                # staff_notes[i].rec.draww(img, note_color, 2)
                i += 1
        note_groups.append(note_group)

    # for r in staff_boxes:
    #     r.draw(img, (0, 0, 255), 2)

    # cv2.imwrite('res.png', img)
    # open_file('res.png')

    # for note_group in note_groups:
    #     print([ note.note + " " + note.sym for note in note_group])

    midi = MIDIFile(1)

    track = 0
    time = 0
    channel = 0
    volume = 100

    midi.addTrackName(track, time, "Track")
    midi.addTempo(track, time, 60)

    for note_group in note_groups:
        duration = None
        for note in note_group:
            note_type = note.sym
            if note_type == "1":
                duration = 4
            elif note_type == "2":
                duration = 2
            elif note_type == "4,8":
                # duration = 1 if len(note_group) == 1 else 0.5
                duration = 1
            pitch = note.pitch
            midi.addNote(track, channel, pitch, time, duration, volume)
            time += duration

    # And write it to disk.
    binfile = open("temp/output.mid", 'wb')
    midi.writeFile(binfile)
    binfile.close()
예제 #31
0
파일: main.py 프로젝트: phewitt/SheetVision
    midi = MIDIFile(1)
     
    track = 0   
    time = 0
    channel = 0
    volume = 100
    
    midi.addTrackName(track, time, "Track")
    midi.addTempo(track, time, 140)

    for note_group in note_groups:
        duration = None
        for note in note_group:
            note_type = note.sym
            if note_type == "1":
                duration = 4
            elif note_type == "2":
                duration = 2
            elif note_type == "4,8":
                duration = 1 if len(note_group) == 1 else 0.5
            pitch = note.pitch
            midi.addNote(track,channel,pitch,time,duration,volume)
            time += duration
            midi.addNote(track,channel,pitch,time,4,0)

    # And write it to disk.
    binfile = open("output.mid", 'wb')
    midi.writeFile(binfile)
    binfile.close()
    ('output.mid')
    def play(self):
        ''' Play Method
                Generates the MIDI tracks necessary to play the composition
                Plays the composition using pygame module
        '''
        # Create two MIDI tracks
        midi = MIDIFile(2)
        # Piano right hand track
        track = 0
        time = 0
        midi.addTrackName(track, time, "Piano Right Hand")
        midi.addTempo(track, time, self.tempo)
        track = 1
        midi.addTrackName(track, time, "Piano Left Hand")
        midi.addTempo(track, time, self.tempo)
        while (self.boolean):
            # Create new progressions as long as self.boolean is True
            progression = self.progressionf()
            proglength = len(progression)
            flag = 0
            # If the length of the progression is greater than self.totalbeats,
            # the composition will last longer than the user-input duration
            # Therefore, try 10 more times to generate a progression shorter
            # than self.totalbeats.
            while self.totalbeats <= proglength:
                progression = self.progressionf()
                proglength = len(progression)
                flag += 1
                if flag == 10:
                    break
            # If the length of the progression is suitable, add it to self.compprog
            if self.totalbeats >= proglength:
                self.compprog.extend(progression)
                # Subtract length of progression from self.totalbeats (so that
                # self.totalbeats keeps track of number of beats left in the
                # composition)
                self.totalbeats -= proglength
                track = 0
                channel = 0
                volume = 100
                # Create rhythmlist
                temprlist = self.rhythmgen(progression)
                rhythmlist = []
                for r in temprlist:
                    for el in r:
                        rhythmlist.append(el)
                # Create melodylist using rhythmlist
                melodylist = self.melodygen(progression, temprlist, self.scale,
                                            5)
                rllength = len(rhythmlist)
                # Add each note to the piano right hand track
                for n in range(rllength):
                    pitch = melodylist[n]
                    duration = rhythmlist[n]
                    midi.addNote(track, channel, pitch, self.time1, duration,
                                 volume)
                    self.time1 += rhythmlist[n]
            # If program fails to generate a progression shorter than self.totalbeats,
            # add the tonic to self.compprog and end the composition
            else:
                self.compprog.append(self.tonic)
                self.boolean = False
        # Piano left hand track
        track = 1
        channel = 0
        duration = 0.25
        volume = 80
        # For every harmony in self.compprog, add the alberti bass line
        for n in range(len(self.compprog)):
            a = self.albertibass(
                harmony(self.compprog[n], self.roots, self.reverse_labels), 4)
            if n == len(self.compprog) - 1:
                pitch = a[0]
                duration = 0.5
                midi.addNote(track, channel, pitch, self.time2, duration,
                             volume)
            else:
                for iter in range(2):
                    for tone in range(4):
                        pitch = a[tone]
                        midi.addNote(track, channel, pitch, self.time2,
                                     duration, volume)
                        self.time2 += 0.25
        # Write a midi file
        file = "composition.mid"
        with open(file, 'wb') as binfile:
            midi.writeFile(binfile)
        # Play the midi file using pygame
        pygame.init()
        pygame.mixer.init()
        pygame.mixer.music.load(file)
        pygame.mixer.music.play()

        while pygame.mixer.music.get_busy():
            pygame.time.Clock().tick(10)
예제 #33
0
# open and read each line ( data object ) in file
f = open("StormyWeather.txt")
for row in csv.reader(f):
    
    # calculate pitch value from temperatures
    #pitch1 =  20 + winddirection_to_values(row[windDirection])
    
    
    dingaLing = 1
    duration = 1.5
    durationlong = .5
    volume = 80  
    
   
    if row[yearColumn] != weatherYear:  
        MyMIDI.addNote(track1,channel,45,time,durationlong,volume)     
        
    weatherYear = row[yearColumn]     
    
    tim = time + 1

    
    #pitch1 =   moonphase_to_values(row[moonphase])  
    #pitch2Tmp = float(row[windSpeed]) 
   # pitch2 = int(pitch2Tmp) + lowTempAdjustment
   
    stormCenter = weatherevent_to_values(row[weatherColumn]) 
    
    pitch = 60 + randompitch()
    time = time +1
    MyMIDI.addProgramChange(track2,channel2, time, stormCenter)
예제 #34
0
time = time + 1
MyMIDI.addProgramChange(track2, 1, time, 2)

time = time + 1

#f = open("climate2010.txt")
#for row in csv.reader(f):

channel = 0
channel2 = 1
pitch1 = 60
pitch2 = 64
duration = 5
volume = 100
time = time + 2
MyMIDI.addNote(track1, channel, pitch1, time, duration, volume)
#time = time +1
MyMIDI.addNote(track2, channel2, pitch2, time, duration, volume)
time = time + 2
MyMIDI.addNote(track1, channel, pitch1, time, duration, volume)
#time = time +1
MyMIDI.addNote(track2, channel2, pitch2, time, duration, volume)
time = time + 2
MyMIDI.addNote(track1, channel, pitch1, time, duration, volume)
#time = time +1
MyMIDI.addNote(track2, channel2, pitch2, time, duration, volume)
MyMIDI.addNote(track2, channel2, 67, time, duration, volume)
#print(row[1])
# Create the MIDIFile Object
# Now add the note.
예제 #35
0
def create_midi_from_progression(progression):
	"""
	Given a chord progression in the form of a list of chord instances,
	creates a MIDI file as an output.
	"""
	MyMIDI = MIDIFile(4)
	track = 0
	time = 0
	MyMIDI.addTrackName(track, time, "Soprano")
	MyMIDI.addTempo(track, time, 60)
	track += 1
	MyMIDI.addTrackName(track, time, "Alto")
	MyMIDI.addTempo(track, time, 60)
	track += 1
	MyMIDI.addTrackName(track, time, "Tenor")
	MyMIDI.addTempo(track, time, 60)
	track += 1
	MyMIDI.addTrackName(track, time, "Bass")
	MyMIDI.addTempo(track, time, 60)

	channel = 0
	duration = 1
	volume = 100

	for index, chord in enumerate(progression):
		track = 3
		for note in chord.get_notes():
			pitch = note.get_midi_number()
			MyMIDI.addNote(track, channel, pitch, time, duration, volume)
			track -= 1
		time += 1
		if index == len(progression) - 2:
			duration = 2
	binfile = open("output_individual_voices.mid", 'wb')
	MyMIDI.writeFile(binfile)
	binfile.close()


	MyMIDI = MIDIFile(2)
	track = 0
	time = 0
	MyMIDI.addTrackName(track, time, "Upper Voices")
	MyMIDI.addTempo(track, time, 60)
	track += 1
	MyMIDI.addTrackName(track, time, "Lower Voices")
	MyMIDI.addTempo(track, time, 60)

	duration = 1

	for index, chord in enumerate(progression):
		track = 1
		count = 0
		for note in chord.get_notes():
			pitch = note.get_midi_number()
			MyMIDI.addNote(track, channel, pitch, time, duration, volume)
			if count % 2 == 1:
				track -= 1
			count += 1
		time += 1
		if index == len(progression) - 2:
			duration = 2
	binfile = open("output_two_hands.mid", 'wb')
	MyMIDI.writeFile(binfile)
	binfile.close()