##// END OF EJS Templates
templateutil: reimplement stringify() using flatten()
Yuya Nishihara -
r37175:e09d2183 default
parent child Browse files
Show More
@@ -1,478 +1,469 b''
1 # templateutil.py - utility for template evaluation
1 # templateutil.py - utility for template evaluation
2 #
2 #
3 # Copyright 2005, 2006 Matt Mackall <mpm@selenic.com>
3 # Copyright 2005, 2006 Matt Mackall <mpm@selenic.com>
4 #
4 #
5 # This software may be used and distributed according to the terms of the
5 # This software may be used and distributed according to the terms of the
6 # GNU General Public License version 2 or any later version.
6 # GNU General Public License version 2 or any later version.
7
7
8 from __future__ import absolute_import
8 from __future__ import absolute_import
9
9
10 import types
10 import types
11
11
12 from .i18n import _
12 from .i18n import _
13 from . import (
13 from . import (
14 error,
14 error,
15 pycompat,
15 pycompat,
16 util,
16 util,
17 )
17 )
18 from .utils import (
18 from .utils import (
19 stringutil,
19 stringutil,
20 )
20 )
21
21
22 class ResourceUnavailable(error.Abort):
22 class ResourceUnavailable(error.Abort):
23 pass
23 pass
24
24
25 class TemplateNotFound(error.Abort):
25 class TemplateNotFound(error.Abort):
26 pass
26 pass
27
27
28 class hybrid(object):
28 class hybrid(object):
29 """Wrapper for list or dict to support legacy template
29 """Wrapper for list or dict to support legacy template
30
30
31 This class allows us to handle both:
31 This class allows us to handle both:
32 - "{files}" (legacy command-line-specific list hack) and
32 - "{files}" (legacy command-line-specific list hack) and
33 - "{files % '{file}\n'}" (hgweb-style with inlining and function support)
33 - "{files % '{file}\n'}" (hgweb-style with inlining and function support)
34 and to access raw values:
34 and to access raw values:
35 - "{ifcontains(file, files, ...)}", "{ifcontains(key, extras, ...)}"
35 - "{ifcontains(file, files, ...)}", "{ifcontains(key, extras, ...)}"
36 - "{get(extras, key)}"
36 - "{get(extras, key)}"
37 - "{files|json}"
37 - "{files|json}"
38 """
38 """
39
39
40 def __init__(self, gen, values, makemap, joinfmt, keytype=None):
40 def __init__(self, gen, values, makemap, joinfmt, keytype=None):
41 if gen is not None:
41 if gen is not None:
42 self.gen = gen # generator or function returning generator
42 self.gen = gen # generator or function returning generator
43 self._values = values
43 self._values = values
44 self._makemap = makemap
44 self._makemap = makemap
45 self.joinfmt = joinfmt
45 self.joinfmt = joinfmt
46 self.keytype = keytype # hint for 'x in y' where type(x) is unresolved
46 self.keytype = keytype # hint for 'x in y' where type(x) is unresolved
47 def gen(self):
47 def gen(self):
48 """Default generator to stringify this as {join(self, ' ')}"""
48 """Default generator to stringify this as {join(self, ' ')}"""
49 for i, x in enumerate(self._values):
49 for i, x in enumerate(self._values):
50 if i > 0:
50 if i > 0:
51 yield ' '
51 yield ' '
52 yield self.joinfmt(x)
52 yield self.joinfmt(x)
53 def itermaps(self):
53 def itermaps(self):
54 makemap = self._makemap
54 makemap = self._makemap
55 for x in self._values:
55 for x in self._values:
56 yield makemap(x)
56 yield makemap(x)
57 def __contains__(self, x):
57 def __contains__(self, x):
58 return x in self._values
58 return x in self._values
59 def __getitem__(self, key):
59 def __getitem__(self, key):
60 return self._values[key]
60 return self._values[key]
61 def __len__(self):
61 def __len__(self):
62 return len(self._values)
62 return len(self._values)
63 def __iter__(self):
63 def __iter__(self):
64 return iter(self._values)
64 return iter(self._values)
65 def __getattr__(self, name):
65 def __getattr__(self, name):
66 if name not in (r'get', r'items', r'iteritems', r'iterkeys',
66 if name not in (r'get', r'items', r'iteritems', r'iterkeys',
67 r'itervalues', r'keys', r'values'):
67 r'itervalues', r'keys', r'values'):
68 raise AttributeError(name)
68 raise AttributeError(name)
69 return getattr(self._values, name)
69 return getattr(self._values, name)
70
70
71 class mappable(object):
71 class mappable(object):
72 """Wrapper for non-list/dict object to support map operation
72 """Wrapper for non-list/dict object to support map operation
73
73
74 This class allows us to handle both:
74 This class allows us to handle both:
75 - "{manifest}"
75 - "{manifest}"
76 - "{manifest % '{rev}:{node}'}"
76 - "{manifest % '{rev}:{node}'}"
77 - "{manifest.rev}"
77 - "{manifest.rev}"
78
78
79 Unlike a hybrid, this does not simulate the behavior of the underling
79 Unlike a hybrid, this does not simulate the behavior of the underling
80 value. Use unwrapvalue() or unwraphybrid() to obtain the inner object.
80 value. Use unwrapvalue() or unwraphybrid() to obtain the inner object.
81 """
81 """
82
82
83 def __init__(self, gen, key, value, makemap):
83 def __init__(self, gen, key, value, makemap):
84 if gen is not None:
84 if gen is not None:
85 self.gen = gen # generator or function returning generator
85 self.gen = gen # generator or function returning generator
86 self._key = key
86 self._key = key
87 self._value = value # may be generator of strings
87 self._value = value # may be generator of strings
88 self._makemap = makemap
88 self._makemap = makemap
89
89
90 def gen(self):
90 def gen(self):
91 yield pycompat.bytestr(self._value)
91 yield pycompat.bytestr(self._value)
92
92
93 def tomap(self):
93 def tomap(self):
94 return self._makemap(self._key)
94 return self._makemap(self._key)
95
95
96 def itermaps(self):
96 def itermaps(self):
97 yield self.tomap()
97 yield self.tomap()
98
98
99 def hybriddict(data, key='key', value='value', fmt=None, gen=None):
99 def hybriddict(data, key='key', value='value', fmt=None, gen=None):
100 """Wrap data to support both dict-like and string-like operations"""
100 """Wrap data to support both dict-like and string-like operations"""
101 prefmt = pycompat.identity
101 prefmt = pycompat.identity
102 if fmt is None:
102 if fmt is None:
103 fmt = '%s=%s'
103 fmt = '%s=%s'
104 prefmt = pycompat.bytestr
104 prefmt = pycompat.bytestr
105 return hybrid(gen, data, lambda k: {key: k, value: data[k]},
105 return hybrid(gen, data, lambda k: {key: k, value: data[k]},
106 lambda k: fmt % (prefmt(k), prefmt(data[k])))
106 lambda k: fmt % (prefmt(k), prefmt(data[k])))
107
107
108 def hybridlist(data, name, fmt=None, gen=None):
108 def hybridlist(data, name, fmt=None, gen=None):
109 """Wrap data to support both list-like and string-like operations"""
109 """Wrap data to support both list-like and string-like operations"""
110 prefmt = pycompat.identity
110 prefmt = pycompat.identity
111 if fmt is None:
111 if fmt is None:
112 fmt = '%s'
112 fmt = '%s'
113 prefmt = pycompat.bytestr
113 prefmt = pycompat.bytestr
114 return hybrid(gen, data, lambda x: {name: x}, lambda x: fmt % prefmt(x))
114 return hybrid(gen, data, lambda x: {name: x}, lambda x: fmt % prefmt(x))
115
115
116 def unwraphybrid(thing):
116 def unwraphybrid(thing):
117 """Return an object which can be stringified possibly by using a legacy
117 """Return an object which can be stringified possibly by using a legacy
118 template"""
118 template"""
119 gen = getattr(thing, 'gen', None)
119 gen = getattr(thing, 'gen', None)
120 if gen is None:
120 if gen is None:
121 return thing
121 return thing
122 if callable(gen):
122 if callable(gen):
123 return gen()
123 return gen()
124 return gen
124 return gen
125
125
126 def unwrapvalue(thing):
126 def unwrapvalue(thing):
127 """Move the inner value object out of the wrapper"""
127 """Move the inner value object out of the wrapper"""
128 if not util.safehasattr(thing, '_value'):
128 if not util.safehasattr(thing, '_value'):
129 return thing
129 return thing
130 return thing._value
130 return thing._value
131
131
132 def wraphybridvalue(container, key, value):
132 def wraphybridvalue(container, key, value):
133 """Wrap an element of hybrid container to be mappable
133 """Wrap an element of hybrid container to be mappable
134
134
135 The key is passed to the makemap function of the given container, which
135 The key is passed to the makemap function of the given container, which
136 should be an item generated by iter(container).
136 should be an item generated by iter(container).
137 """
137 """
138 makemap = getattr(container, '_makemap', None)
138 makemap = getattr(container, '_makemap', None)
139 if makemap is None:
139 if makemap is None:
140 return value
140 return value
141 if util.safehasattr(value, '_makemap'):
141 if util.safehasattr(value, '_makemap'):
142 # a nested hybrid list/dict, which has its own way of map operation
142 # a nested hybrid list/dict, which has its own way of map operation
143 return value
143 return value
144 return mappable(None, key, value, makemap)
144 return mappable(None, key, value, makemap)
145
145
146 def compatdict(context, mapping, name, data, key='key', value='value',
146 def compatdict(context, mapping, name, data, key='key', value='value',
147 fmt=None, plural=None, separator=' '):
147 fmt=None, plural=None, separator=' '):
148 """Wrap data like hybriddict(), but also supports old-style list template
148 """Wrap data like hybriddict(), but also supports old-style list template
149
149
150 This exists for backward compatibility with the old-style template. Use
150 This exists for backward compatibility with the old-style template. Use
151 hybriddict() for new template keywords.
151 hybriddict() for new template keywords.
152 """
152 """
153 c = [{key: k, value: v} for k, v in data.iteritems()]
153 c = [{key: k, value: v} for k, v in data.iteritems()]
154 f = _showcompatlist(context, mapping, name, c, plural, separator)
154 f = _showcompatlist(context, mapping, name, c, plural, separator)
155 return hybriddict(data, key=key, value=value, fmt=fmt, gen=f)
155 return hybriddict(data, key=key, value=value, fmt=fmt, gen=f)
156
156
157 def compatlist(context, mapping, name, data, element=None, fmt=None,
157 def compatlist(context, mapping, name, data, element=None, fmt=None,
158 plural=None, separator=' '):
158 plural=None, separator=' '):
159 """Wrap data like hybridlist(), but also supports old-style list template
159 """Wrap data like hybridlist(), but also supports old-style list template
160
160
161 This exists for backward compatibility with the old-style template. Use
161 This exists for backward compatibility with the old-style template. Use
162 hybridlist() for new template keywords.
162 hybridlist() for new template keywords.
163 """
163 """
164 f = _showcompatlist(context, mapping, name, data, plural, separator)
164 f = _showcompatlist(context, mapping, name, data, plural, separator)
165 return hybridlist(data, name=element or name, fmt=fmt, gen=f)
165 return hybridlist(data, name=element or name, fmt=fmt, gen=f)
166
166
167 def _showcompatlist(context, mapping, name, values, plural=None, separator=' '):
167 def _showcompatlist(context, mapping, name, values, plural=None, separator=' '):
168 """Return a generator that renders old-style list template
168 """Return a generator that renders old-style list template
169
169
170 name is name of key in template map.
170 name is name of key in template map.
171 values is list of strings or dicts.
171 values is list of strings or dicts.
172 plural is plural of name, if not simply name + 's'.
172 plural is plural of name, if not simply name + 's'.
173 separator is used to join values as a string
173 separator is used to join values as a string
174
174
175 expansion works like this, given name 'foo'.
175 expansion works like this, given name 'foo'.
176
176
177 if values is empty, expand 'no_foos'.
177 if values is empty, expand 'no_foos'.
178
178
179 if 'foo' not in template map, return values as a string,
179 if 'foo' not in template map, return values as a string,
180 joined by 'separator'.
180 joined by 'separator'.
181
181
182 expand 'start_foos'.
182 expand 'start_foos'.
183
183
184 for each value, expand 'foo'. if 'last_foo' in template
184 for each value, expand 'foo'. if 'last_foo' in template
185 map, expand it instead of 'foo' for last key.
185 map, expand it instead of 'foo' for last key.
186
186
187 expand 'end_foos'.
187 expand 'end_foos'.
188 """
188 """
189 if not plural:
189 if not plural:
190 plural = name + 's'
190 plural = name + 's'
191 if not values:
191 if not values:
192 noname = 'no_' + plural
192 noname = 'no_' + plural
193 if context.preload(noname):
193 if context.preload(noname):
194 yield context.process(noname, mapping)
194 yield context.process(noname, mapping)
195 return
195 return
196 if not context.preload(name):
196 if not context.preload(name):
197 if isinstance(values[0], bytes):
197 if isinstance(values[0], bytes):
198 yield separator.join(values)
198 yield separator.join(values)
199 else:
199 else:
200 for v in values:
200 for v in values:
201 r = dict(v)
201 r = dict(v)
202 r.update(mapping)
202 r.update(mapping)
203 yield r
203 yield r
204 return
204 return
205 startname = 'start_' + plural
205 startname = 'start_' + plural
206 if context.preload(startname):
206 if context.preload(startname):
207 yield context.process(startname, mapping)
207 yield context.process(startname, mapping)
208 def one(v, tag=name):
208 def one(v, tag=name):
209 vmapping = {}
209 vmapping = {}
210 try:
210 try:
211 vmapping.update(v)
211 vmapping.update(v)
212 # Python 2 raises ValueError if the type of v is wrong. Python
212 # Python 2 raises ValueError if the type of v is wrong. Python
213 # 3 raises TypeError.
213 # 3 raises TypeError.
214 except (AttributeError, TypeError, ValueError):
214 except (AttributeError, TypeError, ValueError):
215 try:
215 try:
216 # Python 2 raises ValueError trying to destructure an e.g.
216 # Python 2 raises ValueError trying to destructure an e.g.
217 # bytes. Python 3 raises TypeError.
217 # bytes. Python 3 raises TypeError.
218 for a, b in v:
218 for a, b in v:
219 vmapping[a] = b
219 vmapping[a] = b
220 except (TypeError, ValueError):
220 except (TypeError, ValueError):
221 vmapping[name] = v
221 vmapping[name] = v
222 vmapping = context.overlaymap(mapping, vmapping)
222 vmapping = context.overlaymap(mapping, vmapping)
223 return context.process(tag, vmapping)
223 return context.process(tag, vmapping)
224 lastname = 'last_' + name
224 lastname = 'last_' + name
225 if context.preload(lastname):
225 if context.preload(lastname):
226 last = values.pop()
226 last = values.pop()
227 else:
227 else:
228 last = None
228 last = None
229 for v in values:
229 for v in values:
230 yield one(v)
230 yield one(v)
231 if last is not None:
231 if last is not None:
232 yield one(last, tag=lastname)
232 yield one(last, tag=lastname)
233 endname = 'end_' + plural
233 endname = 'end_' + plural
234 if context.preload(endname):
234 if context.preload(endname):
235 yield context.process(endname, mapping)
235 yield context.process(endname, mapping)
236
236
237 def flatten(thing):
237 def flatten(thing):
238 """Yield a single stream from a possibly nested set of iterators"""
238 """Yield a single stream from a possibly nested set of iterators"""
239 thing = unwraphybrid(thing)
239 thing = unwraphybrid(thing)
240 if isinstance(thing, bytes):
240 if isinstance(thing, bytes):
241 yield thing
241 yield thing
242 elif isinstance(thing, str):
242 elif isinstance(thing, str):
243 # We can only hit this on Python 3, and it's here to guard
243 # We can only hit this on Python 3, and it's here to guard
244 # against infinite recursion.
244 # against infinite recursion.
245 raise error.ProgrammingError('Mercurial IO including templates is done'
245 raise error.ProgrammingError('Mercurial IO including templates is done'
246 ' with bytes, not strings, got %r' % thing)
246 ' with bytes, not strings, got %r' % thing)
247 elif thing is None:
247 elif thing is None:
248 pass
248 pass
249 elif not util.safehasattr(thing, '__iter__'):
249 elif not util.safehasattr(thing, '__iter__'):
250 yield pycompat.bytestr(thing)
250 yield pycompat.bytestr(thing)
251 else:
251 else:
252 for i in thing:
252 for i in thing:
253 i = unwraphybrid(i)
253 i = unwraphybrid(i)
254 if isinstance(i, bytes):
254 if isinstance(i, bytes):
255 yield i
255 yield i
256 elif i is None:
256 elif i is None:
257 pass
257 pass
258 elif not util.safehasattr(i, '__iter__'):
258 elif not util.safehasattr(i, '__iter__'):
259 yield pycompat.bytestr(i)
259 yield pycompat.bytestr(i)
260 else:
260 else:
261 for j in flatten(i):
261 for j in flatten(i):
262 yield j
262 yield j
263
263
264 def stringify(thing):
264 def stringify(thing):
265 """Turn values into bytes by converting into text and concatenating them"""
265 """Turn values into bytes by converting into text and concatenating them"""
266 thing = unwraphybrid(thing)
266 if isinstance(thing, bytes):
267 if util.safehasattr(thing, '__iter__') and not isinstance(thing, bytes):
267 return thing # retain localstr to be round-tripped
268 if isinstance(thing, str):
268 return b''.join(flatten(thing))
269 # This is only reachable on Python 3 (otherwise
270 # isinstance(thing, bytes) would have been true), and is
271 # here to prevent infinite recursion bugs on Python 3.
272 raise error.ProgrammingError(
273 'stringify got unexpected unicode string: %r' % thing)
274 return "".join([stringify(t) for t in thing if t is not None])
275 if thing is None:
276 return ""
277 return pycompat.bytestr(thing)
278
269
279 def findsymbolicname(arg):
270 def findsymbolicname(arg):
280 """Find symbolic name for the given compiled expression; returns None
271 """Find symbolic name for the given compiled expression; returns None
281 if nothing found reliably"""
272 if nothing found reliably"""
282 while True:
273 while True:
283 func, data = arg
274 func, data = arg
284 if func is runsymbol:
275 if func is runsymbol:
285 return data
276 return data
286 elif func is runfilter:
277 elif func is runfilter:
287 arg = data[0]
278 arg = data[0]
288 else:
279 else:
289 return None
280 return None
290
281
291 def evalrawexp(context, mapping, arg):
282 def evalrawexp(context, mapping, arg):
292 """Evaluate given argument as a bare template object which may require
283 """Evaluate given argument as a bare template object which may require
293 further processing (such as folding generator of strings)"""
284 further processing (such as folding generator of strings)"""
294 func, data = arg
285 func, data = arg
295 return func(context, mapping, data)
286 return func(context, mapping, data)
296
287
297 def evalfuncarg(context, mapping, arg):
288 def evalfuncarg(context, mapping, arg):
298 """Evaluate given argument as value type"""
289 """Evaluate given argument as value type"""
299 thing = evalrawexp(context, mapping, arg)
290 thing = evalrawexp(context, mapping, arg)
300 thing = unwrapvalue(thing)
291 thing = unwrapvalue(thing)
301 # evalrawexp() may return string, generator of strings or arbitrary object
292 # evalrawexp() may return string, generator of strings or arbitrary object
302 # such as date tuple, but filter does not want generator.
293 # such as date tuple, but filter does not want generator.
303 if isinstance(thing, types.GeneratorType):
294 if isinstance(thing, types.GeneratorType):
304 thing = stringify(thing)
295 thing = stringify(thing)
305 return thing
296 return thing
306
297
307 def evalboolean(context, mapping, arg):
298 def evalboolean(context, mapping, arg):
308 """Evaluate given argument as boolean, but also takes boolean literals"""
299 """Evaluate given argument as boolean, but also takes boolean literals"""
309 func, data = arg
300 func, data = arg
310 if func is runsymbol:
301 if func is runsymbol:
311 thing = func(context, mapping, data, default=None)
302 thing = func(context, mapping, data, default=None)
312 if thing is None:
303 if thing is None:
313 # not a template keyword, takes as a boolean literal
304 # not a template keyword, takes as a boolean literal
314 thing = stringutil.parsebool(data)
305 thing = stringutil.parsebool(data)
315 else:
306 else:
316 thing = func(context, mapping, data)
307 thing = func(context, mapping, data)
317 thing = unwrapvalue(thing)
308 thing = unwrapvalue(thing)
318 if isinstance(thing, bool):
309 if isinstance(thing, bool):
319 return thing
310 return thing
320 # other objects are evaluated as strings, which means 0 is True, but
311 # other objects are evaluated as strings, which means 0 is True, but
321 # empty dict/list should be False as they are expected to be ''
312 # empty dict/list should be False as they are expected to be ''
322 return bool(stringify(thing))
313 return bool(stringify(thing))
323
314
324 def evalinteger(context, mapping, arg, err=None):
315 def evalinteger(context, mapping, arg, err=None):
325 v = evalfuncarg(context, mapping, arg)
316 v = evalfuncarg(context, mapping, arg)
326 try:
317 try:
327 return int(v)
318 return int(v)
328 except (TypeError, ValueError):
319 except (TypeError, ValueError):
329 raise error.ParseError(err or _('not an integer'))
320 raise error.ParseError(err or _('not an integer'))
330
321
331 def evalstring(context, mapping, arg):
322 def evalstring(context, mapping, arg):
332 return stringify(evalrawexp(context, mapping, arg))
323 return stringify(evalrawexp(context, mapping, arg))
333
324
334 def evalstringliteral(context, mapping, arg):
325 def evalstringliteral(context, mapping, arg):
335 """Evaluate given argument as string template, but returns symbol name
326 """Evaluate given argument as string template, but returns symbol name
336 if it is unknown"""
327 if it is unknown"""
337 func, data = arg
328 func, data = arg
338 if func is runsymbol:
329 if func is runsymbol:
339 thing = func(context, mapping, data, default=data)
330 thing = func(context, mapping, data, default=data)
340 else:
331 else:
341 thing = func(context, mapping, data)
332 thing = func(context, mapping, data)
342 return stringify(thing)
333 return stringify(thing)
343
334
344 _evalfuncbytype = {
335 _evalfuncbytype = {
345 bool: evalboolean,
336 bool: evalboolean,
346 bytes: evalstring,
337 bytes: evalstring,
347 int: evalinteger,
338 int: evalinteger,
348 }
339 }
349
340
350 def evalastype(context, mapping, arg, typ):
341 def evalastype(context, mapping, arg, typ):
351 """Evaluate given argument and coerce its type"""
342 """Evaluate given argument and coerce its type"""
352 try:
343 try:
353 f = _evalfuncbytype[typ]
344 f = _evalfuncbytype[typ]
354 except KeyError:
345 except KeyError:
355 raise error.ProgrammingError('invalid type specified: %r' % typ)
346 raise error.ProgrammingError('invalid type specified: %r' % typ)
356 return f(context, mapping, arg)
347 return f(context, mapping, arg)
357
348
358 def runinteger(context, mapping, data):
349 def runinteger(context, mapping, data):
359 return int(data)
350 return int(data)
360
351
361 def runstring(context, mapping, data):
352 def runstring(context, mapping, data):
362 return data
353 return data
363
354
364 def _recursivesymbolblocker(key):
355 def _recursivesymbolblocker(key):
365 def showrecursion(**args):
356 def showrecursion(**args):
366 raise error.Abort(_("recursive reference '%s' in template") % key)
357 raise error.Abort(_("recursive reference '%s' in template") % key)
367 return showrecursion
358 return showrecursion
368
359
369 def runsymbol(context, mapping, key, default=''):
360 def runsymbol(context, mapping, key, default=''):
370 v = context.symbol(mapping, key)
361 v = context.symbol(mapping, key)
371 if v is None:
362 if v is None:
372 # put poison to cut recursion. we can't move this to parsing phase
363 # put poison to cut recursion. we can't move this to parsing phase
373 # because "x = {x}" is allowed if "x" is a keyword. (issue4758)
364 # because "x = {x}" is allowed if "x" is a keyword. (issue4758)
374 safemapping = mapping.copy()
365 safemapping = mapping.copy()
375 safemapping[key] = _recursivesymbolblocker(key)
366 safemapping[key] = _recursivesymbolblocker(key)
376 try:
367 try:
377 v = context.process(key, safemapping)
368 v = context.process(key, safemapping)
378 except TemplateNotFound:
369 except TemplateNotFound:
379 v = default
370 v = default
380 if callable(v) and getattr(v, '_requires', None) is None:
371 if callable(v) and getattr(v, '_requires', None) is None:
381 # old templatekw: expand all keywords and resources
372 # old templatekw: expand all keywords and resources
382 # (TODO: deprecate this after porting web template keywords to new API)
373 # (TODO: deprecate this after porting web template keywords to new API)
383 props = {k: context._resources.lookup(context, mapping, k)
374 props = {k: context._resources.lookup(context, mapping, k)
384 for k in context._resources.knownkeys()}
375 for k in context._resources.knownkeys()}
385 # pass context to _showcompatlist() through templatekw._showlist()
376 # pass context to _showcompatlist() through templatekw._showlist()
386 props['templ'] = context
377 props['templ'] = context
387 props.update(mapping)
378 props.update(mapping)
388 return v(**pycompat.strkwargs(props))
379 return v(**pycompat.strkwargs(props))
389 if callable(v):
380 if callable(v):
390 # new templatekw
381 # new templatekw
391 try:
382 try:
392 return v(context, mapping)
383 return v(context, mapping)
393 except ResourceUnavailable:
384 except ResourceUnavailable:
394 # unsupported keyword is mapped to empty just like unknown keyword
385 # unsupported keyword is mapped to empty just like unknown keyword
395 return None
386 return None
396 return v
387 return v
397
388
398 def runtemplate(context, mapping, template):
389 def runtemplate(context, mapping, template):
399 for arg in template:
390 for arg in template:
400 yield evalrawexp(context, mapping, arg)
391 yield evalrawexp(context, mapping, arg)
401
392
402 def runfilter(context, mapping, data):
393 def runfilter(context, mapping, data):
403 arg, filt = data
394 arg, filt = data
404 thing = evalfuncarg(context, mapping, arg)
395 thing = evalfuncarg(context, mapping, arg)
405 try:
396 try:
406 return filt(thing)
397 return filt(thing)
407 except (ValueError, AttributeError, TypeError):
398 except (ValueError, AttributeError, TypeError):
408 sym = findsymbolicname(arg)
399 sym = findsymbolicname(arg)
409 if sym:
400 if sym:
410 msg = (_("template filter '%s' is not compatible with keyword '%s'")
401 msg = (_("template filter '%s' is not compatible with keyword '%s'")
411 % (pycompat.sysbytes(filt.__name__), sym))
402 % (pycompat.sysbytes(filt.__name__), sym))
412 else:
403 else:
413 msg = (_("incompatible use of template filter '%s'")
404 msg = (_("incompatible use of template filter '%s'")
414 % pycompat.sysbytes(filt.__name__))
405 % pycompat.sysbytes(filt.__name__))
415 raise error.Abort(msg)
406 raise error.Abort(msg)
416
407
417 def runmap(context, mapping, data):
408 def runmap(context, mapping, data):
418 darg, targ = data
409 darg, targ = data
419 d = evalrawexp(context, mapping, darg)
410 d = evalrawexp(context, mapping, darg)
420 if util.safehasattr(d, 'itermaps'):
411 if util.safehasattr(d, 'itermaps'):
421 diter = d.itermaps()
412 diter = d.itermaps()
422 else:
413 else:
423 try:
414 try:
424 diter = iter(d)
415 diter = iter(d)
425 except TypeError:
416 except TypeError:
426 sym = findsymbolicname(darg)
417 sym = findsymbolicname(darg)
427 if sym:
418 if sym:
428 raise error.ParseError(_("keyword '%s' is not iterable") % sym)
419 raise error.ParseError(_("keyword '%s' is not iterable") % sym)
429 else:
420 else:
430 raise error.ParseError(_("%r is not iterable") % d)
421 raise error.ParseError(_("%r is not iterable") % d)
431
422
432 for i, v in enumerate(diter):
423 for i, v in enumerate(diter):
433 if isinstance(v, dict):
424 if isinstance(v, dict):
434 lm = context.overlaymap(mapping, v)
425 lm = context.overlaymap(mapping, v)
435 lm['index'] = i
426 lm['index'] = i
436 yield evalrawexp(context, lm, targ)
427 yield evalrawexp(context, lm, targ)
437 else:
428 else:
438 # v is not an iterable of dicts, this happen when 'key'
429 # v is not an iterable of dicts, this happen when 'key'
439 # has been fully expanded already and format is useless.
430 # has been fully expanded already and format is useless.
440 # If so, return the expanded value.
431 # If so, return the expanded value.
441 yield v
432 yield v
442
433
443 def runmember(context, mapping, data):
434 def runmember(context, mapping, data):
444 darg, memb = data
435 darg, memb = data
445 d = evalrawexp(context, mapping, darg)
436 d = evalrawexp(context, mapping, darg)
446 if util.safehasattr(d, 'tomap'):
437 if util.safehasattr(d, 'tomap'):
447 lm = context.overlaymap(mapping, d.tomap())
438 lm = context.overlaymap(mapping, d.tomap())
448 return runsymbol(context, lm, memb)
439 return runsymbol(context, lm, memb)
449 if util.safehasattr(d, 'get'):
440 if util.safehasattr(d, 'get'):
450 return getdictitem(d, memb)
441 return getdictitem(d, memb)
451
442
452 sym = findsymbolicname(darg)
443 sym = findsymbolicname(darg)
453 if sym:
444 if sym:
454 raise error.ParseError(_("keyword '%s' has no member") % sym)
445 raise error.ParseError(_("keyword '%s' has no member") % sym)
455 else:
446 else:
456 raise error.ParseError(_("%r has no member") % pycompat.bytestr(d))
447 raise error.ParseError(_("%r has no member") % pycompat.bytestr(d))
457
448
458 def runnegate(context, mapping, data):
449 def runnegate(context, mapping, data):
459 data = evalinteger(context, mapping, data,
450 data = evalinteger(context, mapping, data,
460 _('negation needs an integer argument'))
451 _('negation needs an integer argument'))
461 return -data
452 return -data
462
453
463 def runarithmetic(context, mapping, data):
454 def runarithmetic(context, mapping, data):
464 func, left, right = data
455 func, left, right = data
465 left = evalinteger(context, mapping, left,
456 left = evalinteger(context, mapping, left,
466 _('arithmetic only defined on integers'))
457 _('arithmetic only defined on integers'))
467 right = evalinteger(context, mapping, right,
458 right = evalinteger(context, mapping, right,
468 _('arithmetic only defined on integers'))
459 _('arithmetic only defined on integers'))
469 try:
460 try:
470 return func(left, right)
461 return func(left, right)
471 except ZeroDivisionError:
462 except ZeroDivisionError:
472 raise error.Abort(_('division by zero is not defined'))
463 raise error.Abort(_('division by zero is not defined'))
473
464
474 def getdictitem(dictarg, key):
465 def getdictitem(dictarg, key):
475 val = dictarg.get(key)
466 val = dictarg.get(key)
476 if val is None:
467 if val is None:
477 return
468 return
478 return wraphybridvalue(dictarg, key, val)
469 return wraphybridvalue(dictarg, key, val)
General Comments 0
You need to be logged in to leave comments. Login now