blob: f417190d061cd1b8c8273f674beafb5c59a81814 [file] [log] [blame]
Corentin Wallez59382b72020-04-17 20:43:07 +00001#!/usr/bin/env python3
Austin Engcc2516a2023-10-17 20:57:54 +00002# Copyright 2019 The Dawn & Tint Authors
Corentin Wallez0c38e922019-06-07 08:59:17 +00003#
Austin Engcc2516a2023-10-17 20:57:54 +00004# Redistribution and use in source and binary forms, with or without
5# modification, are permitted provided that the following conditions are met:
Corentin Wallez0c38e922019-06-07 08:59:17 +00006#
Austin Engcc2516a2023-10-17 20:57:54 +00007# 1. Redistributions of source code must retain the above copyright notice, this
8# list of conditions and the following disclaimer.
Corentin Wallez0c38e922019-06-07 08:59:17 +00009#
Austin Engcc2516a2023-10-17 20:57:54 +000010# 2. Redistributions in binary form must reproduce the above copyright notice,
11# this list of conditions and the following disclaimer in the documentation
12# and/or other materials provided with the distribution.
13#
14# 3. Neither the name of the copyright holder nor the names of its
15# contributors may be used to endorse or promote products derived from
16# this software without specific prior written permission.
17#
18# THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS"
19# AND ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE
20# IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE
21# DISCLAIMED. IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE
22# FOR ANY DIRECT, INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL
23# DAMAGES (INCLUDING, BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR
24# SERVICES; LOSS OF USE, DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER
25# CAUSED AND ON ANY THEORY OF LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY,
26# OR TORT (INCLUDING NEGLIGENCE OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE
27# OF THIS SOFTWARE, EVEN IF ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
David 'Digit' Turner5dee3e82019-06-24 14:31:06 +000028"""Module to create generators that render multiple Jinja2 templates for GN.
29
30A helper module that can be used to create generator scripts (clients)
31that expand one or more Jinja2 templates, without outputs usable from
32GN and Ninja build-based systems. See generator_lib.gni as well.
33
34Clients should create a Generator sub-class, then call run_generator()
35with a proper derived class instance.
36
37Clients specify a list of FileRender operations, each one of them will
38output a file into a temporary output directory through Jinja2 expansion.
39All temporary output files are then grouped and written to into a single JSON
40file, that acts as a convenient single GN output target. Use extract_json.py
41to extract the output files from the JSON tarball in another GN action.
42
43--depfile can be used to specify an output Ninja dependency file for the
44JSON tarball, to ensure it is regenerated any time one of its dependencies
45changes.
46
47Finally, --expected-output-files can be used to check the list of generated
48output files.
49"""
50
Corentin Wallez0c38e922019-06-07 08:59:17 +000051import argparse, json, os, re, sys
52from collections import namedtuple
53
David 'Digit' Turner5dee3e82019-06-24 14:31:06 +000054# A FileRender represents a single Jinja2 template render operation:
55#
56# template: Jinja2 template name, relative to --template-dir path.
57#
58# output: Output file path, relative to temporary output directory.
59#
60# params_dicts: iterable of (name:string -> value:string) dictionaries.
61# All of them will be merged before being sent as Jinja2 template
62# expansion parameters.
63#
64# Example:
65# FileRender('api.c', 'src/project_api.c', [{'PROJECT_VERSION': '1.0.0'}])
66#
67FileRender = namedtuple('FileRender', ['template', 'output', 'params_dicts'])
68
Corentin Wallezf4a01c92024-07-16 11:18:42 +000069# A GeneratorOutput represent everything an invocation of the generator will
70# produce.
71#
72# renders: an iterable of FileRenders.
73#
74# imported_templates: paths to additional templates that will be imported.
75# Trying to import with {% from %} will enforce that the file is listed
76# to ensure the dependency information produced is correct.
77GeneratorOutput = namedtuple('GeneratorOutput',
78 ['renders', 'imported_templates'])
Kai Ninomiya01aeca22020-07-15 19:51:17 +000079
Corentin Wallez0c38e922019-06-07 08:59:17 +000080# The interface that must be implemented by generators.
81class Generator:
82 def get_description(self):
David 'Digit' Turner5dee3e82019-06-24 14:31:06 +000083 """Return generator description for --help."""
Corentin Wallez0c38e922019-06-07 08:59:17 +000084 return ""
85
86 def add_commandline_arguments(self, parser):
David 'Digit' Turner5dee3e82019-06-24 14:31:06 +000087 """Add generator-specific argparse arguments."""
Corentin Wallez0c38e922019-06-07 08:59:17 +000088 pass
89
Corentin Wallezf4a01c92024-07-16 11:18:42 +000090 def get_outputs(self, args):
David 'Digit' Turner5dee3e82019-06-24 14:31:06 +000091 """Return the list of FileRender objects to process."""
Corentin Wallez0c38e922019-06-07 08:59:17 +000092 return []
93
94 def get_dependencies(self, args):
David 'Digit' Turner5dee3e82019-06-24 14:31:06 +000095 """Return a list of extra input dependencies."""
Corentin Wallez0c38e922019-06-07 08:59:17 +000096 return []
97
Kai Ninomiya01aeca22020-07-15 19:51:17 +000098
David 'Digit' Turner5dee3e82019-06-24 14:31:06 +000099# Allow custom Jinja2 installation path through an additional python
100# path from the arguments if present. This isn't done through the regular
101# argparse because PreprocessingLoader uses jinja2 in the global scope before
102# "main" gets to run.
103#
104# NOTE: If this argument appears several times, this only uses the first
105# value, while argparse would typically keep the last one!
106kJinja2Path = '--jinja2-path'
Corentin Wallez45f91852019-09-18 00:59:40 +0000107try:
108 jinja2_path_argv_index = sys.argv.index(kJinja2Path)
David 'Digit' Turner5dee3e82019-06-24 14:31:06 +0000109 # Add parent path for the import to succeed.
110 path = os.path.join(sys.argv[jinja2_path_argv_index + 1], os.pardir)
Corentin Wallez0c38e922019-06-07 08:59:17 +0000111 sys.path.insert(1, path)
Corentin Wallez45f91852019-09-18 00:59:40 +0000112except ValueError:
113 # --jinja2-path isn't passed, ignore the exception and just import Jinja2
114 # assuming it already is in the Python PATH.
115 pass
dan sinclair6b67a902023-04-07 07:52:36 +0000116kMarkupSafePath = '--markupsafe-path'
117try:
118 markupsafe_path_argv_index = sys.argv.index(kMarkupSafePath)
119 # Add parent path for the import to succeed.
120 path = os.path.join(sys.argv[markupsafe_path_argv_index + 1], os.pardir)
121 sys.path.insert(1, path)
122except ValueError:
123 # --markupsafe-path isn't passed, ignore the exception and just import
124 # assuming it already is in the Python PATH.
125 pass
Corentin Wallez0c38e922019-06-07 08:59:17 +0000126
127import jinja2
128
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000129
Corentin Wallez0c38e922019-06-07 08:59:17 +0000130# A custom Jinja2 template loader that removes the extra indentation
131# of the template blocks so that the output is correctly indented
Corentin Wallezdf69f242019-06-13 10:22:32 +0000132class _PreprocessingLoader(jinja2.BaseLoader):
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000133
134 def __init__(self, path, allow_list):
Corentin Wallez0c38e922019-06-07 08:59:17 +0000135 self.path = path
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000136 self.allow_list = set(allow_list)
137
138 # Check that all the listed templates exist.
139 for template in self.allow_list:
140 if not os.path.exists(os.path.join(self.path, template)):
141 raise jinja2.TemplateNotFound(template)
Corentin Wallez0c38e922019-06-07 08:59:17 +0000142
143 def get_source(self, environment, template):
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000144 if not template in self.allow_list:
Corentin Wallez0c38e922019-06-07 08:59:17 +0000145 raise jinja2.TemplateNotFound(template)
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000146
147 path = os.path.join(self.path, template)
Corentin Wallez0c38e922019-06-07 08:59:17 +0000148 mtime = os.path.getmtime(path)
149 with open(path) as f:
150 source = self.preprocess(f.read())
151 return source, path, lambda: mtime == os.path.getmtime(path)
152
Ho Cheung1281bdb2023-10-26 18:41:50 +0000153 blockstart = re.compile(r'{%-?\s*(if|elif|else|for|block|macro)[^}]*%}')
154 blockend = re.compile(r'{%-?\s*(end(if|for|block|macro)|elif|else)[^}]*%}')
Corentin Wallez0c38e922019-06-07 08:59:17 +0000155
156 def preprocess(self, source):
157 lines = source.split('\n')
158
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000159 # Compute the current indentation level of the template blocks and
160 # remove their indentation
Corentin Wallez0c38e922019-06-07 08:59:17 +0000161 result = []
162 indentation_level = 0
163
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000164 # Filter lines that are pure comments. line_comment_prefix is not
165 # enough because it removes the comment but doesn't completely remove
166 # the line, resulting in more verbose output.
Corentin Wallez1bf31672020-01-15 15:39:12 +0000167 lines = filter(lambda line: not line.strip().startswith('//*'), lines)
168
169 # Remove indentation templates have for the Jinja control flow.
Corentin Wallez0c38e922019-06-07 08:59:17 +0000170 for line in lines:
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000171 # The capture in the regex adds one element per block start or end,
172 # so we divide by two. There is also an extra line chunk
173 # corresponding to the line end, so we subtract it.
Corentin Wallez0c38e922019-06-07 08:59:17 +0000174 numends = (len(self.blockend.split(line)) - 1) // 2
175 indentation_level -= numends
176
177 result.append(self.remove_indentation(line, indentation_level))
178
179 numstarts = (len(self.blockstart.split(line)) - 1) // 2
180 indentation_level += numstarts
181
182 return '\n'.join(result) + '\n'
183
184 def remove_indentation(self, line, n):
185 for _ in range(n):
186 if line.startswith(' '):
187 line = line[4:]
188 elif line.startswith('\t'):
189 line = line[1:]
190 else:
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000191 assert line.strip() == ''
Corentin Wallez0c38e922019-06-07 08:59:17 +0000192 return line
193
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000194
Corentin Wallez0c38e922019-06-07 08:59:17 +0000195_FileOutput = namedtuple('FileOutput', ['name', 'content'])
196
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000197
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000198def _do_renders(output, template_dir):
199 template_allow_list = [render.template for render in output.renders
200 ] + list(output.imported_templates)
201 loader = _PreprocessingLoader(template_dir, template_allow_list)
202
Loko Kung7c8dfbc2023-06-09 23:55:39 +0000203 env = jinja2.Environment(
204 extensions=['jinja2.ext.do', 'jinja2.ext.loopcontrols'],
205 loader=loader,
206 lstrip_blocks=True,
207 trim_blocks=True,
208 line_comment_prefix='//*')
Corentin Wallez0c38e922019-06-07 08:59:17 +0000209
Kai Ninomiya8d524b22023-09-02 01:11:30 +0000210 def do_assert(expr, message=''):
211 assert expr, message
Corentin Wallez031fbbb2019-06-11 18:03:05 +0000212 return ''
213
214 def debug(text):
215 print(text)
216
217 base_params = {
218 'enumerate': enumerate,
219 'format': format,
220 'len': len,
221 'debug': debug,
222 'assert': do_assert,
223 }
224
Corentin Wallez0c38e922019-06-07 08:59:17 +0000225 outputs = []
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000226 for render in output.renders:
Corentin Wallez0c38e922019-06-07 08:59:17 +0000227 params = {}
Corentin Wallez031fbbb2019-06-11 18:03:05 +0000228 params.update(base_params)
Corentin Wallez0c38e922019-06-07 08:59:17 +0000229 for param_dict in render.params_dicts:
230 params.update(param_dict)
231 content = env.get_template(render.template).render(**params)
232 outputs.append(_FileOutput(render.output, content))
233
234 return outputs
235
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000236
Corentin Wallez0c38e922019-06-07 08:59:17 +0000237# Compute the list of imported, non-system Python modules.
David 'Digit' Turner5dee3e82019-06-24 14:31:06 +0000238# It assumes that any path outside of the root directory is system.
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000239def _compute_python_dependencies(root_dir=None):
David 'Digit' Turner5dee3e82019-06-24 14:31:06 +0000240 if not root_dir:
241 # Assume this script is under generator/ by default.
242 root_dir = os.path.join(os.path.dirname(__file__), os.pardir)
243 root_dir = os.path.abspath(root_dir)
Corentin Wallez0c38e922019-06-07 08:59:17 +0000244
245 module_paths = (module.__file__ for module in sys.modules.values()
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000246 if module and hasattr(module, '__file__'))
Corentin Wallez0c38e922019-06-07 08:59:17 +0000247
248 paths = set()
249 for path in module_paths:
dan sinclaire8022ea2020-10-20 14:46:10 +0000250 # Builtin/namespaced modules may return None for the file path.
251 if not path:
252 continue
253
Corentin Wallez0c38e922019-06-07 08:59:17 +0000254 path = os.path.abspath(path)
255
David 'Digit' Turner5dee3e82019-06-24 14:31:06 +0000256 if not path.startswith(root_dir):
Corentin Wallez0c38e922019-06-07 08:59:17 +0000257 continue
258
259 if (path.endswith('.pyc')
260 or (path.endswith('c') and not os.path.splitext(path)[1])):
261 path = path[:-1]
262
263 paths.add(path)
264
Corentin Wallez02cdbeb2024-10-15 15:12:02 +0000265 return sorted(paths)
Corentin Wallez0c38e922019-06-07 08:59:17 +0000266
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000267
Corentin Wallez08e0fd72023-09-18 16:55:31 +0000268# Computes the string representing a cmake list of paths.
269def _cmake_path_list(paths):
270 if os.name == "nt":
271 # On Windows CMake still expects paths to be separated by forward
272 # slashes
273 return (";".join(paths)).replace("\\", "/")
274 else:
275 return ";".join(paths)
276
277
Corentin Wallez0c38e922019-06-07 08:59:17 +0000278def run_generator(generator):
279 parser = argparse.ArgumentParser(
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000280 description=generator.get_description(),
281 formatter_class=argparse.ArgumentDefaultsHelpFormatter,
Corentin Wallez0c38e922019-06-07 08:59:17 +0000282 )
283
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000284 generator.add_commandline_arguments(parser)
285 parser.add_argument('--template-dir',
286 default='templates',
287 type=str,
288 help='Directory with template files.')
289 parser.add_argument(
290 kJinja2Path,
291 default=None,
292 type=str,
293 help='Additional python path to set before loading Jinja2')
294 parser.add_argument(
dan sinclair6b67a902023-04-07 07:52:36 +0000295 kMarkupSafePath,
296 default=None,
297 type=str,
298 help='Additional python path to set before loading MarkupSafe')
299 parser.add_argument(
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000300 '--output-json-tarball',
301 default=None,
302 type=str,
303 help=('Name of the "JSON tarball" to create (tar is too annoying '
304 'to use in python).'))
305 parser.add_argument(
306 '--depfile',
307 default=None,
308 type=str,
309 help='Name of the Ninja depfile to create for the JSON tarball')
310 parser.add_argument(
311 '--expected-outputs-file',
312 default=None,
313 type=str,
314 help="File to compare outputs with and fail if it doesn't match")
315 parser.add_argument(
316 '--root-dir',
317 default=None,
318 type=str,
319 help=('Optional source root directory for Python dependency '
320 'computations'))
321 parser.add_argument(
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000322 '--print-cmake-dependencies',
323 default=False,
324 action="store_true",
325 help=("Prints a semi-colon separated list of dependencies to "
326 "stdout and exits."))
327 parser.add_argument(
328 '--print-cmake-outputs',
329 default=False,
330 action="store_true",
331 help=("Prints a semi-colon separated list of outputs to "
332 "stdout and exits."))
333 parser.add_argument('--output-dir',
334 default=None,
335 type=str,
336 help='Directory where to output generate files.')
Corentin Wallez0c38e922019-06-07 08:59:17 +0000337
338 args = parser.parse_args()
339
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000340 output = generator.get_outputs(args)
Corentin Wallez0c38e922019-06-07 08:59:17 +0000341
Corentin Wallez7fe6efb2020-02-05 17:16:05 +0000342 # Output a list of all dependencies for CMake or the tarball for GN/Ninja.
343 if args.depfile != None or args.print_cmake_dependencies:
344 dependencies = generator.get_dependencies(args)
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000345 dependencies += [
346 args.template_dir + os.path.sep + render.template
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000347 for render in output.renders
348 ]
349 dependencies += [
350 args.template_dir + os.path.sep + template
351 for template in output.imported_templates
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000352 ]
Corentin Wallez7fe6efb2020-02-05 17:16:05 +0000353 dependencies += _compute_python_dependencies(args.root_dir)
354
355 if args.depfile != None:
356 with open(args.depfile, 'w') as f:
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000357 f.write(args.output_json_tarball + ": " +
358 " ".join(dependencies))
Corentin Wallez7fe6efb2020-02-05 17:16:05 +0000359
360 if args.print_cmake_dependencies:
Corentin Wallez08e0fd72023-09-18 16:55:31 +0000361 sys.stdout.write(_cmake_path_list(dependencies))
Corentin Wallez7fe6efb2020-02-05 17:16:05 +0000362 return 0
363
Corentin Wallez0c38e922019-06-07 08:59:17 +0000364 # The caller wants to assert that the outputs are what it expects.
365 # Load the file and compare with our renders.
366 if args.expected_outputs_file != None:
367 with open(args.expected_outputs_file) as f:
368 expected = set([line.strip() for line in f.readlines()])
369
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000370 actual = {render.output for render in output.renders}
Corentin Wallez0c38e922019-06-07 08:59:17 +0000371
372 if actual != expected:
Kai Ninomiya01aeca22020-07-15 19:51:17 +0000373 print("Wrong expected outputs, caller expected:\n " +
374 repr(sorted(expected)))
David 'Digit' Turner5dee3e82019-06-24 14:31:06 +0000375 print("Actual output:\n " + repr(sorted(actual)))
Corentin Wallez0c38e922019-06-07 08:59:17 +0000376 return 1
377
Corentin Wallez7fe6efb2020-02-05 17:16:05 +0000378 # Print the list of all the outputs for cmake.
379 if args.print_cmake_outputs:
Corentin Wallez08e0fd72023-09-18 16:55:31 +0000380 sys.stdout.write(
381 _cmake_path_list([
382 os.path.join(args.output_dir, render.output)
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000383 for render in output.renders
Corentin Wallez08e0fd72023-09-18 16:55:31 +0000384 ]))
Corentin Wallez7fe6efb2020-02-05 17:16:05 +0000385 return 0
386
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000387 render_outputs = _do_renders(output, args.template_dir)
Corentin Wallez0c38e922019-06-07 08:59:17 +0000388
Corentin Wallez7fe6efb2020-02-05 17:16:05 +0000389 # Output the JSON tarball
Corentin Wallez0c38e922019-06-07 08:59:17 +0000390 if args.output_json_tarball != None:
391 json_root = {}
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000392 for output in render_outputs:
Corentin Wallez0c38e922019-06-07 08:59:17 +0000393 json_root[output.name] = output.content
394
395 with open(args.output_json_tarball, 'w') as f:
396 f.write(json.dumps(json_root))
397
Corentin Wallez7fe6efb2020-02-05 17:16:05 +0000398 # Output the files directly.
399 if args.output_dir != None:
Corentin Wallezf4a01c92024-07-16 11:18:42 +0000400 for output in render_outputs:
Corentin Wallez7fe6efb2020-02-05 17:16:05 +0000401 output_path = os.path.join(args.output_dir, output.name)
Corentin Wallez0c38e922019-06-07 08:59:17 +0000402
Corentin Wallez7fe6efb2020-02-05 17:16:05 +0000403 directory = os.path.dirname(output_path)
Corentin Wallez20a6ca02022-12-19 11:14:54 +0000404 os.makedirs(directory, exist_ok=True)
Corentin Wallez7fe6efb2020-02-05 17:16:05 +0000405
406 with open(output_path, 'w') as outfile:
407 outfile.write(output.content)