]> git.donarmstrong.com Git - lilypond.git/blob - scripts/midi2ly.py
Midi2ly: process all voices/threads of a channel. Fixes #1531.
[lilypond.git] / scripts / midi2ly.py
1 #!@TARGET_PYTHON@
2 #
3 # midi2ly.py -- LilyPond midi import script
4
5 # This file is part of LilyPond, the GNU music typesetter.
6 #
7 # Copyright (C) 1998--2011  Han-Wen Nienhuys <hanwen@xs4all.nl>
8 #                           Jan Nieuwenhuizen <janneke@gnu.org>
9 #
10 # LilyPond is free software: you can redistribute it and/or modify
11 # it under the terms of the GNU General Public License as published by
12 # the Free Software Foundation, either version 3 of the License, or
13 # (at your option) any later version.
14 #
15 # LilyPond is distributed in the hope that it will be useful,
16 # but WITHOUT ANY WARRANTY; without even the implied warranty of
17 # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
18 # GNU General Public License for more details.
19 #
20 # You should have received a copy of the GNU General Public License
21 # along with LilyPond.  If not, see <http://www.gnu.org/licenses/>.
22
23
24 '''
25 TODO:
26     * test on weird and unquantised midi input (lily-devel)
27     * update doc and manpage
28
29     * simply insert clef changes whenever too many ledger lines
30         [to avoid tex capacity exceeded]
31     * do not ever quant skips
32     * better lyrics handling
33     * [see if it is feasible to] move ly-classes to library for use in
34         other converters, while leaving midi specific stuff here
35 '''
36
37 import os
38 import sys
39
40 """
41 @relocate-preamble@
42 """
43
44 import midi
45 import lilylib as ly
46 global _;_=ly._
47
48 ################################################################
49 ## CONSTANTS
50
51
52 LINE_BELL = 60
53 scale_steps = [0, 2, 4, 5, 7, 9, 11]
54 global_options = None
55
56 clocks_per_1 = 1536
57 clocks_per_4 = 0
58
59 time = 0
60 reference_note = 0
61 start_quant_clocks = 0
62
63 duration_quant_clocks = 0
64 allowed_tuplet_clocks = []
65 bar_max = 0
66
67 ################################################################
68
69
70 program_name = sys.argv[0]
71 program_version = '@TOPLEVEL_VERSION@'
72
73 authors = ('Jan Nieuwenhuizen <janneke@gnu.org>',
74            'Han-Wen Nienhuys <hanwen@xs4all.nl>')
75
76 errorport = sys.stderr
77
78 def identify ():
79     sys.stdout.write ('%s (GNU LilyPond) %s\n' % (program_name, program_version))
80
81 def warranty ():
82     identify ()
83     ly.encoded_write (sys.stdout, '''
84 %s
85
86   %s
87
88 %s
89 %s
90 ''' % ( _ ('Copyright (c) %s by') % '1998--2011',
91         '\n  '.join (authors),
92         _ ('Distributed under terms of the GNU General Public License.'),
93         _ ('It comes with NO WARRANTY.')))
94
95 def progress (s):
96     ly.encoded_write (errorport, s + '\n')
97
98 def warning (s):
99     progress (_ ("warning: ") + s)
100
101 def error (s):
102     progress (_ ("error: ") + s)
103     raise Exception (_ ("Exiting... "))
104
105 def debug (s):
106     if 0:
107         progress ("debug: " + s)
108
109 def system (cmd, ignore_error = 0):
110     return ly.system (cmd, ignore_error=ignore_error)
111
112 def strip_extension (f, ext):
113     (p, e) = os.path.splitext (f)
114     if e == ext:
115         e = ''
116     return p + e
117
118
119 class Duration:
120     allowed_durs = (1, 2, 4, 8, 16, 32, 64, 128)
121     def __init__ (self, clocks):
122         self.clocks = clocks
123         if clocks <= 0:
124             self.clocks = duration_quant_clocks
125         (self.dur, self.num, self.den) = self.dur_num_den (clocks)
126
127     def dur_num_den (self, clocks):
128         for i in range (len (allowed_tuplet_clocks)):
129             if clocks == allowed_tuplet_clocks[i]:
130                 return global_options.allowed_tuplets[i]
131
132         dur = 0; num = 1; den = 1;
133         g = gcd (clocks, clocks_per_1)
134         if g:
135             (dur, num) = (clocks_per_1 / g, clocks / g)
136         if not dur in self.allowed_durs:
137             dur = 4; num = clocks; den = clocks_per_4
138         return (dur, num, den)
139
140     def dump (self):
141         if self.den == 1:
142             if self.num == 1:
143                 s = '%d' % self.dur
144             elif self.num == 3 and self.dur != 1:
145                 s = '%d.' % (self.dur / 2)
146             else:
147                 s = '%d*%d' % (self.dur, self.num)
148         else:
149             s = '%d*%d/%d' % (self.dur, self.num, self.den)
150
151         global reference_note
152         reference_note.duration = self
153
154         return s
155
156     def compare (self, other):
157         return self.clocks - other.clocks
158
159 def sign (x):
160     if x >= 0:
161         return 1
162     else:
163         return -1
164
165 class Note:
166     names = (0, 0, 1, 1, 2, 3, 3, 4, 4, 5, 5, 6)
167     alterations = (0, 1, 0, 1, 0, 0, 1, 0, 1, 0, 1, 0)
168     alteration_names = ('eses', 'es', '', 'is' , 'isis')
169     def __init__ (self, clocks, pitch, velocity):
170         self.pitch = pitch
171         self.velocity = velocity
172         # hmm
173         self.clocks = clocks
174         self.duration = Duration (clocks)
175         (self.octave, self.notename, self.alteration) = self.o_n_a ()
176
177     def o_n_a (self):
178         # major scale: do-do
179         # minor scale: la-la  (= + 5) '''
180
181         n = self.names[(self.pitch) % 12]
182         a = self.alterations[(self.pitch) % 12]
183
184         if a and global_options.key.flats:
185             a = - self.alterations[(self.pitch) % 12]
186             n = (n - a) % 7
187
188         #  By tradition, all scales now consist of a sequence
189         #  of 7 notes each with a distinct name, from amongst
190         #  a b c d e f g.  But, minor scales have a wide
191         #  second interval at the top - the 'leading note' is
192         #  sharped. (Why? it just works that way! Anything
193         #  else doesn't sound as good and isn't as flexible at
194         #  saying things. In medieval times, scales only had 6
195         #  notes to avoid this problem - the hexachords.)
196
197         #  So, the d minor scale is d e f g a b-flat c-sharp d
198         #  - using d-flat for the leading note would skip the
199         #  name c and duplicate the name d.  Why isn't c-sharp
200         #  put in the key signature? Tradition. (It's also
201         #  supposedly based on the Pythagorean theory of the
202         #  cycle of fifths, but that really only applies to
203         #  major scales...)  Anyway, g minor is g a b-flat c d
204         #  e-flat f-sharp g, and all the other flat minor keys
205         #  end up with a natural leading note. And there you
206         #  have it.
207
208         #  John Sankey <bf250@freenet.carleton.ca>
209         #
210         #  Let's also do a-minor: a b c d e f gis a
211         #
212         #  --jcn
213
214         o = self.pitch / 12 - 4
215
216         key = global_options.key
217         if key.minor:
218             # as -> gis
219             if (key.sharps == 0 and key.flats == 0
220                 and n == 5 and a == -1):
221                 n = 4; a = 1
222             # des -> cis
223             elif key.flats == 1 and n == 1 and a == -1:
224                 n = 0; a = 1
225             # ges -> fis
226             elif key.flats == 2 and n == 4 and a == -1:
227                 n = 3; a = 1
228             # g -> fisis
229             elif key.sharps == 5 and n == 4 and a == 0:
230                 n = 3; a = 2
231             # d -> cisis
232             elif key.sharps == 6 and n == 1 and a == 0:
233                 n = 0; a = 2
234             # a -> gisis
235             elif key.sharps == 7 and n == 5 and a == 0:
236                 n = 4; a = 2
237
238         # b -> ces
239         if key.flats >= 6 and n == 6 and a == 0:
240             n = 0; a = -1; o = o + 1
241         # e -> fes
242         if key.flats >= 7 and n == 2 and a == 0:
243             n = 3; a = -1
244
245         # f -> eis
246         if key.sharps >= 3 and n == 3 and a == 0:
247             n = 2; a = 1
248         # c -> bis
249         if key.sharps >= 4 and n == 0 and a == 0:
250             n = 6; a = 1; o = o - 1
251
252         return (o, n, a)
253
254     def __repr__ (self):
255         s = chr ((self.notename + 2)  % 7 + ord ('a'))
256         return 'Note(%s %s)' % (s, self.duration.dump ())
257
258     def dump (self, dump_dur=True):
259         global reference_note
260         s = chr ((self.notename + 2)  % 7 + ord ('a'))
261         s = s + self.alteration_names[self.alteration + 2]
262         if global_options.absolute_pitches:
263             commas = self.octave
264         else:
265             delta = self.pitch - reference_note.pitch
266             commas = sign (delta) * (abs (delta) / 12)
267             if (((sign (delta)
268                   * (self.notename - reference_note.notename) + 7)
269                  % 7 >= 4)
270                 or ((self.notename == reference_note.notename)
271                     and (abs (delta) > 4) and (abs (delta) < 12))):
272                 commas = commas + sign (delta)
273
274         if commas > 0:
275             s = s + "'" * commas
276         elif commas < 0:
277             s = s + "," * -commas
278
279         if ((dump_dur
280              and self.duration.compare (reference_note.duration))
281             or global_options.explicit_durations):
282             s = s + self.duration.dump ()
283
284         reference_note = self
285
286         # TODO: move space
287         return s + ' '
288
289
290 class Time:
291     def __init__ (self, num, den):
292         self.clocks = 0
293         self.num = num
294         self.den = den
295
296     def bar_clocks (self):
297         return clocks_per_1 * self.num / self.den
298
299     def __repr__ (self):
300         return 'Time(%d/%d)' % (self.num, self.den)
301
302     def dump (self):
303         global time
304         time = self
305         return '\n  ' + '\\time %d/%d ' % (self.num, self.den) + '\n  '
306
307 class Tempo:
308     def __init__ (self, seconds_per_1):
309         self.clocks = 0
310         self.seconds_per_1 = seconds_per_1
311
312     def __repr__ (self):
313         return 'Tempo(%d)' % self.bpm ()
314
315     def bpm (self):
316         return 4 * 60 / self.seconds_per_1
317
318     def dump (self):
319         return '\n  ' + '\\tempo 4 = %d ' % (self.bpm ()) + '\n  '
320
321 class Clef:
322     clefs = ('"bass_8"', 'bass', 'violin', '"violin^8"')
323     def __init__ (self, type):
324         self.type = type
325
326     def __repr__ (self):
327         return 'Clef(%s)' % self.clefs[self.type]
328
329     def dump (self):
330         return '\n  \\clef %s\n  ' % self.clefs[self.type]
331
332 class Key:
333     key_sharps = ('c', 'g', 'd', 'a', 'e', 'b', 'fis')
334     key_flats = ('BUG', 'f', 'bes', 'es', 'as', 'des', 'ges')
335
336     def __init__ (self, sharps, flats, minor):
337         self.clocks = 0
338         self.flats = flats
339         self.sharps = sharps
340         self.minor = minor
341
342     def dump (self):
343         global_options.key = self
344
345         s = ''
346         if self.sharps and self.flats:
347             pass
348         else:
349             if self.flats:
350                 k = (ord ('cfbeadg'[self.flats % 7]) - ord ('a') - 2 -2 * self.minor + 7) % 7
351             else:
352                 k = (ord ('cgdaebf'[self.sharps % 7]) - ord ('a') - 2 -2 * self.minor + 7) % 7
353
354             if not self.minor:
355                 name = chr ((k + 2) % 7 + ord ('a'))
356             else:
357                 name = chr ((k + 2) % 7 + ord ('a'))
358
359             # fis cis gis dis ais eis bis
360             sharps = (2, 4, 6, 1, 3, 5, 7)
361             # bes es as des ges ces fes
362             flats = (6, 4, 2, 7, 5, 3, 1)
363             a = 0
364             if self.flats:
365                 if flats[k] <= self.flats:
366                     a = -1
367             else:
368                 if sharps[k] <= self.sharps:
369                     a = 1
370
371             if a:
372                 name = name + Note.alteration_names[a + 2]
373
374             s = '\\key ' + name
375             if self.minor:
376                 s = s + ' \\minor'
377             else:
378                 s = s + ' \\major'
379
380         return '\n\n  ' + s + '\n  '
381
382
383 class Text:
384     text_types = (
385         'SEQUENCE_NUMBER',
386         'TEXT_EVENT',
387         'COPYRIGHT_NOTICE',
388         'SEQUENCE_TRACK_NAME',
389         'INSTRUMENT_NAME',
390         'LYRIC',
391         'MARKER',
392         'CUE_POINT',)
393
394     def __init__ (self, type, text):
395         self.clocks = 0
396         self.type = type
397         self.text = text
398
399     def dump (self):
400         # urg, we should be sure that we're in a lyrics staff
401         if self.type == midi.LYRIC:
402             s = '"%s"' % self.text
403             d = Duration (self.clocks)
404             if (global_options.explicit_durations
405                 or d.compare (reference_note.duration)):
406                 s = s + Duration (self.clocks).dump ()
407             s = s + ' '
408         else:
409             s = '\n  % [' + self.text_types[self.type] + '] ' + self.text + '\n  '
410         return s
411
412     def __repr__ (self):
413         return 'Text(%d=%s)' % (self.type, self.text)
414
415
416
417 def split_track (track):
418     chs = {}
419     for i in range (16):
420         chs[i] = []
421
422     for e in track:
423         data = list (e[1])
424         if data[0] > 0x7f and data[0] < 0xf0:
425             c = data[0] & 0x0f
426             e = (e[0], tuple ([data[0] & 0xf0] + data[1:]))
427             chs[c].append (e)
428         else:
429             chs[0].append (e)
430
431     for i in range (16):
432         if chs[i] == []:
433             del chs[i]
434
435     threads = []
436     for v in chs.values ():
437         events = events_on_channel (v)
438         t = unthread_notes (events)
439         if len (t):
440             threads.append (t)
441     return threads
442
443 def quantise_clocks (clocks, quant):
444     q = int (clocks / quant) * quant
445     if q != clocks:
446         for tquant in allowed_tuplet_clocks:
447             if int (clocks / tquant) * tquant == clocks:
448                 return clocks
449         if 2 * (clocks - q) > quant:
450             q = q + quant
451     return q
452
453 def end_note (pitches, notes, t, e):
454     try:
455         (lt, vel) = pitches[e]
456         del pitches[e]
457
458         i = len (notes) - 1
459         while i > 0:
460             if notes[i][0] > lt:
461                 i = i -1
462             else:
463                 break
464         d = t - lt
465         if duration_quant_clocks:
466             d = quantise_clocks (d, duration_quant_clocks)
467             if not d:
468                 d = duration_quant_clocks
469
470         notes.insert (i + 1,
471               (lt, Note (d, e, vel)))
472
473     except KeyError:
474         pass
475
476 def events_on_channel (channel):
477     pitches = {}
478
479     notes = []
480     events = []
481     last_lyric = 0
482     last_time = 0
483     for e in channel:
484         t = e[0]
485
486         if start_quant_clocks:
487             t = quantise_clocks (t, start_quant_clocks)
488
489
490         if (e[1][0] == midi.NOTE_OFF
491             or (e[1][0] == midi.NOTE_ON and e[1][2] == 0)):
492             debug ('%d: NOTE OFF: %s' % (t, e[1][1]))
493             if not e[1][2]:
494                 debug ('   ...treated as OFF')
495             end_note (pitches, notes, t, e[1][1])
496
497         elif e[1][0] == midi.NOTE_ON:
498             if not pitches.has_key (e[1][1]):
499                 debug ('%d: NOTE ON: %s' % (t, e[1][1]))
500                 pitches[e[1][1]] = (t, e[1][2])
501             else:
502                 debug ('...ignored')
503
504         # all include ALL_NOTES_OFF
505         elif (e[1][0] >= midi.ALL_SOUND_OFF
506           and e[1][0] <= midi.POLY_MODE_ON):
507             for i in pitches:
508                 end_note (pitches, notes, t, i)
509
510         elif e[1][0] == midi.META_EVENT:
511             if e[1][1] == midi.END_OF_TRACK:
512                 for i in pitches:
513                     end_note (pitches, notes, t, i)
514                 break
515
516             elif e[1][1] == midi.SET_TEMPO:
517                 (u0, u1, u2) = map (ord, e[1][2])
518                 us_per_4 = u2 + 256 * (u1 + 256 * u0)
519                 seconds_per_1 = us_per_4 * 4 / 1e6
520                 events.append ((t, Tempo (seconds_per_1)))
521             elif e[1][1] == midi.TIME_SIGNATURE:
522                 (num, dur, clocks4, count32) = map (ord, e[1][2])
523                 den = 2 ** dur
524                 events.append ((t, Time (num, den)))
525             elif e[1][1] == midi.KEY_SIGNATURE:
526                 (alterations, minor) = map (ord, e[1][2])
527                 sharps = 0
528                 flats = 0
529                 if alterations < 127:
530                     sharps = alterations
531                 else:
532                     flats = 256 - alterations
533
534                 k = Key (sharps, flats, minor)
535                 events.append ((t, k))
536
537                 # ugh, must set key while parsing
538                 # because Note init uses key
539                 # Better do Note.calc () at dump time?
540                 global_options.key = k
541
542             elif (e[1][1] == midi.LYRIC
543                   or (global_options.text_lyrics and e[1][1] == midi.TEXT_EVENT)):
544                 if last_lyric:
545                     last_lyric.clocks = t - last_time
546                     events.append ((last_time, last_lyric))
547                 last_time = t
548                 last_lyric = Text (midi.LYRIC, e[1][2])
549
550             elif (e[1][1] >= midi.SEQUENCE_NUMBER
551                   and e[1][1] <= midi.CUE_POINT):
552                 events.append ((t, Text (e[1][1], e[1][2])))
553             else:
554                 if global_options.verbose:
555                     sys.stderr.write ("SKIP: %s\n" % `e`)
556                 pass
557         else:
558             if global_options.verbose:
559                 sys.stderr.write ("SKIP: %s\n" % `e`)
560             pass
561
562     if last_lyric:
563         # last_lyric.clocks = t - last_time
564         # hmm
565         last_lyric.clocks = clocks_per_4
566         events.append ((last_time, last_lyric))
567         last_lyric = 0
568
569     i = 0
570     while len (notes):
571         if i < len (events) and notes[0][0] >= events[i][0]:
572             i = i + 1
573         else:
574             events.insert (i, notes[0])
575             del notes[0]
576     return events
577
578 def unthread_notes (channel):
579     threads = []
580     while channel:
581         thread = []
582         end_busy_t = 0
583         start_busy_t = 0
584         todo = []
585         for e in channel:
586             t = e[0]
587             if (e[1].__class__ == Note
588                 and ((t == start_busy_t
589                       and e[1].clocks + t == end_busy_t)
590                      or t >= end_busy_t)):
591                 thread.append (e)
592                 start_busy_t = t
593                 end_busy_t = t + e[1].clocks
594             elif (e[1].__class__ == Time
595                   or e[1].__class__ == Key
596                   or e[1].__class__ == Text
597                   or e[1].__class__ == Tempo):
598                 thread.append (e)
599             else:
600                 todo.append (e)
601         threads.append (thread)
602         channel = todo
603
604     return threads
605
606 def gcd (a,b):
607     if b == 0:
608         return a
609     c = a
610     while c:
611         c = a % b
612         a = b
613         b = c
614     return a
615
616 def dump_skip (skip, clocks):
617     return skip + Duration (clocks).dump () + ' '
618
619 def dump (d):
620     return d.dump ()
621
622 def dump_chord (ch):
623     s = ''
624     notes = []
625     for i in ch:
626         if i.__class__ == Note:
627             notes.append (i)
628         else:
629             s = s + i.dump ()
630     if len (notes) == 1:
631         s = s + dump (notes[0])
632     elif len (notes) > 1:
633         global reference_note
634         s = s + '<'
635         s = s + notes[0].dump (dump_dur=False)
636         r = reference_note
637         for i in notes[1:]:
638             s = s + i.dump (dump_dur=False)
639         s = s + '>'
640
641         s = s + notes[0].duration.dump () + ' '
642         reference_note = r
643     return s
644
645 def dump_bar_line (last_bar_t, t, bar_count):
646     s = ''
647     bar_t = time.bar_clocks ()
648     if t - last_bar_t >= bar_t:
649         bar_count = bar_count + (t - last_bar_t) / bar_t
650
651         if t - last_bar_t == bar_t:
652             s = '|\n  %% %d\n  ' % bar_count
653             last_bar_t = t
654         else:
655             # urg, this will barf at meter changes
656             last_bar_t = last_bar_t + (t - last_bar_t) / bar_t * bar_t
657
658     return (s, last_bar_t, bar_count)
659
660
661 def dump_voice (thread, skip):
662     global reference_note, time
663
664     global_options.key = Key (0, 0, 0)
665     time = Time (4, 4)
666     # urg LilyPond doesn't start at c4, but
667     # remembers from previous tracks!
668     # reference_note = Note (clocks_per_4, 4*12, 0)
669     if not reference_note:
670         reference_note = Note (0, 4*12, 0)
671     last_e = None
672     chs = []
673     ch = []
674
675     for e in thread:
676         if last_e and last_e[0] == e[0]:
677             ch.append (e[1])
678         else:
679             if ch:
680                 chs.append ((last_e[0], ch))
681
682             ch = [e[1]]
683
684         last_e = e
685
686     if ch:
687         chs.append ((last_e[0], ch))
688     t = 0
689     last_t = 0
690     last_bar_t = 0
691     bar_count = 1
692
693     lines = ['']
694     for ch in chs:
695         t = ch[0]
696
697         i = lines[-1].rfind ('\n') + 1
698         if len (lines[-1][i:]) > LINE_BELL:
699             lines.append ('')
700
701         if t - last_t > 0:
702             d = t - last_t
703             if bar_max and t > time.bar_clocks () * bar_max:
704                 d = time.bar_clocks () * bar_max - last_t
705             lines[-1] = lines[-1] + dump_skip (skip, d)
706         elif t - last_t < 0:
707             errorport.write ('BUG: time skew')
708
709         (s, last_bar_t, bar_count) = dump_bar_line (last_bar_t,
710                               t, bar_count)
711
712         if bar_max and bar_count > bar_max:
713             break
714
715         lines[-1] = lines[-1] + s
716         lines[-1] = lines[-1] + dump_chord (ch[1])
717
718         clocks = 0
719         for i in ch[1]:
720             if i.clocks > clocks:
721                 clocks = i.clocks
722
723         last_t = t + clocks
724
725         (s, last_bar_t, bar_count) = dump_bar_line (last_bar_t,
726                                                     last_t, bar_count)
727         lines[-1] = lines[-1] + s
728
729     return '\n  '.join (lines) + '\n'
730
731 def number2ascii (i):
732     s = ''
733     i += 1
734     while i > 0:
735         m = (i - 1) % 26
736         s = '%c' % (m + ord ('A')) + s
737         i = (i - m)/26
738     return s
739
740 def get_track_name (i):
741     return 'track' + number2ascii (i)
742
743 def get_channel_name (i):
744     return 'channel' + number2ascii (i)
745
746 def get_voice_name (i):
747     if True: #i:
748         return 'voice' + number2ascii (i)
749     return ''
750
751 def dump_track (track, n):
752     s = '\n'
753     track_name = get_track_name (n)
754     clef = guess_clef (track)
755
756     c = 0
757     for channel in track:
758         channel_name = get_channel_name (c)
759         c += 1
760         v = 0
761         for voice in channel:
762             voice_name = get_voice_name (v)
763             voice_id = track_name + channel_name + voice_name
764             item = voice_first_item (voice)
765
766             if item and item.__class__ == Note:
767                 skip = 's'
768                 s += '%(voice_id)s = ' % locals ()
769                 if not global_options.absolute_pitches:
770                     s += '\\relative c '
771             elif item and item.__class__ == Text:
772                 skip = '" "'
773                 s += '%(voice_id)s = \\lyricmode ' % locals ()
774             else:
775                 skip = '\\skip '
776                 s += '%(voice_id)s = ' % locals ()
777             s += '{\n'
778             if len (channel) > 1 and v < 4:
779                 s += '\\voice' + ['One', 'Two', 'Three', 'Four'][v]
780             s += '  ' + dump_voice (voice, skip)
781             s += '}\n\n'
782             v += 1
783
784     s += '%(track_name)s = <<\n' % locals ()
785
786     if clef.type != 2:
787         s += clef.dump () + '\n'
788
789     c = 0
790     for channel in track:
791         channel_name = get_channel_name (c)
792         c += 1
793         v = 0
794         for voice in channel:
795             voice_name = get_voice_name (v)
796             v += 1
797             voice_id = track_name + channel_name + voice_name
798             item = voice_first_item (voice)
799             context = 'Voice'
800             if item and item.__class__ == Text:
801                 context = 'Lyrics'
802             s += '  \\context %(context)s = %(voice_name)s \\%(voice_id)s\n' % locals ()
803     s += '>>\n\n'
804     return s
805
806 def voice_first_item (voice):
807     for event in voice:
808         if (event[1].__class__ == Note
809             or (event[1].__class__ == Text
810                 and event[1].type == midi.LYRIC)):
811             return event[1]
812     return None
813
814 def channel_first_item (channel):
815     for voice in channel:
816         first = voice_first_item (voice)
817         if first:
818             return first
819     return None
820
821 def track_first_item (track):
822     for channel in track:
823         first = channel_first_item (channel)
824         if first:
825             return first
826     return None
827
828 def guess_clef (track):
829     i = 0
830     p = 0
831     for voice in track:
832         for thread in voice:
833             for event in thread:
834                 if event[1].__class__ == Note:
835                     i = i + 1
836                     p = p + event[1].pitch
837     if i and p / i <= 3*12:
838         return Clef (0)
839     elif i and p / i <= 5*12:
840         return Clef (1)
841     elif i and p / i >= 7*12:
842         return Clef (3)
843     else:
844         return Clef (2)
845
846
847 def convert_midi (in_file, out_file):
848     global clocks_per_1, clocks_per_4, key
849     global start_quant_clocks
850     global duration_quant_clocks
851     global allowed_tuplet_clocks
852
853     str = open (in_file, 'rb').read ()
854     clocks_max = bar_max * clocks_per_1 * 2
855     midi_dump = midi.parse (str, clocks_max)
856
857     clocks_per_1 = midi_dump[0][1]
858     clocks_per_4 = clocks_per_1 / 4
859
860     if global_options.start_quant:
861         start_quant_clocks = clocks_per_1 / global_options.start_quant
862
863     if global_options.duration_quant:
864         duration_quant_clocks = clocks_per_1 / global_options.duration_quant
865
866     allowed_tuplet_clocks = []
867     for (dur, num, den) in global_options.allowed_tuplets:
868         allowed_tuplet_clocks.append (clocks_per_1 / dur * num / den)
869
870     if global_options.verbose:
871         print 'allowed tuplet clocks:', allowed_tuplet_clocks
872
873     tracks = []
874     for t in midi_dump[1]:
875         global_options.key = Key (0, 0, 0)
876         tracks.append (split_track (t))
877
878     tag = '%% Lily was here -- automatically converted by %s from %s' % ( program_name, in_file)
879
880
881     s = ''
882     s = tag + '\n\\version "2.7.38"\n\n'
883     for i in range (len (tracks)):
884         s = s + dump_track (tracks[i], i)
885
886     s = s + '\n\\score {\n  <<\n'
887
888     i = 0
889     for t in tracks:
890         track_name = get_track_name (i)
891         item = track_first_item (t)
892
893         if item and item.__class__ == Note:
894             s += '    \\context Staff=%(track_name)s \\%(track_name)s\n' % locals ()
895         elif item and item.__class__ == Text:
896             s += '    \\context Lyrics=%(track_name)s \\%(track_name)s\n' % locals ()
897
898         i += 1
899     s = s + '  >>\n}\n'
900
901     progress (_ ("%s output to `%s'...") % ('LY', out_file))
902
903     if out_file == '-':
904         handle = sys.stdout
905     else:
906         handle = open (out_file, 'w')
907
908     handle.write (s)
909     handle.close ()
910
911
912 def get_option_parser ():
913     p = ly.get_option_parser (usage=_ ("%s [OPTION]... FILE") % 'midi2ly',
914                  description=_ ("Convert %s to LilyPond input.\n") % 'MIDI',
915                  add_help_option=False)
916
917     p.add_option ('-a', '--absolute-pitches',
918            action='store_true',
919            help=_ ('print absolute pitches'))
920     p.add_option ('-d', '--duration-quant',
921            metavar=_ ('DUR'),
922            help=_ ('quantise note durations on DUR'))
923     p.add_option ('-e', '--explicit-durations',
924            action='store_true',
925            help=_ ('print explicit durations'))
926     p.add_option('-h', '--help',
927                  action='help',
928                  help=_ ('show this help and exit'))
929     p.add_option('-k', '--key', help=_ ('set key: ALT=+sharps|-flats; MINOR=1'),
930           metavar=_ ('ALT[:MINOR]'),
931           default='0'),
932     p.add_option ('-o', '--output', help=_ ('write output to FILE'),
933            metavar=_ ('FILE'),
934            action='store')
935     p.add_option ('-p', '--preview', help=_ ('preview of first 4 bars'),
936            action='store_true')
937     p.add_option ('-s', '--start-quant',help= _ ('quantise note starts on DUR'),
938            metavar=_ ('DUR'))
939     p.add_option ('-t', '--allow-tuplet',
940            metavar=_ ('DUR*NUM/DEN'),
941            action = 'append',
942            dest='allowed_tuplets',
943            help=_ ('allow tuplet durations DUR*NUM/DEN'),
944            default=[])
945     p.add_option ('-V', '--verbose', help=_ ('be verbose'),
946            action='store_true'
947            ),
948     p.version = 'midi2ly (LilyPond) @TOPLEVEL_VERSION@'
949     p.add_option ('--version',
950                  action='version',
951                  help=_ ('show version number and exit'))
952     p.add_option ('-w', '--warranty', help=_ ('show warranty and copyright'),
953            action='store_true',
954            ),
955     p.add_option ('-x', '--text-lyrics', help=_ ('treat every text as a lyric'),
956            action='store_true')
957
958     p.add_option_group (ly.display_encode (_ ('Examples')),
959               description = r'''
960   $ midi2ly --key=-2:1 --duration-quant=32 --allow-tuplet=4*2/3 --allow-tuplet=2*4/3 foo.midi
961 ''')
962     p.add_option_group ('',
963                         description=(
964             _ ('Report bugs via %s')
965             % 'http://post.gmane.org/post.php'
966             '?group=gmane.comp.gnu.lilypond.bugs') + '\n')
967     return p
968
969
970
971 def do_options ():
972     opt_parser = get_option_parser ()
973     (options, args) = opt_parser.parse_args ()
974
975     if not args or args[0] == '-':
976         opt_parser.print_help ()
977         ly.stderr_write ('\n%s: %s %s\n' % (program_name, _ ('error: '),
978                          _ ('no files specified on command line.')))
979         sys.exit (2)
980
981     if options.duration_quant:
982         options.duration_quant = int (options.duration_quant)
983
984     if options.warranty:
985         warranty ()
986         sys.exit (0)
987     if 1:
988         (alterations, minor) = map (int, (options.key + ':0').split (':'))[0:2]
989         sharps = 0
990         flats = 0
991         if alterations >= 0:
992             sharps = alterations
993         else:
994             flats = - alterations
995
996         options.key = Key (sharps, flats, minor)
997
998     if options.start_quant:
999         options.start_quant = int (options.start_quant)
1000
1001     global bar_max
1002     if options.preview:
1003         bar_max = 4
1004
1005     options.allowed_tuplets = [map (int, a.replace ('/','*').split ('*'))
1006                 for a in options.allowed_tuplets]
1007
1008     if options.verbose:
1009         sys.stderr.write ('Allowed tuplets: %s\n' % `options.allowed_tuplets`)
1010
1011     global global_options
1012     global_options = options
1013
1014     return args
1015
1016 def main ():
1017     files = do_options ()
1018
1019     for f in files:
1020         g = f
1021         g = strip_extension (g, '.midi')
1022         g = strip_extension (g, '.mid')
1023         g = strip_extension (g, '.MID')
1024         (outdir, outbase) = ('','')
1025
1026         if not global_options.output:
1027             outdir = '.'
1028             outbase = os.path.basename (g)
1029             o = os.path.join (outdir, outbase + '-midi.ly')
1030         elif global_options.output[-1] == os.sep:
1031             outdir = global_options.output
1032             outbase = os.path.basename (g)
1033             os.path.join (outdir, outbase + '-gen.ly')
1034         else:
1035             o = global_options.output
1036             (outdir, outbase) = os.path.split (o)
1037
1038         if outdir != '.' and outdir != '':
1039             try:
1040                 os.mkdir (outdir, 0777)
1041             except OSError:
1042                 pass
1043
1044         convert_midi (f, o)
1045
1046 if __name__ == '__main__':
1047     main ()