]> git.donarmstrong.com Git - lilypond.git/blob - buildscripts/output-distance.py
better diff distance
[lilypond.git] / buildscripts / output-distance.py
1 #!@TARGET_PYTHON@
2 import sys
3 import optparse
4 import os
5 import math
6
7 ## so we can call directly as buildscripts/output-distance.py
8 me_path = os.path.abspath (os.path.split (sys.argv[0])[0])
9 sys.path.insert (0, me_path + '/../python/')
10
11
12 import safeeval
13
14
15 X_AXIS = 0
16 Y_AXIS = 1
17 INFTY = 1e6
18
19 OUTPUT_EXPRESSION_PENALTY = 1
20 ORPHAN_GROB_PENALTY = 1
21 options = None
22
23 ################################################################
24 # system interface.
25 temp_dir = None
26 class TempDirectory:
27     def __init__ (self):
28         import tempfile
29         self.dir = tempfile.mkdtemp ()
30         print 'dir is', self.dir
31     def __del__ (self):
32         print 'rm -rf %s' % self.dir 
33         os.system ('rm -rf %s' % self.dir )
34     def __call__ (self):
35         return self.dir
36
37
38 def get_temp_dir  ():
39     global temp_dir
40     if not temp_dir:
41         temp_dir = TempDirectory ()
42     return temp_dir ()
43
44 def read_pipe (c):
45     print 'pipe' , c
46     return os.popen (c).read ()
47
48 def system (c):
49     print 'system' , c
50     s = os.system (c)
51     if s :
52         raise Exception ("failed")
53     return
54
55 def shorten_string (s):
56     threshold = 15 
57     if len (s) > 2*threshold:
58         s = s[:threshold] + '..' + s[-threshold:]
59     return s
60
61 def max_distance (x1, x2):
62     dist = 0.0
63
64     for (p,q) in zip (x1, x2):
65         dist = max (abs (p-q), dist)
66         
67     return dist
68
69
70 def compare_png_images (old, new, dest_dir):
71     def png_dims (f):
72         m = re.search ('([0-9]+) x ([0-9]+)', read_pipe ('file %s' % f))
73         
74         return tuple (map (int, m.groups ()))
75
76     dest = os.path.join (dest_dir, new.replace ('.png', '.compare.jpeg'))
77     try:
78         dims1 = png_dims (old)
79         dims2 = png_dims (new)
80     except AttributeError:
81         ## hmmm. what to do?
82         system ('touch %(dest)s' % locals ())
83         return
84     
85     dims = (min (dims1[0], dims2[0]),
86             min (dims1[1], dims2[1]))
87
88     dir = get_temp_dir ()
89     system ('convert -depth 8 -crop %dx%d+0+0 %s %s/crop1.png' % (dims + (old, dir)))
90     system ('convert -depth 8 -crop %dx%d+0+0 %s %s/crop2.png' % (dims + (new, dir)))
91
92     system ('compare -depth 8 %(dir)s/crop1.png %(dir)s/crop2.png %(dir)s/diff.png' % locals ())
93
94     system ("convert  -depth 8 %(dir)s/diff.png -blur 0x3 -negate -channel alpha,blue -type TrueColorMatte -fx 'intensity'    %(dir)s/matte.png" % locals ())
95
96     system ("composite -quality 65 %(dir)s/matte.png %(new)s %(dest)s" % locals ())
97
98
99 ################################################################
100 # interval/bbox arithmetic.
101
102 empty_interval = (INFTY, -INFTY)
103 empty_bbox = (empty_interval, empty_interval)
104
105 def interval_is_empty (i):
106     return i[0] > i[1]
107
108 def interval_length (i):
109     return max (i[1]-i[0], 0) 
110     
111 def interval_union (i1, i2):
112     return (min (i1[0], i2[0]),
113             max (i1[1], i2[1]))
114
115 def interval_intersect (i1, i2):
116     return (max (i1[0], i2[0]),
117             min (i1[1], i2[1]))
118
119 def bbox_is_empty (b):
120     return (interval_is_empty (b[0])
121             or interval_is_empty (b[1]))
122
123 def bbox_union (b1, b2):
124     return (interval_union (b1[X_AXIS], b2[X_AXIS]),
125             interval_union (b2[Y_AXIS], b2[Y_AXIS]))
126             
127 def bbox_intersection (b1, b2):
128     return (interval_intersect (b1[X_AXIS], b2[X_AXIS]),
129             interval_intersect (b2[Y_AXIS], b2[Y_AXIS]))
130
131 def bbox_area (b):
132     return interval_length (b[X_AXIS]) * interval_length (b[Y_AXIS])
133
134 def bbox_diameter (b):
135     return max (interval_length (b[X_AXIS]),
136                 interval_length (b[Y_AXIS]))
137                 
138
139 def difference_area (a, b):
140     return bbox_area (a) - bbox_area (bbox_intersection (a,b))
141
142 class GrobSignature:
143     def __init__ (self, exp_list):
144         (self.name, self.origin, bbox_x,
145          bbox_y, self.output_expression) = tuple (exp_list)
146         
147         self.bbox = (bbox_x, bbox_y)
148         self.centroid = (bbox_x[0] + bbox_x[1], bbox_y[0] + bbox_y[1])
149
150     def __repr__ (self):
151         return '%s: (%.2f,%.2f), (%.2f,%.2f)\n' % (self.name,
152                                                    self.bbox[0][0],
153                                                    self.bbox[0][1],
154                                                    self.bbox[1][0],
155                                                    self.bbox[1][1])
156                                                  
157     def axis_centroid (self, axis):
158         return apply (sum, self.bbox[axis])  / 2 
159     
160     def centroid_distance (self, other, scale):
161         return max_distance (self.centroid, other.centroid) / scale 
162         
163     def bbox_distance (self, other):
164         divisor = bbox_area (self.bbox) + bbox_area (other.bbox)
165
166         if divisor:
167             return (difference_area (self.bbox, other.bbox) +
168                     difference_area (other.bbox, self.bbox)) / divisor
169         else:
170             return 0.0
171         
172     def expression_distance (self, other):
173         if self.output_expression == other.output_expression:
174             return 0
175         else:
176             return 1
177
178 ################################################################
179 # single System.
180
181 class SystemSignature:
182     def __init__ (self, grob_sigs):
183         d = {}
184         for g in grob_sigs:
185             val = d.setdefault (g.name, [])
186             val += [g]
187
188         self.grob_dict = d
189         self.set_all_bbox (grob_sigs)
190
191     def set_all_bbox (self, grobs):
192         self.bbox = empty_bbox
193         for g in grobs:
194             self.bbox = bbox_union (g.bbox, self.bbox)
195
196     def closest (self, grob_name, centroid):
197         min_d = INFTY
198         min_g = None
199         try:
200             grobs = self.grob_dict[grob_name]
201
202             for g in grobs:
203                 d = max_distance (g.centroid, centroid)
204                 if d < min_d:
205                     min_d = d
206                     min_g = g
207
208
209             return min_g
210
211         except KeyError:
212             return None
213     def grobs (self):
214         return reduce (lambda x,y: x+y, self.grob_dict.values(), [])
215
216 ################################################################
217 ## comparison of systems.
218
219 class SystemLink:
220     def __init__ (self, system1, system2):
221         self.system1 = system1
222         self.system2 = system2
223         
224         self.link_list_dict = {}
225         self.back_link_dict = {}
226
227
228         ## pairs
229         self.orphans = []
230
231         ## pair -> distance
232         self.geo_distances = {}
233
234         ## pairs
235         self.expression_changed = []
236
237         self._geometric_distance = None
238         self._expression_change_count = None
239         self._orphan_count = None
240         
241         for g in system1.grobs ():
242
243             ## skip empty bboxes.
244             if bbox_is_empty (g.bbox):
245                 continue
246             
247             closest = system2.closest (g.name, g.centroid)
248             
249             self.link_list_dict.setdefault (closest, [])
250             self.link_list_dict[closest].append (g)
251             self.back_link_dict[g] = closest
252
253
254     def calc_geometric_distance (self):
255         total = 0.0
256         for (g1,g2) in self.back_link_dict.items ():
257             if g2:
258                 d = g1.bbox_distance (g2)
259                 if d:
260                     self.geo_distances[(g1,g2)] = d
261
262                 total += d
263
264         self._geometric_distance = total
265     
266     def calc_orphan_count (self):
267         count = 0
268         for (g1, g2) in self.back_link_dict.items ():
269             if g2 == None:
270                 self.orphans.append ((g1, None))
271                 
272                 count += 1
273
274         self._orphan_count = count
275     
276     def calc_output_exp_distance (self):
277         d = 0
278         for (g1,g2) in self.back_link_dict.items ():
279             if g2:
280                 d += g1.expression_distance (g2)
281
282         self._expression_change_count = d
283
284     def output_expression_details_string (self):
285         return ', '.join ([g1.name for g1 in self.expression_changed])
286     
287     def geo_details_string (self):
288         results = [(d, g1,g2) for ((g1, g2), d) in self.geo_distances.items()]
289         results.sort ()
290         results.reverse ()
291         
292         return ', '.join (['%s: %f' % (g1.name, d) for (d, g1, g2) in results])
293
294     def orphan_details_string (self):
295         return ', '.join (['%s-None' % g1.name for (g1,g2) in self.orphans if g2==None])
296
297     def geometric_distance (self):
298         if self._geometric_distance == None:
299             self.calc_geometric_distance ()
300         return self._geometric_distance
301     
302     def orphan_count (self):
303         if self._orphan_count == None:
304             self.calc_orphan_count ()
305             
306         return self._orphan_count
307     
308     def output_expression_change_count (self):
309         if self._expression_change_count == None:
310             self.calc_output_exp_distance ()
311         return self._expression_change_count
312         
313     def distance (self):
314         return (self.output_expression_change_count (),
315                 self.orphan_count (),
316                 self.geometric_distance ())
317     
318 def read_signature_file (name):
319     print 'reading', name
320     
321     entries = open (name).read ().split ('\n')
322     def string_to_tup (s):
323         return tuple (map (float, s.split (' '))) 
324
325     def string_to_entry (s):
326         fields = s.split('@')
327         fields[2] = string_to_tup (fields[2])
328         fields[3] = string_to_tup (fields[3])
329
330         return tuple (fields)
331     
332     entries = [string_to_entry (e) for e in entries
333                if e and not e.startswith ('#')]
334
335     grob_sigs = [GrobSignature (e) for e in entries]
336     sig = SystemSignature (grob_sigs)
337     return sig
338
339
340 ################################################################
341 # different systems of a .ly file.
342
343 hash_to_original_name = {}
344
345 class FileLink:
346     def __init__ (self, f1, f2):
347         self._distance = None
348         self.file_names = (f1, f2)
349         
350     def text_record_string (self):
351         return '%-30f %-20s\n' % (self.distance (),
352                                   self.name ())
353     def calc_distance (self):
354         return 0.0
355
356     def distance (self):
357         if self._distance == None:
358            self._distance = self.calc_distance ()
359
360         return self._distance
361     
362         
363     def name (self):
364         base = os.path.basename (self.file_names[1])
365         base = os.path.splitext (base)[0]
366         
367         base = hash_to_original_name.get (base, base)
368         base = os.path.splitext (base)[0]
369         return base
370
371     def extension (self):
372         return '<undefined>'
373
374     def link_files_for_html (self, dest_dir):
375         for f in self.file_names:
376             link_file (f, os.path.join (dest_dir, f))
377
378     def get_distance_details (self):
379         return ''
380
381     def get_cell (oldnew):
382         return ''
383     
384     def get_file (self, oldnew):
385         return self.file_names[oldnew]
386     
387     def html_record_string (self, dest_dir):
388         self.link_files_for_html (dest_dir)
389         
390         dist = self.distance()
391         
392         details = self.get_distance_details ()
393         if details:
394             details_base = os.path.splitext (self.file_names[1])[0]
395             details_base += '.details.html'
396             fn = dest_dir + '/'  + details_base
397             open (fn, 'w').write (details)
398
399             details = '<br>(<a href="%(details_base)s">details</a>)' % locals ()
400
401         cell1 = self.get_cell (0)
402         cell2 = self.get_cell (1)
403
404         name = self.name () + self.extension ()
405         file1 = self.get_file (0)
406         file2 = self.get_file (1)
407         
408         return '''<tr>
409 <td>
410 %(dist)f
411 %(details)s
412 </td>
413 <td>%(cell1)s<br><font size=-2><a href="%(file1)s"><tt>%(name)s</tt></font></td>
414 <td>%(cell2)s<br><font size=-2><a href="%(file2)s"><tt>%(name)s</tt></font></td>
415 </tr>''' % locals ()
416
417
418 class FileCompareLink (FileLink):
419     def __init__ (self, f1, f2):
420         FileLink.__init__ (self, f1, f2)
421         self.contents = (self.get_content (self.file_names[0]),
422                          self.get_content (self.file_names[1]))
423         
424
425     def extension (self):
426         return '.ext'
427
428     def calc_distance (self):
429         ## todo: could use import MIDI to pinpoint
430         ## what & where changed.
431
432         if self.contents[0] == self.contents[1]:
433             return 0.0
434         else:
435             return 100.0;
436         
437     def get_content (self, f):
438         print 'reading', f
439         s = open (f).read ()
440         return s
441     
442         
443 class TextFileCompareLink (FileCompareLink):
444     def calc_distance (self):
445         import difflib
446         diff = difflib.unified_diff (self.contents[0].strip().split ('\n'),
447                                      self.contents[1].strip().split ('\n'),
448                                      fromfiledate = self.file_names[0],
449                                      tofiledate = self.file_names[1]
450                                      )
451         
452         self.diff_lines =  [l for l in diff]
453         self.diff_lines = self.diff_lines[2:]
454         
455         return float (len ([l for l in self.diff_lines if l[0] in '-+']))
456         
457     def get_cell (self, oldnew):
458         str = ''
459         if oldnew == 1:
460             str = '\n'.join ([d.replace ('\n','') for d in self.diff_lines])
461         str = '<font size="-2"><pre>%s</pre></font>' % str
462         return str
463
464     def extension (self):
465         return '.txt'
466     
467 class LogFileCompareLink (TextFileCompareLink):
468     def extension (self):
469         return '.log'
470
471 class ProfileFileLink (FileCompareLink):
472     def __init__ (self, f1, f2):
473         FileCompareLink.__init__ (self, f1, f2)
474         self.results = [{}, {}]
475     
476     def extension (self):
477         return '.profile'
478
479     def get_cell (self, oldnew):
480         str = ''
481         for k in ('time', 'cells'):
482             if oldnew==0:
483                 str += '%-8s: %d\n' %  (k, int (self.results[oldnew][k]))
484             else:
485                 str += '%-8s: %8d (%5.3f)\n' % (k, int (self.results[oldnew][k]),
486                                          self.get_ratio (k))
487
488         return '<pre>%s</pre>' % str
489             
490     def get_ratio (self, key):
491         (v1,v2) = (self.results[0].get (key, -1),
492                    self.results[1].get (key, -1))
493
494         if v1 <= 0 or v2 <= 0:
495             return 0.0
496
497         return (v1 - v2) / float (v1+v2)
498     
499     def calc_distance (self):
500         for oldnew in (0,1):
501             def note_info (m):
502                 self.results[oldnew][m.group(1)] = float (m.group (2))
503             
504             re.sub ('([a-z]+): ([-0-9.]+)\n',
505                     note_info, self.contents[oldnew])
506
507         dist = 0.0
508         factor = {'time': 1.0 ,
509                   'cells': 10.0,
510                   }
511         
512         for k in ('time', 'cells'):
513             dist += math.exp (self.get_ratio (k) * factor[k]) - 1
514
515         dist = min (dist, 100)
516         return dist
517
518 class MidiFileLink (FileCompareLink):
519     def get_content (self, f):
520         s = FileCompareLink.get_content (self, f)
521         s = re.sub ('LilyPond [0-9.]+', '', s)
522         return s
523     
524     def get_cell (self, oldnew):
525         str = ''
526         if oldnew == 1 and self.distance () > 0:
527             str = 'changed' 
528         return str
529         
530     def extension (self):
531         return '.midi'
532     
533
534 class SignatureFileLink (FileLink):
535     def __init__ (self, f1, f2 ):
536         FileLink.__init__ (self, f1, f2)
537         self.system_links = {}
538
539     def extension (self):
540         return '.ly'
541
542     def add_system_link (self, link, number):
543         self.system_links[number] = link
544
545     def calc_distance (self):
546         d = 0.0
547
548         orphan_distance = 0.0
549         for l in self.system_links.values ():
550             d = max (d, l.geometric_distance ())
551             orphan_distance += l.orphan_count ()
552             
553         return d + orphan_distance
554
555     def source_file (self):
556         for ext in ('.ly', '.ly.txt'):
557             if os.path.exists (self.base_names[1] + ext):
558                 return self.base_names[1] + ext
559         return ''
560     
561     def add_file_compare (self, f1, f2):
562         system_index = [] 
563
564         def note_system_index (m):
565             system_index.append (int (m.group (1)))
566             return ''
567         
568         base1 = re.sub ("-([0-9]+).signature", note_system_index, f1)
569         base2 = re.sub ("-([0-9]+).signature", note_system_index, f2)
570
571         self.base_names = (os.path.normpath (base1),
572                            os.path.normpath (base2))
573
574         def note_original (match):
575             hash_to_original_name[os.path.basename (self.base_names[1])] = match.group (1)
576             return ''
577         
578         ## ugh: drop the .ly.txt
579         for ext in ('.ly', '.ly.txt'):
580             try:
581                 re.sub (r'\\sourcefilename "([^"]+)"',
582                         note_original, open (base1 + ext).read ())
583             except IOError:
584                 pass
585                 
586         s1 = read_signature_file (f1)
587         s2 = read_signature_file (f2)
588
589         link = SystemLink (s1, s2)
590
591         self.add_system_link (link, system_index[0])
592
593     
594     def create_images (self, dest_dir):
595
596         files_created = [[], []]
597         for oldnew in (0, 1):
598             pat = self.base_names[oldnew] + '.eps'
599
600             for f in glob.glob (pat):
601                 infile = f
602                 outfile = (dest_dir + '/' + f).replace ('.eps', '.png')
603
604                 mkdir (os.path.split (outfile)[0])
605                 cmd = ('gs -sDEVICE=png16m -dGraphicsAlphaBits=4 -dTextAlphaBits=4 '
606                        ' -r101 '
607                        ' -sOutputFile=%(outfile)s -dNOSAFER -dEPSCrop -q -dNOPAUSE '
608                        ' %(infile)s  -c quit '  % locals ())
609
610                 files_created[oldnew].append (outfile)
611                 system (cmd)
612
613         return files_created
614     
615     def link_files_for_html (self, dest_dir):
616         FileLink.link_files_for_html (self, dest_dir)
617         to_compare = [[], []]
618
619         exts = []
620         if options.create_images:
621             to_compare = self.create_images (dest_dir)
622         else:
623             exts += ['.png', '-page*png']
624         
625         for ext in exts:            
626             for oldnew in (0,1):
627                 for f in glob.glob (self.base_names[oldnew] + ext):
628                     dst = dest_dir + '/' + f
629                     link_file (f, dst)
630
631                     if f.endswith ('.png'):
632                         to_compare[oldnew].append (f)
633                         
634         if options.compare_images:                
635             for (old, new) in zip (to_compare[0], to_compare[1]):
636                 compare_png_images (old, new, dest_dir)
637
638
639     def get_cell (self, oldnew):
640         def img_cell (ly, img, name):
641             if not name:
642                 name = 'source'
643             else:
644                 name = '<tt>%s</tt>' % name
645                 
646             return '''
647 <a href="%(img)s">
648 <img src="%(img)s" style="border-style: none; max-width: 500px;">
649 </a><br>
650 ''' % locals ()
651         def multi_img_cell (ly, imgs, name):
652             if not name:
653                 name = 'source'
654             else:
655                 name = '<tt>%s</tt>' % name
656
657             imgs_str = '\n'.join (['''<a href="%s">
658 <img src="%s" style="border-style: none; max-width: 500px;">
659 </a><br>''' % (img, img) 
660                                   for img in imgs])
661
662
663             return '''
664 %(imgs_str)s
665 ''' % locals ()
666
667
668
669         def cell (base, name):
670             pat = base + '-page*.png'
671             pages = glob.glob (pat)
672
673             if pages:
674                 return multi_img_cell (base + '.ly', sorted (pages), name)
675             else:
676                 return img_cell (base + '.ly', base + '.png', name)
677
678
679
680         str = cell (os.path.splitext (self.file_names[oldnew])[0], self.name ())  
681         if options.compare_images and oldnew == 1:
682             str = str.replace ('.png', '.compare.jpeg')
683             
684         return str
685
686
687     def get_distance_details (self):
688         systems = self.system_links.items ()
689         systems.sort ()
690
691         html = ""
692         for (c, link) in systems:
693             e = '<td>%d</td>' % c
694             for d in link.distance ():
695                 e += '<td>%f</td>' % d
696             
697             e = '<tr>%s</tr>' % e
698
699             html += e
700
701             e = '<td>%d</td>' % c
702             for s in (link.output_expression_details_string (),
703                       link.orphan_details_string (),
704                       link.geo_details_string ()):
705                 e += "<td>%s</td>" % s
706
707             
708             e = '<tr>%s</tr>' % e
709             html += e
710             
711         original = self.name ()
712         html = '''<html>
713 <head>
714 <title>comparison details for %(original)s</title>
715 </head>
716 <body>
717 <table border=1>
718 <tr>
719 <th>system</th>
720 <th>output</th>
721 <th>orphan</th>
722 <th>geo</th>
723 </tr>
724
725 %(html)s
726 </table>
727
728 </body>
729 </html>
730 ''' % locals ()
731         return html
732
733
734 ################################################################
735 # Files/directories
736
737 import glob
738 import re
739
740 def compare_signature_files (f1, f2):
741     s1 = read_signature_file (f1)
742     s2 = read_signature_file (f2)
743     
744     return SystemLink (s1, s2).distance ()
745
746 def paired_files (dir1, dir2, pattern):
747     """
748     Search DIR1 and DIR2 for PATTERN.
749
750     Return (PAIRED, MISSING-FROM-2, MISSING-FROM-1)
751
752     """
753
754     files = []
755     for d in (dir1,dir2):
756         found = [os.path.split (f)[1] for f in glob.glob (d + '/' + pattern)]
757         found = dict ((f, 1) for f in found)
758         files.append (found)
759         
760     pairs = []
761     missing = []
762     for f in files[0].keys ():
763         try:
764             files[1].pop (f)
765             pairs.append (f)
766         except KeyError:
767             missing.append (f)
768
769     return (pairs, files[1].keys (), missing)
770     
771 class ComparisonData:
772     def __init__ (self):
773         self.result_dict = {}
774         self.missing = []
775         self.added = []
776         self.file_links = {}
777
778     def compare_trees (self, dir1, dir2):
779         self.compare_directories (dir1, dir2)
780         
781         (root, dirs, files) = os.walk (dir1).next ()
782         for d in dirs:
783             d1 = os.path.join (dir1, d)
784             d2 = os.path.join (dir2, d)
785
786             if os.path.islink (d1) or os.path.islink (d2):
787                 continue
788             
789             if os.path.isdir (d2):
790                 self.compare_trees (d1, d2)
791     
792     def compare_directories (self, dir1, dir2):
793         for ext in ['signature', 'midi', 'log', 'profile']:
794             (paired, m1, m2) = paired_files (dir1, dir2, '*.' + ext)
795
796             self.missing += [(dir1, m) for m in m1] 
797             self.added += [(dir2, m) for m in m2] 
798
799             for p in paired:
800                 if (options.max_count
801                     and len (self.file_links) > options.max_count):
802                     continue
803                 
804                 f2 = dir2 +  '/' + p
805                 f1 = dir1 +  '/' + p
806                 self.compare_files (f1, f2)
807
808     def compare_files (self, f1, f2):
809         if f1.endswith ('signature'):
810             self.compare_signature_files (f1, f2)
811         else:
812             ext = os.path.splitext (f1)[1]
813             klasses = {
814                 '.midi': MidiFileLink,
815                 '.log' : TextFileCompareLink,
816                 '.profile': ProfileFileLink,
817                 }
818             
819             if klasses.has_key (ext):
820                 self.compare_general_files (klasses[ext], f1, f2)
821
822     def compare_general_files (self, klass, f1, f2):
823         name = os.path.split (f1)[1]
824
825         file_link = klass (f1, f2)
826         self.file_links[name] = file_link
827         
828     def compare_signature_files (self, f1, f2):
829         name = os.path.split (f1)[1]
830         name = re.sub ('-[0-9]+.signature', '', name)
831         
832         file_link = None
833         try:
834             file_link = self.file_links[name]
835         except KeyError:
836             generic_f1 = re.sub ('-[0-9]+.signature', '.ly', f1)
837             generic_f2 = re.sub ('-[0-9]+.signature', '.ly', f2)
838             file_link = SignatureFileLink (generic_f1, generic_f2)
839             self.file_links[name] = file_link
840
841         file_link.add_file_compare (f1, f2)
842
843     def remove_changed (self, dir, threshold):
844         (changed, below, unchanged) = self.thresholded_results (threshold)
845         for link in changed:
846             try:
847                 system ('rm -f %s*' % link.base_names[1])
848             except AttributeError: ### UGH.
849                 system ('rm -f %s/%s*' % (dir, link.name ()))
850     def thresholded_results (self, threshold):
851         ## todo: support more scores.
852         results = [(link.distance(), link)
853                    for link in self.file_links.values ()]
854         results.sort ()
855         results.reverse ()
856
857         unchanged = [r for (d,r) in results if d == 0.0]
858         below = [r for (d,r) in results if threshold >= d > 0.0]
859         changed = [r for (d,r) in results if d > threshold]
860
861         return (changed, below, unchanged)
862                 
863     def write_text_result_page (self, filename, threshold):
864         out = None
865         if filename == '':
866             out = sys.stdout
867         else:
868             print 'writing "%s"' % filename
869             out = open_write_file (filename)
870
871         (changed, below, unchanged) = self.thresholded_results (threshold)
872
873         
874         for link in changed:
875             out.write (link.text_record_string ())
876
877         out.write ('\n\n')
878         out.write ('%d below threshold\n' % len (below))
879         out.write ('%d unchanged\n' % len (unchanged))
880         
881     def create_text_result_page (self, dir1, dir2, dest_dir, threshold):
882         self.write_text_result_page (dest_dir + '/index.txt', threshold)
883         
884     def create_html_result_page (self, dir1, dir2, dest_dir, threshold):
885         dir1 = dir1.replace ('//', '/')
886         dir2 = dir2.replace ('//', '/')
887
888         (changed, below, unchanged) = self.thresholded_results (threshold)
889
890
891         html = ''
892         old_prefix = os.path.split (dir1)[1]
893         for link in changed:
894             html += link.html_record_string (dest_dir)
895
896
897         short_dir1 = shorten_string (dir1)
898         short_dir2 = shorten_string (dir2)
899         html = '''<html>
900 <table rules="rows" border bordercolor="blue">
901 <tr>
902 <th>distance</th>
903 <th>%(short_dir1)s</th>
904 <th>%(short_dir2)s</th>
905 </tr>
906 %(html)s
907 </table>
908 </html>''' % locals()
909
910         html += ('<p>')
911         below_count = len (below)
912
913         if below_count:
914             html += ('<p>%d below threshold</p>' % below_count)
915             
916         html += ('<p>%d unchanged</p>' % len (unchanged))
917
918         dest_file = dest_dir + '/index.html'
919         open_write_file (dest_file).write (html)
920         
921     def print_results (self, threshold):
922         self.write_text_result_page ('', threshold)
923
924 def compare_trees (dir1, dir2, dest_dir, threshold):
925     data = ComparisonData ()
926     data.compare_trees (dir1, dir2)
927     data.print_results (threshold)
928
929     if options.remove_changed:
930         data.remove_changed (dir2, threshold)
931         return
932     
933     if os.path.isdir (dest_dir):
934         system ('rm -rf %s '% dest_dir)
935
936     data.create_html_result_page (dir1, dir2, dest_dir, threshold)
937     data.create_text_result_page (dir1, dir2, dest_dir, threshold)
938     
939 ################################################################
940 # TESTING
941
942 def mkdir (x):
943     if not os.path.isdir (x):
944         print 'mkdir', x
945         os.makedirs (x)
946
947 def link_file (x, y):
948     mkdir (os.path.split (y)[0])
949     try:
950         print x, '->', y
951         os.link (x, y)
952     except OSError, z:
953         print 'OSError', x, y, z
954         raise OSError
955     
956 def open_write_file (x):
957     d = os.path.split (x)[0]
958     mkdir (d)
959     return open (x, 'w')
960
961
962 def system (x):
963     
964     print 'invoking', x
965     stat = os.system (x)
966     assert stat == 0
967
968
969 def test_paired_files ():
970     print paired_files (os.environ["HOME"] + "/src/lilypond/scripts/",
971                         os.environ["HOME"] + "/src/lilypond-stable/buildscripts/", '*.py')
972                   
973     
974 def test_compare_trees ():
975     system ('rm -rf dir1 dir2')
976     system ('mkdir dir1 dir2')
977     system ('cp 20{-*.signature,.ly,.png,.eps,.log,.profile} dir1')
978     system ('cp 20{-*.signature,.ly,.png,.eps,.log,.profile} dir2')
979     system ('cp 20expr{-*.signature,.ly,.png,.eps,.log,.profile} dir1')
980     system ('cp 19{-*.signature,.ly,.png,.eps,.log,.profile} dir2/')
981     system ('cp 19{-*.signature,.ly,.png,.eps,.log,.profile} dir1/')
982     system ('cp 19-1.signature 19.sub-1.signature')
983     system ('cp 19.ly 19.sub.ly')
984     system ('cp 19.profile 19.sub.profile')
985     system ('cp 19.log 19.sub.log')
986     system ('cp 19.png 19.sub.png')
987     system ('cp 19.eps 19.sub.eps')
988
989     system ('cp 20multipage* dir1')
990     system ('cp 20multipage* dir2')
991     system ('cp 19multipage-1.signature dir2/20multipage-1.signature')
992
993     
994     system ('mkdir -p dir1/subdir/ dir2/subdir/')
995     system ('cp 19.sub{-*.signature,.ly,.png,.eps,.log,.profile} dir1/subdir/')
996     system ('cp 19.sub{-*.signature,.ly,.png,.eps,.log,.profile} dir2/subdir/')
997     system ('cp 20grob{-*.signature,.ly,.png,.eps,.log,.profile} dir2/')
998     system ('cp 20grob{-*.signature,.ly,.png,.eps,.log,.profile} dir1/')
999
1000     ## introduce differences
1001     system ('cp 19-1.signature dir2/20-1.signature')
1002     system ('cp 19.profile dir2/20.profile')
1003     system ('cp 19.png dir2/20.png')
1004     system ('cp 19multipage-page1.png dir2/20multipage-page1.png')
1005     system ('cp 20-1.signature dir2/subdir/19.sub-1.signature')
1006     system ('cp 20.png dir2/subdir/19.sub.png')
1007     system ("sed 's/: /: 1/g'  20.profile > dir2/subdir/19.sub.profile")
1008
1009     ## radical diffs.
1010     system ('cp 19-1.signature dir2/20grob-1.signature')
1011     system ('cp 19-1.signature dir2/20grob-2.signature')
1012     system ('cp 19multipage.midi dir1/midi-differ.midi')
1013     system ('cp 20multipage.midi dir2/midi-differ.midi')
1014     system ('cp 19multipage.log dir1/log-differ.log')
1015     system ('cp 19multipage.log dir2/log-differ.log &&  echo different >> dir2/log-differ.log &&  echo different >> dir2/log-differ.log')
1016
1017     compare_trees ('dir1', 'dir2', 'compare-dir1dir2', 0.5)
1018
1019
1020 def test_basic_compare ():
1021     ly_template = r"""
1022
1023 \version "2.10.0"
1024 #(define default-toplevel-book-handler
1025   print-book-with-defaults-as-systems )
1026
1027 #(ly:set-option (quote no-point-and-click))
1028
1029 \sourcefilename "my-source.ly"
1030  
1031 %(papermod)s
1032 \header { tagline = ##f }
1033 \score {
1034 <<
1035 \new Staff \relative c {
1036   c4^"%(userstring)s" %(extragrob)s
1037   }
1038 \new Staff \relative c {
1039   c4^"%(userstring)s" %(extragrob)s
1040   }
1041 >>
1042 \layout{}
1043 }
1044
1045 """
1046
1047     dicts = [{ 'papermod' : '',
1048                'name' : '20',
1049                'extragrob': '',
1050                'userstring': 'test' },
1051              { 'papermod' : '#(set-global-staff-size 19.5)',
1052                'name' : '19',
1053                'extragrob': '',
1054                'userstring': 'test' },
1055              { 'papermod' : '',
1056                'name' : '20expr',
1057                'extragrob': '',
1058                'userstring': 'blabla' },
1059              { 'papermod' : '',
1060                'name' : '20grob',
1061                'extragrob': 'r2. \\break c1',
1062                'userstring': 'test' },
1063              ]
1064
1065     for d in dicts:
1066         open (d['name'] + '.ly','w').write (ly_template % d)
1067         
1068     names = [d['name'] for d in dicts]
1069
1070     system ('lilypond -ddump-profile -dseparate-log-files -ddump-signatures --png -b eps ' + ' '.join (names))
1071     
1072
1073     multipage_str = r'''
1074     #(set-default-paper-size "a6")
1075     \score {
1076       \relative {c1 \pageBreak c1 }
1077       \layout {}
1078       \midi {}
1079     }
1080     '''
1081
1082     open ('20multipage.ly', 'w').write (multipage_str.replace ('c1', 'd1'))
1083     open ('19multipage.ly', 'w').write ('#(set-global-staff-size 19.5)\n' + multipage_str)
1084     system ('lilypond -dseparate-log-files -ddump-signatures --png 19multipage 20multipage ')
1085  
1086     test_compare_signatures (names)
1087     
1088 def test_compare_signatures (names, timing=False):
1089
1090     import time
1091
1092     times = 1
1093     if timing:
1094         times = 100
1095
1096     t0 = time.clock ()
1097
1098     count = 0
1099     for t in range (0, times):
1100         sigs = dict ((n, read_signature_file ('%s-1.signature' % n)) for n in names)
1101         count += 1
1102
1103     if timing:
1104         print 'elapsed', (time.clock() - t0)/count
1105
1106
1107     t0 = time.clock ()
1108     count = 0
1109     combinations = {}
1110     for (n1, s1) in sigs.items():
1111         for (n2, s2) in sigs.items():
1112             combinations['%s-%s' % (n1, n2)] = SystemLink (s1,s2).distance ()
1113             count += 1
1114
1115     if timing:
1116         print 'elapsed', (time.clock() - t0)/count
1117
1118     results = combinations.items ()
1119     results.sort ()
1120     for k,v in results:
1121         print '%-20s' % k, v
1122
1123     assert combinations['20-20'] == (0.0,0.0,0.0)
1124     assert combinations['20-20expr'][0] > 0.0
1125     assert combinations['20-19'][2] < 10.0
1126     assert combinations['20-19'][2] > 0.0
1127
1128
1129 def run_tests ():
1130     dir = 'test-output-distance'
1131
1132     do_clean = not os.path.exists (dir)
1133
1134     print 'test results in ', dir
1135     if do_clean:
1136         system ('rm -rf ' + dir)
1137         system ('mkdir ' + dir)
1138         
1139     os.chdir (dir)
1140     if do_clean:
1141         test_basic_compare ()
1142         
1143     test_compare_trees ()
1144     
1145 ################################################################
1146 #
1147
1148 def main ():
1149     p = optparse.OptionParser ("output-distance - compare LilyPond formatting runs")
1150     p.usage = 'output-distance.py [options] tree1 tree2'
1151     
1152     p.add_option ('', '--test-self',
1153                   dest="run_test",
1154                   action="store_true",
1155                   help='run test method')
1156     
1157     p.add_option ('--max-count',
1158                   dest="max_count",
1159                   metavar="COUNT",
1160                   type="int",
1161                   default=0, 
1162                   action="store",
1163                   help='only analyze COUNT signature pairs')
1164
1165     p.add_option ('', '--threshold',
1166                   dest="threshold",
1167                   default=0.3,
1168                   action="store",
1169                   type="float",
1170                   help='threshold for geometric distance')
1171
1172
1173     p.add_option ('--remove-changed',
1174                   dest="remove_changed",
1175                   default=False,
1176                   action="store_true",
1177                   help="Remove all files from tree2 that are over the threshold.")
1178
1179     p.add_option ('--no-compare-images',
1180                   dest="compare_images",
1181                   default=True,
1182                   action="store_false",
1183                   help="Don't run graphical comparisons")
1184
1185     p.add_option ('--create-images',
1186                   dest="create_images",
1187                   default=False,
1188                   action="store_true",
1189                   help="Create PNGs from EPSes")
1190
1191     p.add_option ('-o', '--output-dir',
1192                   dest="output_dir",
1193                   default=None,
1194                   action="store",
1195                   type="string",
1196                   help='where to put the test results [tree2/compare-tree1tree2]')
1197
1198     global options
1199     (options, a) = p.parse_args ()
1200
1201     if options.run_test:
1202         run_tests ()
1203         sys.exit (0)
1204
1205     if len (a) != 2:
1206         p.print_usage()
1207         sys.exit (2)
1208
1209     name = options.output_dir
1210     if not name:
1211         name = a[0].replace ('/', '')
1212         name = os.path.join (a[1], 'compare-' + shorten_string (name))
1213     
1214     compare_trees (a[0], a[1], name, options.threshold)
1215
1216 if __name__ == '__main__':
1217     main()
1218