8 from gettext import gettext as _
12 for d in ['@lilypond_datadir@',
14 sys.path.insert (0, os.path.join (d, 'python'))
16 # dynamic relocation, for GUB binaries.
17 bindir = os.path.abspath (os.path.split (sys.argv[0])[0])
18 for p in ['share', 'lib']:
19 datadir = os.path.abspath (bindir + '/../%s/lilypond/current/python/' % p)
20 sys.path.insert (0, datadir)
30 from rational import Rational
34 sys.stderr.write (str + '\n')
38 def musicxml_duration_to_lily (mxl_note):
39 d = musicexp.Duration ()
40 if mxl_note.get_maybe_exist_typed_child (musicxml.Type):
41 d.duration_log = mxl_note.get_duration_log ()
45 d.dots = len (mxl_note.get_typed_children (musicxml.Dot))
46 d.factor = mxl_note._duration / d.get_length ()
50 def group_tuplets (music_list, events):
53 """Collect Musics from
54 MUSIC_LIST demarcated by EVENTS_LIST in TimeScaledMusic objects.
61 for (ev_chord, tuplet_elt, fraction) in events:
62 while (j < len (music_list)):
63 if music_list[j]== ev_chord:
66 if tuplet_elt.type == 'start':
67 indices.append ((j, None, fraction))
68 elif tuplet_elt.type == 'stop':
69 indices[-1] = (indices[-1][0], j, indices[-1][2])
73 for (i1, i2, frac) in indices:
77 new_list.extend (music_list[last:i1])
78 seq = musicexp.SequentialMusic ()
80 seq.elements = music_list[i1:last]
82 tsm = musicexp.TimeScaledMusic ()
85 tsm.numerator = frac[0]
86 tsm.denominator = frac[1]
90 new_list.extend (music_list[last:])
94 def musicxml_clef_to_lily (attributes):
95 change = musicexp.ClefChange ()
96 change.type = attributes.get_clef_sign ()
99 def musicxml_time_to_lily (attributes):
100 (beats, type) = attributes.get_time_signature ()
102 change = musicexp.TimeSignatureChange()
103 change.fraction = (beats, type)
107 def musicxml_key_to_lily (attributes):
108 start_pitch = musicexp.Pitch ()
109 (fifths, mode) = attributes.get_key_signature ()
116 start_pitch.alteration = a
118 print 'unknown mode', mode
120 fifth = musicexp.Pitch()
127 for x in range (fifths):
128 start_pitch = start_pitch.transposed (fifth)
130 start_pitch.octave = 0
132 change = musicexp.KeySignatureChange()
134 change.tonic = start_pitch
137 def musicxml_attributes_to_lily (attrs):
140 'clef': musicxml_clef_to_lily,
141 'time': musicxml_time_to_lily,
142 'key': musicxml_key_to_lily
144 for (k, func) in attr_dispatch.items ():
145 childs = attrs.get_named_children (k)
147 ## ugh: you get clefs spread over staves for piano
149 elts.append (func (attrs))
153 spanner_event_dict = {
154 'slur' : musicexp.SlurEvent,
155 'beam' : musicexp.BeamEvent,
157 spanner_type_dict = {
164 def musicxml_spanner_to_lily_event (mxl_event):
167 name = mxl_event.get_name()
169 func = spanner_event_dict[name]
172 print 'unknown span event ', mxl_event
175 key = mxl_event.get_type ()
176 ev.span_direction = spanner_type_dict[key]
178 print 'unknown span type', key, 'for', name
182 instrument_drumtype_dict = {
183 'Acoustic Snare Drum': 'acousticsnare',
184 'Side Stick': 'sidestick',
185 'Open Triangle': 'opentriangle',
186 'Mute Triangle': 'mutetriangle',
187 'Tambourine': 'tambourine',
191 def musicxml_note_to_lily_main_event (n):
195 mxl_pitch = n.get_maybe_exist_typed_child (musicxml.Pitch)
198 pitch = musicxml_pitch_to_lily (mxl_pitch)
199 event = musicexp.NoteEvent()
202 acc = n.get_maybe_exist_named_child ('accidental')
204 # let's not force accs everywhere.
205 event.cautionary = acc.editorial
207 elif n.get_maybe_exist_typed_child (musicxml.Rest):
208 event = musicexp.RestEvent()
209 elif n.instrument_name:
210 event = musicexp.NoteEvent ()
211 event.drum_type = instrument_drumtype_dict[n.instrument_name]
215 n.message ("could not find suitable event")
217 event.duration = musicxml_duration_to_lily (n)
223 def __init__ (self, here, dest):
227 class LilyPondVoiceBuilder:
230 self.end_moment = Rational (0)
231 self.begin_moment = Rational (0)
232 self.pending_multibar = Rational (0)
234 def _insert_multibar (self):
235 r = musicexp.MultiMeasureRest ()
236 r.duration = musicexp.Duration()
237 r.duration.duration_log = 0
238 r.duration.factor = self.pending_multibar
239 self.elements.append (r)
240 self.begin_moment = self.end_moment
241 self.end_moment = self.begin_moment + self.pending_multibar
242 self.pending_multibar = Rational (0)
244 def add_multibar_rest (self, duration):
245 self.pending_multibar += duration
248 def add_music (self, music, duration):
249 assert isinstance (music, musicexp.Music)
250 if self.pending_multibar > Rational (0):
251 self._insert_multibar ()
253 self.elements.append (music)
254 self.begin_moment = self.end_moment
255 self.end_moment = self.begin_moment + duration
257 def add_bar_check (self, number):
258 b = musicexp.BarCheck ()
259 b.bar_number = number
260 self.add_music (b, Rational (0))
262 def jumpto (self, moment):
263 current_end = self.end_moment + self.pending_multibar
264 diff = moment - current_end
266 if diff < Rational (0):
267 raise NegativeSkip(current_end, moment)
269 if diff > Rational (0):
270 skip = musicexp.SkipEvent()
271 skip.duration.duration_log = 0
272 skip.duration.factor = diff
274 evc = musicexp.EventChord ()
275 evc.elements.append (skip)
276 self.add_music (evc, diff)
278 def last_event_chord (self, starting_at):
282 and isinstance (self.elements[-1], musicexp.EventChord)
283 and self.begin_moment == starting_at):
284 value = self.elements[-1]
286 self.jumpto (starting_at)
291 def correct_negative_skip (self, goto):
292 self.end_moment = goto
293 self.begin_moment = goto
294 evc = musicexp.EventChord ()
295 self.elements.append (evc)
297 def musicxml_voice_to_lily_voice (voice):
301 voice_builder = LilyPondVoiceBuilder()
303 for n in voice._elements:
304 if n.get_name () == 'forward':
307 if not n.get_maybe_exist_named_child ('chord'):
309 voice_builder.jumpto (n._when)
310 except NegativeSkip, neg:
311 voice_builder.correct_negative_skip (n._when)
312 n.message ("Negative skip? from %s to %s, diff %s" % (neg.here, neg.dest, neg.dest - neg.here))
314 if isinstance (n, musicxml.Attributes):
315 if n.is_first () and n._measure_position == Rational (0):
316 voice_builder.add_bar_check (int (n.get_parent ().number))
317 for a in musicxml_attributes_to_lily (n):
318 voice_builder.add_music (a, Rational (0))
321 if not n.__class__.__name__ == 'Note':
322 print 'not a Note or Attributes?', n
325 rest = n.get_maybe_exist_typed_child (musicxml.Rest)
327 and rest.is_whole_measure ()):
329 voice_builder.add_multibar_rest (n._duration)
332 if n.is_first () and n._measure_position == Rational (0):
333 num = int (n.get_parent ().number)
334 voice_builder.add_bar_check (num)
336 main_event = musicxml_note_to_lily_main_event (n)
339 if main_event.drum_type:
340 modes_found['drummode'] = True
341 except AttributeError:
345 ev_chord = voice_builder.last_event_chord (n._when)
347 ev_chord = musicexp.EventChord()
348 voice_builder.add_music (ev_chord, n._duration)
350 ev_chord.append (main_event)
352 notations = n.get_maybe_exist_typed_child (musicxml.Notations)
356 if notations.get_tuplet():
357 tuplet_event = notations.get_tuplet()
358 mod = n.get_maybe_exist_typed_child (musicxml.Time_modification)
361 frac = mod.get_fraction ()
363 tuplet_events.append ((ev_chord, tuplet_event, frac))
365 slurs = [s for s in notations.get_named_children ('slur')
366 if s.get_type () in ('start','stop')]
369 print 'more than 1 slur?'
371 lily_ev = musicxml_spanner_to_lily_event (slurs[0])
372 ev_chord.append (lily_ev)
374 mxl_tie = notations.get_tie ()
375 if mxl_tie and mxl_tie.type == 'start':
376 ev_chord.append (musicexp.TieEvent ())
378 mxl_beams = [b for b in n.get_named_children ('beam')
379 if (b.get_type () in ('begin', 'end')
380 and b.is_primary ())]
382 beam_ev = musicxml_spanner_to_lily_event (mxl_beams[0])
384 ev_chord.append (beam_ev)
387 mod = n.get_maybe_exist_typed_child (musicxml.Time_modification)
390 frac = mod.get_fraction ()
392 tuplet_events.append ((ev_chord, tuplet_event, frac))
394 ## force trailing mm rests to be written out.
395 voice_builder.add_music (musicexp.EventChord (), Rational (0))
397 ly_voice = group_tuplets (voice_builder.elements, tuplet_events)
399 seq_music = musicexp.SequentialMusic()
401 if 'drummode' in modes_found.keys ():
402 ## \key <pitch> barfs in drummode.
403 ly_voice = [e for e in ly_voice
404 if not isinstance(e, musicexp.KeySignatureChange)]
406 seq_music.elements = ly_voice
410 if len (modes_found) > 1:
411 print 'Too many modes found', modes_found.keys ()
413 return_value = seq_music
414 for mode in modes_found.keys ():
415 v = musicexp.ModeChangingMusicWrapper()
416 v.element = return_value
423 def musicxml_id_to_lily (id):
424 digits = ['one', 'two', 'three', 'four', 'five', 'six', 'seven', 'eight',
428 d = digits.index (dig) + 1
429 dig = dig[0].upper() + dig[1:]
430 id = re.sub ('%d' % d, dig, id)
432 id = re.sub ('[^a-zA-Z]', 'X', id)
436 def musicxml_pitch_to_lily (mxl_pitch):
438 p.alteration = mxl_pitch.get_alteration ()
439 p.step = (ord (mxl_pitch.get_step ()) - ord ('A') + 7 - 2) % 7
440 p.octave = mxl_pitch.get_octave () - 4
443 def voices_in_part (part):
444 """Return a Name -> Voice dictionary for PART"""
446 part.extract_voices ()
447 voice_dict = part.get_voices ()
451 def voices_in_part_in_parts (parts):
452 """return a Part -> Name -> Voice dictionary"""
453 return dict([(p, voices_in_part (p)) for p in parts])
456 def get_all_voices (parts):
457 all_voices = voices_in_part_in_parts (parts)
460 for p, name_voice in all_voices.items ():
463 for n, v in name_voice.items ():
464 progress ("Converting to LilyPond expressions...")
465 part_ly_voices[n] = (musicxml_voice_to_lily_voice (v), v)
467 all_ly_voices[p] = part_ly_voices
472 def option_parser ():
473 p = ly.get_option_parser(usage='musicxml2ly FILE.xml',
474 version = """%prog (LilyPond) @TOPLEVEL_VERSION@
476 This program is free software. It is covered by the GNU General Public
477 License and you are welcome to change it and/or distribute copies of it
478 under certain conditions. Invoke as `lilypond --warranty' for more
481 Copyright (c) 2005--2006 by
482 Han-Wen Nienhuys <hanwen@xs4all.nl> and
483 Jan Nieuwenhuizen <janneke@gnu.org>
487 """Convert MusicXML file to LilyPond input.
490 p.add_option ('-v', '--verbose',
491 action = "store_true",
495 p.add_option ('', '--lxml',
499 help="Use lxml.etree; uses less memory and cpu time.")
501 p.add_option ('-o', '--output',
507 help='set output file')
509 p.add_option_group ('', description = '''Report bugs via http://post.gmane.org/post.php?group=gmane.comp.gnu.lilypond.bugs
513 def music_xml_voice_name_to_lily_name (part, name):
514 str = "Part%sVoice%s" % (part.id, name)
515 return musicxml_id_to_lily (str)
517 def print_voice_definitions (printer, voices):
518 for (part, nv_dict) in voices.items():
520 for (name, (voice, mxlvoice)) in nv_dict.items ():
521 k = music_xml_voice_name_to_lily_name (part, name)
522 printer.dump ('%s = ' % k)
523 voice.print_ly (printer)
528 return dict ([(elt,1) for elt in l]).keys ()
530 def print_score_setup (printer, part_list, voices):
531 part_dict = dict ([(p.id, p) for p in voices.keys ()])
535 for part_definition in part_list:
536 part_name = part_definition.id
538 part = part_dict[part_name]
540 print 'unknown part in part-list:', part_name
543 nv_dict = voices[part]
544 staves = reduce (lambda x,y: x+ y,
545 [mxlvoice._staves.keys ()
546 for (v, mxlvoice) in nv_dict.values ()],
550 staves = uniq_list (staves)
552 printer ('\\context PianoStaff << ')
556 staff_voices = [music_xml_voice_name_to_lily_name (part, voice_name)
557 for (voice_name, (v, mxlvoice)) in nv_dict.items ()
558 if mxlvoice._start_staff == s]
560 printer ('\\context Staff = "%s" << ' % s)
562 for v in staff_voices:
563 printer ('\\context Voice = "%s" \\%s' % (v,v))
572 printer ('\\new Staff <<')
574 for (n,v) in nv_dict.items ():
576 n = music_xml_voice_name_to_lily_name (part, n)
577 printer ('\\context Voice = "%s" \\%s' % (n,n))
584 def print_ly_preamble (printer, filename):
585 printer.dump_version ()
586 printer.print_verbatim ('%% converted from %s\n' % filename)
588 def read_musicxml (filename, use_lxml):
592 tree = lxml.etree.parse (filename)
593 mxl_tree = musicxml.lxml_demarshal_node (tree.getroot ())
596 from xml.dom import minidom, Node
598 doc = minidom.parse(filename)
599 node = doc.documentElement
600 return musicxml.minidom_demarshal_node (node)
605 def convert (filename, options):
606 progress ("Reading MusicXML from %s ..." % filename)
608 tree = read_musicxml (filename, options.use_lxml)
611 id_instrument_map = {}
612 if tree.get_maybe_exist_typed_child (musicxml.Part_list):
613 mxl_pl = tree.get_maybe_exist_typed_child (musicxml.Part_list)
614 part_list = mxl_pl.get_named_children ("score-part")
616 parts = tree.get_typed_children (musicxml.Part)
617 voices = get_all_voices (parts)
619 if not options.output_name:
620 options.output_name = os.path.basename (filename)
621 options.output_name = os.path.splitext (options.output_name)[0]
624 defs_ly_name = options.output_name + '-defs.ly'
625 driver_ly_name = options.output_name + '.ly'
627 printer = musicexp.Output_printer()
628 progress ("Output to `%s'" % defs_ly_name)
629 printer.set_file (open (defs_ly_name, 'w'))
631 print_ly_preamble (printer, filename)
632 print_voice_definitions (printer, voices)
637 progress ("Output to `%s'" % driver_ly_name)
638 printer = musicexp.Output_printer()
639 printer.set_file (open (driver_ly_name, 'w'))
640 print_ly_preamble (printer, filename)
641 printer.dump (r'\include "%s"' % defs_ly_name)
642 print_score_setup (printer, part_list, voices)
649 opt_parser = option_parser()
651 (options, args) = opt_parser.parse_args ()
653 opt_parser.print_usage()
656 voices = convert (args[0], options)
658 if __name__ == '__main__':