]> git.donarmstrong.com Git - lilypond.git/blob - buildscripts/output-distance.py
Merge branch 'master' of git+ssh://jneem@git.sv.gnu.org/srv/git/lilypond
[lilypond.git] / buildscripts / output-distance.py
1 #!@TARGET_PYTHON@
2 import sys
3 import optparse
4 import os
5
6 ## so we can call directly as buildscripts/output-distance.py
7 me_path = os.path.abspath (os.path.split (sys.argv[0])[0])
8 sys.path.insert (0, me_path + '/../python/')
9
10
11 import safeeval
12
13
14 X_AXIS = 0
15 Y_AXIS = 1
16 INFTY = 1e6
17
18 OUTPUT_EXPRESSION_PENALTY = 1
19 ORPHAN_GROB_PENALTY = 1
20 inspect_max_count = 0
21
22 def max_distance (x1, x2):
23     dist = 0.0
24
25     for (p,q) in zip (x1, x2):
26         dist = max (abs (p-q), dist)
27         
28     return dist
29
30
31 empty_interval = (INFTY, -INFTY)
32 empty_bbox = (empty_interval, empty_interval)
33
34 def interval_is_empty (i):
35     return i[0] > i[1]
36
37 def interval_length (i):
38     return max (i[1]-i[0], 0) 
39     
40 def interval_union (i1, i2):
41     return (min (i1[0], i2[0]),
42             max (i1[1], i2[1]))
43
44 def interval_intersect (i1, i2):
45     return (max (i1[0], i2[0]),
46             min (i1[1], i2[1]))
47
48 def bbox_is_empty (b):
49     return (interval_is_empty (b[0])
50             or interval_is_empty (b[1]))
51
52 def bbox_union (b1, b2):
53     return (interval_union (b1[X_AXIS], b2[X_AXIS]),
54             interval_union (b2[Y_AXIS], b2[Y_AXIS]))
55             
56 def bbox_intersection (b1, b2):
57     return (interval_intersect (b1[X_AXIS], b2[X_AXIS]),
58             interval_intersect (b2[Y_AXIS], b2[Y_AXIS]))
59
60 def bbox_area (b):
61     return interval_length (b[X_AXIS]) * interval_length (b[Y_AXIS])
62
63 def bbox_diameter (b):
64     return max (interval_length (b[X_AXIS]),
65                 interval_length (b[Y_AXIS]))
66                 
67
68 def difference_area (a, b):
69     return bbox_area (a) - bbox_area (bbox_intersection (a,b))
70
71 class GrobSignature:
72     def __init__ (self, exp_list):
73         (self.name, self.origin, bbox_x,
74          bbox_y, self.output_expression) = tuple (exp_list)
75         
76         self.bbox = (bbox_x, bbox_y)
77         self.centroid = (bbox_x[0] + bbox_x[1], bbox_y[0] + bbox_y[1])
78
79     def __repr__ (self):
80         return '%s: (%.2f,%.2f), (%.2f,%.2f)\n' % (self.name,
81                                                    self.bbox[0][0],
82                                                    self.bbox[0][1],
83                                                    self.bbox[1][0],
84                                                    self.bbox[1][1])
85                                                  
86     def axis_centroid (self, axis):
87         return apply (sum, self.bbox[axis])  / 2 
88     
89     def centroid_distance (self, other, scale):
90         return max_distance (self.centroid, other.centroid) / scale 
91         
92     def bbox_distance (self, other):
93         divisor = bbox_area (self.bbox) + bbox_area (other.bbox)
94
95         if divisor:
96             return (difference_area (self.bbox, other.bbox) +
97                     difference_area (other.bbox, self.bbox)) / divisor
98         else:
99             return 0.0
100         
101     def expression_distance (self, other):
102         if self.output_expression == other.output_expression:
103             return 0
104         else:
105             return 1
106
107 ################################################################
108 # single System.
109
110 class SystemSignature:
111     def __init__ (self, grob_sigs):
112         d = {}
113         for g in grob_sigs:
114             val = d.setdefault (g.name, [])
115             val += [g]
116
117         self.grob_dict = d
118         self.set_all_bbox (grob_sigs)
119
120     def set_all_bbox (self, grobs):
121         self.bbox = empty_bbox
122         for g in grobs:
123             self.bbox = bbox_union (g.bbox, self.bbox)
124
125     def closest (self, grob_name, centroid):
126         min_d = INFTY
127         min_g = None
128         try:
129             grobs = self.grob_dict[grob_name]
130
131             for g in grobs:
132                 d = max_distance (g.centroid, centroid)
133                 if d < min_d:
134                     min_d = d
135                     min_g = g
136
137
138             return min_g
139
140         except KeyError:
141             return None
142     def grobs (self):
143         return reduce (lambda x,y: x+y, self.grob_dict.values(), [])
144
145 ################################################################
146 ## comparison of systems.
147
148 class SystemLink:
149     def __init__ (self, system1, system2):
150         self.system1 = system1
151         self.system2 = system2
152         
153         self.link_list_dict = {}
154         self.back_link_dict = {}
155
156
157         ## pairs
158         self.orphans = []
159
160         ## pair -> distance
161         self.geo_distances = {}
162
163         ## pairs
164         self.expression_changed = []
165
166         self._geometric_distance = None
167         self._expression_change_count = None
168         self._orphan_count = None
169         
170         for g in system1.grobs ():
171
172             ## skip empty bboxes.
173             if bbox_is_empty (g.bbox):
174                 continue
175             
176             closest = system2.closest (g.name, g.centroid)
177             
178             self.link_list_dict.setdefault (closest, [])
179             self.link_list_dict[closest].append (g)
180             self.back_link_dict[g] = closest
181
182
183     def calc_geometric_distance (self):
184         total = 0.0
185         for (g1,g2) in self.back_link_dict.items ():
186             if g2:
187                 d = g1.bbox_distance (g2)
188                 if d:
189                     self.geo_distances[(g1,g2)] = d
190
191                 total += d
192
193         self._geometric_distance = total
194     
195     def calc_orphan_count (self):
196         count = 0
197         for (g1, g2) in self.back_link_dict.items ():
198             if g2 == None:
199                 self.orphans.append ((g1, None))
200                 
201                 count += 1
202
203         self._orphan_count = count
204     
205     def calc_output_exp_distance (self):
206         d = 0
207         for (g1,g2) in self.back_link_dict.items ():
208             if g2:
209                 d += g1.expression_distance (g2)
210
211         self._expression_change_count = d
212
213     def output_expression_details_string (self):
214         return ', '.join ([g1.name for g1 in self.expression_changed])
215     
216     def geo_details_string (self):
217         results = [(d, g1,g2) for ((g1, g2), d) in self.geo_distances.items()]
218         results.sort ()
219         results.reverse ()
220         
221         return ', '.join (['%s: %f' % (g1.name, d) for (d, g1, g2) in results])
222
223     def orphan_details_string (self):
224         return ', '.join (['%s-None' % g1.name for (g1,g2) in self.orphans if g2==None])
225
226     def geometric_distance (self):
227         if self._geometric_distance == None:
228             self.calc_geometric_distance ()
229         return self._geometric_distance
230     
231     def orphan_count (self):
232         if self._orphan_count == None:
233             self.calc_orphan_count ()
234             
235         return self._orphan_count
236     
237     def output_expression_change_count (self):
238         if self._expression_change_count == None:
239             self.calc_output_exp_distance ()
240         return self._expression_change_count
241         
242     def distance (self):
243         return (self.output_expression_change_count (),
244                 self.orphan_count (),
245                 self.geometric_distance ())
246     
247 def read_signature_file (name):
248     print 'reading', name
249     
250     entries = open (name).read ().split ('\n')
251     def string_to_tup (s):
252         return tuple (map (float, s.split (' '))) 
253
254     def string_to_entry (s):
255         fields = s.split('@')
256         fields[2] = string_to_tup (fields[2])
257         fields[3] = string_to_tup (fields[3])
258
259         return tuple (fields)
260     
261     entries = [string_to_entry (e) for e in entries
262                if e and not e.startswith ('#')]
263
264     grob_sigs = [GrobSignature (e) for e in entries]
265     sig = SystemSignature (grob_sigs)
266     return sig
267
268
269 ################################################################
270 # different systems of a .ly file.
271 def read_pipe (c):
272     print 'pipe' , c
273     return os.popen (c).read ()
274
275 def system (c):
276     print 'system' , c
277     s = os.system (c)
278     if s :
279         raise Exception ("failed")
280     return
281
282 def compare_png_images (old, new, dir):
283     def png_dims (f):
284         m = re.search ('([0-9]+) x ([0-9]+)', read_pipe ('file %s' % f))
285         
286         return tuple (map (int, m.groups ()))
287
288     dest = os.path.join (dir, new.replace ('.png', '.compare.png'))
289     try:
290         dims1 = png_dims (old)
291         dims2 = png_dims (new)
292     except AttributeError:
293         os.link (new, dest)
294         return
295     
296     dims = (min (dims1[0], dims2[0]),
297             min (dims1[1], dims2[1]))
298
299     system ('convert -depth 8 -crop %dx%d+0+0 %s crop1.png' % (dims + (old,)))
300     system ('convert -depth 8 -crop %dx%d+0+0 %s crop2.png' % (dims + (new,)))
301
302     system ('compare -depth 8 crop1.png crop2.png diff.png')
303
304     system ("convert  -depth 8 diff.png -blur 0x3 -negate -channel alpha,blue -type TrueColorMatte -fx 'intensity'    matte.png")
305
306     system ("composite -depth 8 -type Palette matte.png %(new)s %(dest)s" % locals ())
307
308 class FileLink:
309     def __init__ (self):
310         self.original_name = ''
311         self.base_names = ('','')
312         self.system_links = {}
313         self._distance = None
314         
315     def add_system_link (self, link, number):
316         self.system_links[number] = link
317
318     def calc_distance (self):
319         d = 0.0
320
321         orphan_distance = 0.0
322         for l in self.system_links.values ():
323             d = max (d, l.geometric_distance ())
324             orphan_distance += l.orphan_count ()
325             
326         return d + orphan_distance
327
328     def distance (self):
329         if type (self._distance) != type (0.0):
330             return self.calc_distance ()
331         
332         return self._distance
333
334     def text_record_string (self):
335         return '%-30f %-20s\n' % (self.distance (),
336                              self.original_name)
337
338     def source_file (self):
339         for ext in ('.ly', '.ly.txt'):
340             if os.path.exists (self.base_names[1] + ext):
341                 return self.base_names[1] + ext
342         return ''
343     
344     def add_file_compare (self, f1, f2):
345         system_index = [] 
346
347         def note_system_index (m):
348             system_index.append (int (m.group (1)))
349             return ''
350         
351         base1 = re.sub ("-([0-9]+).signature", note_system_index, f1)
352         base2 = re.sub ("-([0-9]+).signature", note_system_index, f2)
353
354         self.base_names = (os.path.normpath (base1),
355                            os.path.normpath (base2))
356
357         def note_original (match):
358             self.original_name = match.group (1)
359             return ''
360         
361         if not self.original_name:
362             self.original_name = os.path.split (base1)[1]
363
364             ## ugh: drop the .ly.txt
365             for ext in ('.ly', '.ly.txt'):
366                 try:
367                     re.sub (r'\\sourcefilename "([^"]+)"',
368                             note_original, open (base1 + ext).read ())
369                 except IOError:
370                     pass
371                 
372         s1 = read_signature_file (f1)
373         s2 = read_signature_file (f2)
374
375         link = SystemLink (s1, s2)
376
377         self.add_system_link (link, system_index[0])
378
379     def link_files_for_html (self, old_dir, new_dir, dest_dir):
380         png_linked = [[], []]
381         for ext in ('.png', '.ly', '-page*png'):
382             
383             for oldnew in (0,1):
384                 for f in glob.glob (self.base_names[oldnew] + ext):
385                     dst = dest_dir + '/' + f
386                     link_file (f, dst)
387
388                     if f.endswith ('.png'):
389                         png_linked[oldnew].append (f)
390
391         for (old,new) in zip (png_linked[0], png_linked[1]):
392             compare_png_images (old, new, dest_dir)
393
394     def html_record_string (self,  old_dir, new_dir):
395         def img_cell (ly, img, name):
396             if not name:
397                 name = 'source'
398             else:
399                 name = '<tt>%s</tt>' % name
400                 
401             return '''
402 <td align="center">
403 <a href="%(img)s">
404 <img src="%(img)s" style="border-style: none; max-width: 500px;">
405 </a><br>
406 <font size="-2">(<a href="%(ly)s">%(name)s</a>)
407 </font>
408 </td>
409 ''' % locals ()
410
411         def multi_img_cell (ly, imgs, name):
412             if not name:
413                 name = 'source'
414             else:
415                 name = '<tt>%s</tt>' % name
416
417             imgs_str = '\n'.join (['''<a href="%s">
418 <img src="%s" style="border-style: none; max-width: 500px;">
419 </a><br>''' % (img, img) 
420                                   for img in imgs])
421
422
423             return '''
424 <td align="center">
425 %(imgs_str)s
426 <font size="-2">(<a href="%(ly)s">%(name)s</a>)
427 </font>
428 </td>
429 ''' % locals ()
430
431
432
433         def cell (base, name):
434             pat = base + '-page*.png'
435             pages = glob.glob (pat)
436
437             if pages:
438                 return multi_img_cell (base + '.ly', sorted (pages), name)
439             else:
440                 return img_cell (base + '.ly', base + '.png', name)
441             
442
443         html_2  = self.base_names[1] + '.html'
444         name = self.original_name
445         
446         html_entry = '''
447 <tr>
448 <td>
449 %f<br>
450 (<a href="%s">details</a>)
451 </td>
452
453 %s
454 %s
455 </tr>
456 ''' % (self.distance (), html_2,
457        cell (self.base_names[0], name),
458        cell (self.base_names[1], name).replace ('.png', '.compare.png'))
459
460         return html_entry
461
462
463     def html_system_details_string (self):
464         systems = self.system_links.items ()
465         systems.sort ()
466
467         html = ""
468         for (c, link) in systems:
469             e = '<td>%d</td>' % c
470             for d in link.distance ():
471                 e += '<td>%f</td>' % d
472             
473             e = '<tr>%s</tr>' % e
474
475             html += e
476
477             e = '<td>%d</td>' % c
478             for s in (link.output_expression_details_string (),
479                       link.orphan_details_string (),
480                       link.geo_details_string ()):
481                 e += "<td>%s</td>" % s
482
483             
484             e = '<tr>%s</tr>' % e
485             html += e
486             
487         original = self.original_name
488         html = '''<html>
489 <head>
490 <title>comparison details for %(original)s</title>
491 </head>
492 <body>
493 <table border=1>
494 <tr>
495 <th>system</th>
496 <th>output</th>
497 <th>orphan</th>
498 <th>geo</th>
499 </tr>
500
501 %(html)s
502 </table>
503
504 </body>
505 </html>
506 ''' % locals ()
507         return html
508
509     def write_html_system_details (self, dir1, dir2, dest_dir):
510         dest_file =  os.path.join (dest_dir, self.base_names[1] + '.html')
511
512         details = open_write_file (dest_file)
513         details.write (self.html_system_details_string ())
514
515 ################################################################
516 # Files/directories
517
518 import glob
519 import re
520
521
522
523 def compare_signature_files (f1, f2):
524     s1 = read_signature_file (f1)
525     s2 = read_signature_file (f2)
526     
527     return SystemLink (s1, s2).distance ()
528
529 def paired_files (dir1, dir2, pattern):
530     """
531     Search DIR1 and DIR2 for PATTERN.
532
533     Return (PAIRED, MISSING-FROM-2, MISSING-FROM-1)
534
535     """
536     
537     files1 = dict ((os.path.split (f)[1], 1) for f in glob.glob (dir1 + '/' + pattern))
538     files2 = dict ((os.path.split (f)[1], 1) for f in glob.glob (dir2 + '/' + pattern))
539
540     pairs = []
541     missing = []
542     for f in files1.keys ():
543         try:
544             files2.pop (f)
545             pairs.append (f)
546         except KeyError:
547             missing.append (f)
548
549     return (pairs, files2.keys (), missing)
550     
551 class ComparisonData:
552     def __init__ (self):
553         self.result_dict = {}
554         self.missing = []
555         self.added = []
556         self.file_links = {}
557
558     def compare_trees (self, dir1, dir2):
559         self.compare_directories (dir1, dir2)
560         
561         (root, dirs, files) = os.walk (dir1).next ()
562         for d in dirs:
563             d1 = os.path.join (dir1, d)
564             d2 = os.path.join (dir2, d)
565
566             if os.path.islink (d1) or os.path.islink (d2):
567                 continue
568             
569             if os.path.isdir (d2):
570                 self.compare_trees (d1, d2)
571     
572     def compare_directories (self, dir1, dir2):
573
574         (paired, m1, m2) = paired_files (dir1, dir2, '*.signature')
575
576         self.missing += [(dir1, m) for m in m1] 
577         self.added += [(dir2, m) for m in m2] 
578
579         for p in paired:
580             if (inspect_max_count
581                 and len (self.file_links) > inspect_max_count):
582                 
583                 continue
584             
585             f2 = dir2 +  '/' + p
586             f1 = dir1 +  '/' + p
587             self.compare_files (f1, f2)
588
589     def compare_files (self, f1, f2):
590         name = os.path.split (f1)[1]
591         name = re.sub ('-[0-9]+.signature', '', name)
592         
593         file_link = None
594         try:
595             file_link = self.file_links[name]
596         except KeyError:
597             file_link = FileLink ()
598             self.file_links[name] = file_link
599
600         file_link.add_file_compare (f1,f2)
601
602     def write_text_result_page (self, filename, threshold):
603         print 'writing "%s"' % filename
604         out = None
605         if filename == '':
606             out = sys.stdout
607         else:
608             out = open_write_file (filename)
609
610         ## todo: support more scores.
611         results = [(link.distance(), link)
612                    for link in self.file_links.values ()]
613         results.sort ()
614         results.reverse ()
615
616         
617         for (score, link) in results:
618             if score > threshold:
619                 out.write (link.text_record_string ())
620
621         out.write ('\n\n')
622         out.write ('%d below threshold\n' % len ([1 for s,l  in results
623                                                     if threshold >=  s > 0.0]))
624         out.write ('%d unchanged\n' % len ([1 for (s,l) in results if s == 0.0]))
625         
626     def create_text_result_page (self, dir1, dir2, dest_dir, threshold):
627         self.write_text_result_page (dest_dir + '/index.txt', threshold)
628         
629     def create_html_result_page (self, dir1, dir2, dest_dir, threshold):
630         dir1 = dir1.replace ('//', '/')
631         dir2 = dir2.replace ('//', '/')
632         
633         results = [(link.distance(), link)
634                    for link in self.file_links.values ()]
635         results.sort ()
636         results.reverse ()
637
638         html = ''
639         old_prefix = os.path.split (dir1)[1]
640         for (score, link) in results:
641             if score <= threshold:
642                 continue
643
644             link.link_files_for_html (dir1, dir2, dest_dir) 
645             link.write_html_system_details (dir1, dir2, dest_dir)
646             
647             html += link.html_record_string (dir1, dir2)
648
649
650         html = '''<html>
651 <table rules="rows" border bordercolor="blue">
652 <tr>
653 <th>distance</th>
654 <th>%(dir1)s</th>
655 <th>%(dir2)s</th>
656 </tr>
657 %(html)s
658 </table>
659 </html>''' % locals()
660
661         html += ('<p>')
662         below_count  =len ([1 for s,l  in results
663                             if threshold >=  s > 0.0])
664
665         if below_count:
666             html += ('<p>%d below threshold</p>' % below_count)
667
668         html += ('<p>%d unchanged</p>'
669                  % len ([1 for (s,l) in results if s == 0.0]))
670
671
672         dest_file = dest_dir + '/index.html'
673         open_write_file (dest_file).write (html)
674         
675     def print_results (self, threshold):
676         self.write_text_result_page ('', threshold)
677
678 def compare_trees (dir1, dir2, dest_dir, threshold):
679     data = ComparisonData ()
680     data.compare_trees (dir1, dir2)
681     data.print_results (threshold)
682
683     if os.path.isdir (dest_dir):
684         system ('rm -rf %s '% dest_dir)
685
686     data.create_html_result_page (dir1, dir2, dest_dir, threshold)
687     data.create_text_result_page (dir1, dir2, dest_dir, threshold)
688     
689 ################################################################
690 # TESTING
691
692 def mkdir (x):
693     if not os.path.isdir (x):
694         print 'mkdir', x
695         os.makedirs (x)
696
697 def link_file (x, y):
698     mkdir (os.path.split (y)[0])
699     try:
700         os.link (x, y)
701     except OSError, z:
702         print 'OSError', x, y, z
703         raise OSError
704     
705 def open_write_file (x):
706     d = os.path.split (x)[0]
707     mkdir (d)
708     return open (x, 'w')
709
710
711 def system (x):
712     
713     print 'invoking', x
714     stat = os.system (x)
715     assert stat == 0
716
717
718 def test_paired_files ():
719     print paired_files (os.environ["HOME"] + "/src/lilypond/scripts/",
720                         os.environ["HOME"] + "/src/lilypond-stable/buildscripts/", '*.py')
721                   
722     
723 def test_compare_trees ():
724     system ('rm -rf dir1 dir2')
725     system ('mkdir dir1 dir2')
726     system ('cp 20{-*.signature,.ly,.png} dir1')
727     system ('cp 20{-*.signature,.ly,.png} dir2')
728     system ('cp 20expr{-*.signature,.ly,.png} dir1')
729     system ('cp 19{-*.signature,.ly,.png} dir2/')
730     system ('cp 19{-*.signature,.ly,.png} dir1/')
731     system ('cp 19-1.signature 19-sub-1.signature')
732     system ('cp 19.ly 19-sub.ly')
733     system ('cp 19.png 19-sub.png')
734
735     system ('cp 20multipage* dir1')
736     system ('cp 20multipage* dir2')
737     system ('cp 19multipage-1.signature dir2/20multipage-1.signature')
738
739     
740     system ('mkdir -p dir1/subdir/ dir2/subdir/')
741     system ('cp 19-sub{-*.signature,.ly,.png} dir1/subdir/')
742     system ('cp 19-sub{-*.signature,.ly,.png} dir2/subdir/')
743     system ('cp 20grob{-*.signature,.ly,.png} dir2/')
744     system ('cp 20grob{-*.signature,.ly,.png} dir1/')
745
746     ## introduce differences
747     system ('cp 19-1.signature dir2/20-1.signature')
748     system ('cp 19.png dir2/20.png')
749     system ('cp 19multipage-page1.png dir2/20multipage-page1.png')
750     system ('cp 20-1.signature dir2/subdir/19-sub-1.signature')
751     system ('cp 20.png dir2/subdir/19-sub.png')
752
753     ## radical diffs.
754     system ('cp 19-1.signature dir2/20grob-1.signature')
755     system ('cp 19-1.signature dir2/20grob-2.signature')
756
757     compare_trees ('dir1', 'dir2', 'compare-dir1dir2', 0.5)
758
759
760 def test_basic_compare ():
761     ly_template = r"""
762 #(set! toplevel-score-handler print-score-with-defaults)
763  #(set! toplevel-music-handler
764   (lambda (p m)
765   (if (not (eq? (ly:music-property m 'void) #t))
766      (print-score-with-defaults
767      p (scorify-music m p)))))
768
769 \sourcefilename "my-source.ly"
770  
771 %(papermod)s
772 \header { tagline = ##f } 
773 <<
774 \new Staff \relative c {
775   c4^"%(userstring)s" %(extragrob)s
776   }
777 \new Staff \relative c {
778   c4^"%(userstring)s" %(extragrob)s
779   }
780 >>
781 """
782
783     dicts = [{ 'papermod' : '',
784                'name' : '20',
785                'extragrob': '',
786                'userstring': 'test' },
787              { 'papermod' : '#(set-global-staff-size 19.5)',
788                'name' : '19',
789                'extragrob': '',
790                'userstring': 'test' },
791              { 'papermod' : '',
792                'name' : '20expr',
793                'extragrob': '',
794                'userstring': 'blabla' },
795              { 'papermod' : '',
796                'name' : '20grob',
797                'extragrob': 'r2. \\break c1',
798                'userstring': 'test' },
799                 
800              ]
801
802     for d in dicts:
803         open (d['name'] + '.ly','w').write (ly_template % d)
804         
805     names = [d['name'] for d in dicts]
806     
807     system ('lilypond -ddump-signatures --png -b eps ' + ' '.join (names))
808     
809
810     multipage_str = r'''
811     #(set-default-paper-size "a6")
812     {c1 \pageBreak c1 }
813     '''
814
815     open ('20multipage', 'w').write (multipage_str)
816     open ('19multipage', 'w').write ('#(set-global-staff-size 19.5)\n' + multipage_str)
817     system ('lilypond -ddump-signatures --png 19multipage 20multipage ')
818  
819     test_compare_signatures (names)
820     
821 def test_compare_signatures (names, timing=False):
822
823     import time
824
825     times = 1
826     if timing:
827         times = 100
828
829     t0 = time.clock ()
830
831     count = 0
832     for t in range (0, times):
833         sigs = dict ((n, read_signature_file ('%s-1.signature' % n)) for n in names)
834         count += 1
835
836     if timing:
837         print 'elapsed', (time.clock() - t0)/count
838
839
840     t0 = time.clock ()
841     count = 0
842     combinations = {}
843     for (n1, s1) in sigs.items():
844         for (n2, s2) in sigs.items():
845             combinations['%s-%s' % (n1, n2)] = SystemLink (s1,s2).distance ()
846             count += 1
847
848     if timing:
849         print 'elapsed', (time.clock() - t0)/count
850
851     results = combinations.items ()
852     results.sort ()
853     for k,v in results:
854         print '%-20s' % k, v
855
856     assert combinations['20-20'] == (0.0,0.0,0.0)
857     assert combinations['20-20expr'][0] > 0.0
858     assert combinations['20-19'][2] < 10.0
859     assert combinations['20-19'][2] > 0.0
860
861
862 def run_tests ():
863     dir = 'test-output-distance'
864
865     do_clean = not os.path.exists (dir)
866
867     print 'test results in ', dir
868     if do_clean:
869         system ('rm -rf ' + dir)
870         system ('mkdir ' + dir)
871         
872     os.chdir (dir)
873     if do_clean:
874         test_basic_compare ()
875         
876     test_compare_trees ()
877     
878 ################################################################
879 #
880
881 def main ():
882     p = optparse.OptionParser ("output-distance - compare LilyPond formatting runs")
883     p.usage = 'output-distance.py [options] tree1 tree2'
884     
885     p.add_option ('', '--test-self',
886                   dest="run_test",
887                   action="store_true",
888                   help='run test method')
889     
890     p.add_option ('--max-count',
891                   dest="max_count",
892                   metavar="COUNT",
893                   type="int",
894                   default=0, 
895                   action="store",
896                   help='only analyze COUNT signature pairs')
897
898     p.add_option ('', '--threshold',
899                   dest="threshold",
900                   default=0.3,
901                   action="store",
902                   type="float",
903                   help='threshold for geometric distance')
904
905     (o,a) = p.parse_args ()
906
907     if o.run_test:
908         run_tests ()
909         sys.exit (0)
910
911     if len (a) != 2:
912         p.print_usage()
913         sys.exit (2)
914
915     global inspect_max_count
916     inspect_max_count = o.max_count
917
918     compare_trees (a[0], a[1], os.path.join (a[1],  'compare-' +  a[0]),
919                    o.threshold)
920
921 if __name__ == '__main__':
922     main()
923