blob: 74457051aecf642534651f429cb647784386874f [file] [log] [blame]
Armin Ronacher05530932008-04-20 13:27:49 +02001# -*- coding: utf-8 -*-
2"""
3 jinja2.ext
4 ~~~~~~~~~~
5
Armin Ronacherb5124e62008-04-25 00:36:14 +02006 Jinja extensions allow to add custom tags similar to the way django custom
7 tags work. By default two example extensions exist: an i18n and a cache
8 extension.
Armin Ronacher05530932008-04-20 13:27:49 +02009
10 :copyright: Copyright 2008 by Armin Ronacher.
11 :license: BSD.
12"""
Armin Ronacherb5124e62008-04-25 00:36:14 +020013from collections import deque
Armin Ronacher05530932008-04-20 13:27:49 +020014from jinja2 import nodes
Armin Ronacherb5124e62008-04-25 00:36:14 +020015from jinja2.environment import get_spontaneous_environment
Armin Ronacher2feed1d2008-04-26 16:26:52 +020016from jinja2.runtime import Undefined, concat
Benjamin Wieganda3152742008-04-28 18:07:52 +020017from jinja2.exceptions import TemplateAssertionError, TemplateSyntaxError
Armin Ronachered98cac2008-05-07 08:42:11 +020018from jinja2.utils import contextfunction, import_string, Markup
Armin Ronacherb5124e62008-04-25 00:36:14 +020019
20
21# the only real useful gettext functions for a Jinja template. Note
22# that ugettext must be assigned to gettext as Jinja doesn't support
23# non unicode strings.
24GETTEXT_FUNCTIONS = ('_', 'gettext', 'ngettext')
Armin Ronacher05530932008-04-20 13:27:49 +020025
26
Armin Ronacher023b5e92008-05-08 11:03:10 +020027class ExtensionRegistry(type):
Armin Ronacher5c047ea2008-05-23 22:26:45 +020028 """Gives the extension an unique identifier."""
Armin Ronacher023b5e92008-05-08 11:03:10 +020029
30 def __new__(cls, name, bases, d):
31 rv = type.__new__(cls, name, bases, d)
32 rv.identifier = rv.__module__ + '.' + rv.__name__
33 return rv
34
35
Armin Ronacher05530932008-04-20 13:27:49 +020036class Extension(object):
Armin Ronacher7259c762008-04-30 13:03:59 +020037 """Extensions can be used to add extra functionality to the Jinja template
Armin Ronacher9d42abf2008-05-14 18:10:41 +020038 system at the parser level. Custom extensions are bound to an environment
39 but may not store environment specific data on `self`. The reason for
40 this is that an extension can be bound to another environment (for
41 overlays) by creating a copy and reassigning the `environment` attribute.
Armin Ronacher762079c2008-05-08 23:57:56 +020042
43 As extensions are created by the environment they cannot accept any
44 arguments for configuration. One may want to work around that by using
45 a factory function, but that is not possible as extensions are identified
46 by their import name. The correct way to configure the extension is
47 storing the configuration values on the environment. Because this way the
48 environment ends up acting as central configuration storage the
49 attributes may clash which is why extensions have to ensure that the names
50 they choose for configuration are not too generic. ``prefix`` for example
51 is a terrible name, ``fragment_cache_prefix`` on the other hand is a good
52 name as includes the name of the extension (fragment cache).
Armin Ronacher7259c762008-04-30 13:03:59 +020053 """
Armin Ronacher023b5e92008-05-08 11:03:10 +020054 __metaclass__ = ExtensionRegistry
Armin Ronacher05530932008-04-20 13:27:49 +020055
56 #: if this extension parses this is the list of tags it's listening to.
57 tags = set()
58
59 def __init__(self, environment):
60 self.environment = environment
61
Armin Ronacher7259c762008-04-30 13:03:59 +020062 def bind(self, environment):
63 """Create a copy of this extension bound to another environment."""
64 rv = object.__new__(self.__class__)
65 rv.__dict__.update(self.__dict__)
66 rv.environment = environment
67 return rv
68
Armin Ronacher05530932008-04-20 13:27:49 +020069 def parse(self, parser):
Armin Ronacher023b5e92008-05-08 11:03:10 +020070 """If any of the :attr:`tags` matched this method is called with the
71 parser as first argument. The token the parser stream is pointing at
72 is the name token that matched. This method has to return one or a
73 list of multiple nodes.
74 """
Armin Ronacher27069d72008-05-11 19:48:12 +020075 raise NotImplementedError()
Armin Ronacher023b5e92008-05-08 11:03:10 +020076
77 def attr(self, name, lineno=None):
78 """Return an attribute node for the current extension. This is useful
Armin Ronacher69e12db2008-05-12 09:00:03 +020079 to pass constants on extensions to generated template code::
Armin Ronacher023b5e92008-05-08 11:03:10 +020080
Armin Ronacher69e12db2008-05-12 09:00:03 +020081 self.attr('_my_attribute', lineno=lineno)
Armin Ronacher023b5e92008-05-08 11:03:10 +020082 """
83 return nodes.ExtensionAttribute(self.identifier, name, lineno=lineno)
Armin Ronacher05530932008-04-20 13:27:49 +020084
Armin Ronacher27069d72008-05-11 19:48:12 +020085 def call_method(self, name, args=None, kwargs=None, dyn_args=None,
86 dyn_kwargs=None, lineno=None):
Armin Ronacher69e12db2008-05-12 09:00:03 +020087 """Call a method of the extension. This is a shortcut for
88 :meth:`attr` + :class:`jinja2.nodes.Call`.
89 """
Armin Ronacher27069d72008-05-11 19:48:12 +020090 if args is None:
91 args = []
92 if kwargs is None:
93 kwargs = []
94 return nodes.Call(self.attr(name, lineno=lineno), args, kwargs,
95 dyn_args, dyn_kwargs, lineno=lineno)
96
Armin Ronacher05530932008-04-20 13:27:49 +020097
Armin Ronacher5c047ea2008-05-23 22:26:45 +020098@contextfunction
99def _gettext_alias(context, string):
100 return context.resolve('gettext')(string)
101
102
Armin Ronachered98cac2008-05-07 08:42:11 +0200103class InternationalizationExtension(Extension):
Armin Ronacher762079c2008-05-08 23:57:56 +0200104 """This extension adds gettext support to Jinja2."""
Armin Ronacherb5124e62008-04-25 00:36:14 +0200105 tags = set(['trans'])
106
107 def __init__(self, environment):
108 Extension.__init__(self, environment)
Armin Ronacher5c047ea2008-05-23 22:26:45 +0200109 environment.globals['_'] = _gettext_alias
Armin Ronacher762079c2008-05-08 23:57:56 +0200110 environment.extend(
111 install_gettext_translations=self._install,
112 install_null_translations=self._install_null,
113 uninstall_gettext_translations=self._uninstall,
114 extract_translations=self._extract
115 )
116
117 def _install(self, translations):
118 self.environment.globals.update(
119 gettext=translations.ugettext,
120 ngettext=translations.ungettext
121 )
122
123 def _install_null(self):
124 self.environment.globals.update(
125 gettext=lambda x: x,
126 ngettext=lambda s, p, n: (n != 1 and (p,) or (s,))[0]
127 )
128
129 def _uninstall(self, translations):
130 for key in 'gettext', 'ngettext':
131 self.environment.globals.pop(key, None)
132
133 def _extract(self, source, gettext_functions=GETTEXT_FUNCTIONS):
134 if isinstance(source, basestring):
135 source = self.environment.parse(source)
136 return extract_from_ast(source, gettext_functions)
Armin Ronacherb5124e62008-04-25 00:36:14 +0200137
138 def parse(self, parser):
139 """Parse a translatable tag."""
140 lineno = parser.stream.next().lineno
141
Armin Ronacherb5124e62008-04-25 00:36:14 +0200142 # find all the variables referenced. Additionally a variable can be
143 # defined in the body of the trans block too, but this is checked at
144 # a later state.
145 plural_expr = None
146 variables = {}
147 while parser.stream.current.type is not 'block_end':
148 if variables:
149 parser.stream.expect('comma')
Armin Ronacher023b5e92008-05-08 11:03:10 +0200150
151 # skip colon for python compatibility
Armin Ronacherfdf95302008-05-11 22:20:51 +0200152 if parser.stream.skip_if('colon'):
Armin Ronacher023b5e92008-05-08 11:03:10 +0200153 break
154
Armin Ronacherb5124e62008-04-25 00:36:14 +0200155 name = parser.stream.expect('name')
156 if name.value in variables:
Armin Ronacher7f15ef82008-05-16 09:11:39 +0200157 parser.fail('translatable variable %r defined twice.' %
158 name.value, name.lineno,
159 exc=TemplateAssertionError)
Armin Ronacherb5124e62008-04-25 00:36:14 +0200160
161 # expressions
162 if parser.stream.current.type is 'assign':
163 parser.stream.next()
164 variables[name.value] = var = parser.parse_expression()
165 else:
166 variables[name.value] = var = nodes.Name(name.value, 'load')
167 if plural_expr is None:
168 plural_expr = var
Armin Ronacher023b5e92008-05-08 11:03:10 +0200169
Armin Ronacherb5124e62008-04-25 00:36:14 +0200170 parser.stream.expect('block_end')
171
172 plural = plural_names = None
173 have_plural = False
174 referenced = set()
175
176 # now parse until endtrans or pluralize
177 singular_names, singular = self._parse_block(parser, True)
178 if singular_names:
179 referenced.update(singular_names)
180 if plural_expr is None:
181 plural_expr = nodes.Name(singular_names[0], 'load')
182
183 # if we have a pluralize block, we parse that too
184 if parser.stream.current.test('name:pluralize'):
185 have_plural = True
186 parser.stream.next()
187 if parser.stream.current.type is not 'block_end':
188 plural_expr = parser.parse_expression()
189 parser.stream.expect('block_end')
190 plural_names, plural = self._parse_block(parser, False)
191 parser.stream.next()
192 referenced.update(plural_names)
193 else:
194 parser.stream.next()
195
196 # register free names as simple name expressions
197 for var in referenced:
198 if var not in variables:
199 variables[var] = nodes.Name(var, 'load')
200
201 # no variables referenced? no need to escape
202 if not referenced:
203 singular = singular.replace('%%', '%')
204 if plural:
205 plural = plural.replace('%%', '%')
206
207 if not have_plural:
208 plural_expr = None
209 elif plural_expr is None:
Armin Ronacher7f15ef82008-05-16 09:11:39 +0200210 parser.fail('pluralize without variables', lineno)
Armin Ronacherb5124e62008-04-25 00:36:14 +0200211
212 if variables:
213 variables = nodes.Dict([nodes.Pair(nodes.Const(x, lineno=lineno), y)
214 for x, y in variables.items()])
215 else:
216 variables = None
217
218 node = self._make_node(singular, plural, variables, plural_expr)
219 node.set_lineno(lineno)
220 return node
221
222 def _parse_block(self, parser, allow_pluralize):
223 """Parse until the next block tag with a given name."""
224 referenced = []
225 buf = []
226 while 1:
227 if parser.stream.current.type is 'data':
228 buf.append(parser.stream.current.value.replace('%', '%%'))
229 parser.stream.next()
230 elif parser.stream.current.type is 'variable_begin':
231 parser.stream.next()
232 name = parser.stream.expect('name').value
233 referenced.append(name)
234 buf.append('%%(%s)s' % name)
235 parser.stream.expect('variable_end')
236 elif parser.stream.current.type is 'block_begin':
237 parser.stream.next()
238 if parser.stream.current.test('name:endtrans'):
239 break
240 elif parser.stream.current.test('name:pluralize'):
241 if allow_pluralize:
242 break
Armin Ronacher7f15ef82008-05-16 09:11:39 +0200243 parser.fail('a translatable section can have only one '
244 'pluralize section')
245 parser.fail('control structures in translatable sections are '
246 'not allowed')
Armin Ronacherb5124e62008-04-25 00:36:14 +0200247 else:
248 assert False, 'internal parser error'
249
Armin Ronacher2feed1d2008-04-26 16:26:52 +0200250 return referenced, concat(buf)
Armin Ronacherb5124e62008-04-25 00:36:14 +0200251
252 def _make_node(self, singular, plural, variables, plural_expr):
253 """Generates a useful node from the data provided."""
254 # singular only:
255 if plural_expr is None:
256 gettext = nodes.Name('gettext', 'load')
257 node = nodes.Call(gettext, [nodes.Const(singular)],
258 [], None, None)
Armin Ronacherb5124e62008-04-25 00:36:14 +0200259
260 # singular and plural
261 else:
262 ngettext = nodes.Name('ngettext', 'load')
263 node = nodes.Call(ngettext, [
264 nodes.Const(singular),
265 nodes.Const(plural),
266 plural_expr
267 ], [], None, None)
Armin Ronacherd84ec462008-04-29 13:43:16 +0200268
269 # mark the return value as safe if we are in an
270 # environment with autoescaping turned on
271 if self.environment.autoescape:
272 node = nodes.MarkSafe(node)
273
274 if variables:
275 node = nodes.Mod(node, variables)
Armin Ronacherb5124e62008-04-25 00:36:14 +0200276 return nodes.Output([node])
277
278
Armin Ronacher5d2733f2008-05-15 23:26:52 +0200279class ExprStmtExtension(Extension):
280 """Adds a `do` tag to Jinja2 that works like the print statement just
281 that it doesn't print the return value.
282 """
283 tags = set(['do'])
284
285 def parse(self, parser):
286 node = nodes.ExprStmt(lineno=parser.stream.next().lineno)
287 node.node = parser.parse_tuple()
288 return node
289
290
Armin Ronacher3da90312008-05-23 16:37:28 +0200291class LoopControlExtension(Extension):
292 """Adds break and continue to the template engine."""
293 tags = set(['break', 'continue'])
294
295 def parse(self, parser):
296 token = parser.stream.next()
297 if token.value == 'break':
298 return nodes.Break(lineno=token.lineno)
299 return nodes.Continue(lineno=token.lineno)
300
301
Armin Ronacherb5124e62008-04-25 00:36:14 +0200302def extract_from_ast(node, gettext_functions=GETTEXT_FUNCTIONS):
303 """Extract localizable strings from the given template node.
304
305 For every string found this function yields a ``(lineno, function,
306 message)`` tuple, where:
307
308 * ``lineno`` is the number of the line on which the string was found,
309 * ``function`` is the name of the ``gettext`` function used (if the
310 string was extracted from embedded Python code), and
311 * ``message`` is the string itself (a ``unicode`` object, or a tuple
312 of ``unicode`` objects for functions with multiple string arguments).
313 """
314 for node in node.find_all(nodes.Call):
315 if not isinstance(node.node, nodes.Name) or \
316 node.node.name not in gettext_functions:
317 continue
318
319 strings = []
320 for arg in node.args:
321 if isinstance(arg, nodes.Const) and \
322 isinstance(arg.value, basestring):
323 strings.append(arg.value)
324 else:
325 strings.append(None)
326
327 if len(strings) == 1:
328 strings = strings[0]
329 else:
330 strings = tuple(strings)
331 yield node.lineno, node.node.name, strings
332
333
334def babel_extract(fileobj, keywords, comment_tags, options):
335 """Babel extraction method for Jinja templates.
336
337 :param fileobj: the file-like object the messages should be extracted from
338 :param keywords: a list of keywords (i.e. function names) that should be
339 recognized as translation functions
340 :param comment_tags: a list of translator tags to search for and include
341 in the results. (Unused)
342 :param options: a dictionary of additional options (optional)
343 :return: an iterator over ``(lineno, funcname, message, comments)`` tuples.
344 (comments will be empty currently)
345 """
346 encoding = options.get('encoding', 'utf-8')
347
348 have_trans_extension = False
349 extensions = []
350 for extension in options.get('extensions', '').split(','):
351 extension = extension.strip()
352 if not extension:
353 continue
354 extension = import_string(extension)
Armin Ronachered98cac2008-05-07 08:42:11 +0200355 if extension is InternationalizationExtension:
Armin Ronacherb5124e62008-04-25 00:36:14 +0200356 have_trans_extension = True
357 extensions.append(extension)
358 if not have_trans_extension:
Armin Ronachered98cac2008-05-07 08:42:11 +0200359 extensions.append(InternationalizationExtension)
Armin Ronacherb5124e62008-04-25 00:36:14 +0200360
361 environment = get_spontaneous_environment(
362 options.get('block_start_string', '{%'),
363 options.get('block_end_string', '%}'),
364 options.get('variable_start_string', '{{'),
365 options.get('variable_end_string', '}}'),
366 options.get('comment_start_string', '{#'),
367 options.get('comment_end_string', '#}'),
368 options.get('line_statement_prefix') or None,
369 options.get('trim_blocks', '').lower() in ('1', 'on', 'yes', 'true'),
Armin Ronacherf3c35c42008-05-23 23:18:14 +0200370 '\n', frozenset(extensions),
Armin Ronacherb5124e62008-04-25 00:36:14 +0200371 # fill with defaults so that environments are shared
Armin Ronacher7259c762008-04-30 13:03:59 +0200372 # with other spontaneus environments. The rest of the
373 # arguments are optimizer, undefined, finalize, autoescape,
374 # loader, cache size and auto reloading setting
375 True, Undefined, None, False, None, 0, False
Armin Ronacherb5124e62008-04-25 00:36:14 +0200376 )
377
378 node = environment.parse(fileobj.read().decode(encoding))
379 for lineno, func, message in extract_from_ast(node, keywords):
380 yield lineno, func, message, []
Armin Ronachered98cac2008-05-07 08:42:11 +0200381
382
383#: nicer import names
384i18n = InternationalizationExtension
Armin Ronacher5d2733f2008-05-15 23:26:52 +0200385do = ExprStmtExtension
Armin Ronacher3da90312008-05-23 16:37:28 +0200386loopcontrols = LoopControlExtension