]> git.donarmstrong.com Git - lilypond.git/blob - scripts/build/extract_texi_filenames.py
WEB: verbosity nits.
[lilypond.git] / scripts / build / extract_texi_filenames.py
1 #!@PYTHON@
2 # -*- coding: utf-8 -*-
3 # extract_texi_filenames.py
4
5 # USAGE:  extract_texi_filenames.py [-o OUTDIR] FILES
6 #
7 # -o OUTDIR specifies that output files should rather be written in OUTDIR
8 #
9 # Description:
10 # This script parses the .texi file given and creates a file with the
11 # nodename <=> filename/anchor map.
12 # The idea behind: Unnumbered subsections go into the same file as the
13 # previous numbered section, @translationof gives the original node name,
14 # which is then used for the filename/anchor.
15 #
16 # If this script is run on a file texifile.texi, it produces a file
17 # texifile[.LANG].xref-map with tab-separated entries of the form
18 #        NODE\tFILENAME\tANCHOR
19 # LANG is the document language in case it's not 'en'
20 # Note: The filename does not have any extension appended!
21 # This file can then be used by our texi2html init script to determine
22 # the correct file name and anchor for external refs
23
24 import sys
25 import re
26 import os
27 import getopt
28
29 options_list, files = getopt.getopt (sys.argv[1:],'o:s:hI:m:',
30                                      ['output=', 'split=',
31                                       'help', 'include=',
32                                       'master-map-file='])
33
34 help_text = r"""Usage: %(program_name)s [OPTIONS]... TEXIFILE...
35 Extract files names for texinfo (sub)sections from the texinfo files.
36
37 Options:
38  -h, --help                     print this help
39  -I, --include=DIRECTORY        append DIRECTORY to include search path
40  -m, --master-map-file=FILE     use FILE as master map file
41  -o, --output=DIRECTORY         write .xref-map files to DIRECTORY
42  -s, --split=MODE               split manual according to MODE. Possible values
43                                 are section and custom (default)
44 """
45
46 def help (text):
47     sys.stdout.write ( text)
48     sys.exit (0)
49
50 outdir = '.'
51 split = "custom"
52 include_path = ['.',]
53 master_map_file = ''
54 initial_map = {}
55 for opt in options_list:
56     o = opt[0]
57     a = opt[1]
58     if o == '-h' or o == '--help':
59         help (help_text % vars ())
60     if o == '-I' or o == '--include':
61         if os.path.isdir (a):
62             include_path.append (a)
63         else:
64             print 'NOT A DIR from: ', os.getcwd (), a
65     elif o == '-o' or o == '--output':
66         outdir = a
67     elif o == '-s' or o == '--split':
68         split = a
69     elif o == '-m' or o == '--master-map-file':
70         if os.path.isfile (a):
71             master_map_file = a
72     else:
73         raise Exception ('unknown option: ' + o)
74
75
76 if not os.path.isdir (outdir):
77     if os.path.exists (outdir):
78         os.unlink (outdir)
79     os.makedirs (outdir)
80
81 include_re = re.compile (r'@include ((?!../lily-).*?\.i?texi)$', re.M)
82 whitespaces = re.compile (r'\s+')
83 section_translation_re = re.compile ('^@(node|(?:unnumbered|appendix)\
84 (?:(?:sub){0,2}sec)?|top|chapter|(?:sub){0,2}section|\
85 (?:major|chap|(?:sub){0,2})heading|lydoctitle|translationof) \
86 (.+)$', re.MULTILINE)
87 external_node_re = re.compile (r'\s+@c\s+external.*')
88
89 def expand_includes (m, filename):
90     include_name = m.group (1)
91     filepath = os.path.join (os.path.dirname (filename), include_name)
92     if os.path.exists (filepath):
93         return extract_sections (filepath)[1]
94     else:
95         for directory in include_path:
96             filepath = os.path.join (directory, include_name)
97             if os.path.exists (filepath):
98                 return extract_sections (filepath)[1]
99         print 'No such file: ' + include_name
100         print 'Search path: ' + ':'.join (include_path)
101         return ''
102
103 lang_re = re.compile (r'^@documentlanguage (.+)', re.M)
104
105 def extract_sections (filename):
106     result = ''
107     f = open (filename, 'r')
108     page = f.read ()
109     f.close()
110     # Search document language
111     m = lang_re.search (page)
112     if m and m.group (1) != 'en':
113         lang_suffix = '.' + m.group (1)
114     else:
115         lang_suffix = ''
116     # Replace all includes by their list of sections and extract all sections
117     page = include_re.sub (lambda m: expand_includes (m, filename), page)
118     sections = section_translation_re.findall (page)
119     for sec in sections:
120         result += "@" + sec[0] + " " + sec[1] + "\n"
121     return (lang_suffix, result)
122
123 # Convert a given node name to its proper file name (normalization as
124 # explained in the texinfo manual:
125 # http://www.gnu.org/software/texinfo/manual/texinfo/html_node/HTML-Xref-Node-Name-Expansion.html
126 def texinfo_file_name(title):
127     # exception: The top node is always mapped to index.html
128     if title == "Top":
129         return "index"
130     # File name normalization by texinfo (described in the texinfo manual):
131     # 1/2: letters and numbers are left unchanged
132     # 3/4: multiple, leading and trailing whitespace is removed
133     title = title.strip ();
134     title = whitespaces.sub (' ', title)
135     # 5:   all remaining spaces are converted to '-'
136     # 6:   all other 7- or 8-bit chars are replaced by _xxxx (xxxx=ascii character code)
137     result = ''
138     for index in range(len(title)):
139         char = title[index]
140         if char == ' ': # space -> '-'
141             result += '-'
142         elif ( ('0' <= char and char <= '9' ) or
143                ('A' <= char and char <= 'Z' ) or
144                ('a' <= char and char <= 'z' ) ):  # number or letter
145             result += char
146         else:
147             ccode = ord(char)
148             if ccode <= 0xFFFF:
149                 result += "_%04x" % ccode
150             else:
151                 result += "__%06x" % ccode
152     # 7: if name begins with number, prepend 't_g' (so it starts with a letter)
153     if (result != '') and (ord(result[0]) in range (ord('0'), ord('9'))):
154         result = 't_g' + result
155     return result
156
157 texinfo_re = re.compile (r'@.*{(.*)}')
158 def remove_texinfo (title):
159     return texinfo_re.sub (r'\1', title)
160
161 def create_texinfo_anchor (title):
162     return texinfo_file_name (remove_texinfo (title))
163
164 unnumbered_re = re.compile (r'unnumbered.+|lydoctitle')
165 file_name_section_level = {
166     'top': 4,
167     'chapter':3,
168     'unnumbered':3,
169     'appendix':3,
170     'section':2,
171     'unnumberedsec':2,
172     'appendixsec':2,
173     'subsection':1,
174     'unnumberedsubsec':1,
175     'appendixsubsec':1,
176     'subsubsection':0,
177     'unnumberedsubsubsec':0,
178     'appendixsubsubsec':0
179 }
180 if split in file_name_section_level:
181     splitting_level = file_name_section_level[split]
182 else:
183     splitting_level = -1
184 def process_sections (filename, lang_suffix, page):
185     sections = section_translation_re.findall (page)
186     basename = os.path.splitext (os.path.basename (filename))[0]
187     p = os.path.join (outdir, basename) + lang_suffix + '.xref-map'
188     print 'writing:', p
189     f = open (p, 'w')
190
191     this_title = ''
192     this_filename = 'index'
193     this_anchor = ''
194     this_unnumbered = False
195     had_section = False
196     for sec in sections:
197         if sec[0] == "node":
198             # Write out the cached values to the file and start a new
199             # section:
200             if this_title and this_title != 'Top':
201                     f.write (this_title + "\t" + this_filename + "\t" + this_anchor + "\n")
202             had_section = False
203             this_title = remove_texinfo (sec[1])
204             this_anchor = create_texinfo_anchor (sec[1])
205             # delete entry from master map file
206             if this_title in initial_map:
207                 del initial_map[this_title]
208         elif sec[0] == "translationof":
209             (original_node, external_node) = external_node_re.subn ('', sec[1])
210             original_node = remove_texinfo (original_node)
211             # The following binds the translator to use the
212             # translated node name in cross-references in case
213             # it exists
214             if external_node and original_node in initial_map:
215                 del initial_map[original_node]
216             anchor = create_texinfo_anchor (sec[1])
217             # If @translationof is used, it gives the original
218             # node name, which we use for the anchor and the file
219             # name (if it is a numbered node)
220             this_anchor = anchor
221             if not this_unnumbered:
222                 this_filename = anchor
223             elif original_node in initial_map:
224                 this_filename = initial_map[original_node][2]
225         else:
226             # Some pages might not use a node for every section, so
227             # treat this case here, too: If we already had a section
228             # and encounter another one before the next @node, we
229             # write out the old one and start with the new values
230             if had_section and this_title:
231                 f.write (this_title + "\t" + this_filename + "\t" + this_anchor + "\n")
232                 this_title = remove_texinfo (sec[1])
233                 this_anchor = create_texinfo_anchor (sec[1])
234             had_section = True
235
236             if split == 'custom':
237                 # unnumbered nodes use the previously used file name,
238                 # only numbered nodes get their own filename! However,
239                 # top-level @unnumbered still get their own file.
240                 this_unnumbered = unnumbered_re.match (sec[0])
241                 if not this_unnumbered:
242                     this_filename = this_anchor
243             elif split == 'node':
244                 this_filename = this_anchor
245             else:
246                 if sec[0] in file_name_section_level and \
247                         file_name_section_level[sec[0]] >= splitting_level:
248                     this_filename = this_anchor
249
250     if this_title and this_title != 'Top':
251         f.write (this_title + "\t" + this_filename + "\t" + this_anchor + "\n")
252
253     for node in initial_map:
254         f.write ("\t".join (initial_map[node]) + "\n")
255     f.close ()
256
257 xref_map_line_re = re.compile (r'(.*?)\t(.*?)\t(.*?)$')
258 if master_map_file:
259     for line in open (master_map_file):
260         m = xref_map_line_re.match (line)
261         if m:
262             initial_map[m.group (1)] = (m.group (1), m.group (2), m.group (3))
263
264 for filename in files:
265     print "extract_texi_filenames.py: Processing %s" % filename
266     (lang_suffix, sections) = extract_sections (filename)
267     process_sections (filename, lang_suffix, sections)