##// END OF EJS Templates
templater: do not strip non-quote characters from template config...
Yuya Nishihara -
r28687:29c249df default
parent child Browse files
Show More
@@ -1,1073 +1,1073 b''
1 1 # templater.py - template expansion for output
2 2 #
3 3 # Copyright 2005, 2006 Matt Mackall <mpm@selenic.com>
4 4 #
5 5 # This software may be used and distributed according to the terms of the
6 6 # GNU General Public License version 2 or any later version.
7 7
8 8 from __future__ import absolute_import
9 9
10 10 import os
11 11 import re
12 12 import types
13 13
14 14 from .i18n import _
15 15 from . import (
16 16 config,
17 17 error,
18 18 minirst,
19 19 parser,
20 20 revset as revsetmod,
21 21 templatefilters,
22 22 templatekw,
23 23 util,
24 24 )
25 25
26 26 # template parsing
27 27
28 28 elements = {
29 29 # token-type: binding-strength, primary, prefix, infix, suffix
30 30 "(": (20, None, ("group", 1, ")"), ("func", 1, ")"), None),
31 31 ",": (2, None, None, ("list", 2), None),
32 32 "|": (5, None, None, ("|", 5), None),
33 33 "%": (6, None, None, ("%", 6), None),
34 34 ")": (0, None, None, None, None),
35 35 "integer": (0, "integer", None, None, None),
36 36 "symbol": (0, "symbol", None, None, None),
37 37 "string": (0, "string", None, None, None),
38 38 "template": (0, "template", None, None, None),
39 39 "end": (0, None, None, None, None),
40 40 }
41 41
42 42 def tokenize(program, start, end):
43 43 pos = start
44 44 while pos < end:
45 45 c = program[pos]
46 46 if c.isspace(): # skip inter-token whitespace
47 47 pass
48 48 elif c in "(,)%|": # handle simple operators
49 49 yield (c, None, pos)
50 50 elif c in '"\'': # handle quoted templates
51 51 s = pos + 1
52 52 data, pos = _parsetemplate(program, s, end, c)
53 53 yield ('template', data, s)
54 54 pos -= 1
55 55 elif c == 'r' and program[pos:pos + 2] in ("r'", 'r"'):
56 56 # handle quoted strings
57 57 c = program[pos + 1]
58 58 s = pos = pos + 2
59 59 while pos < end: # find closing quote
60 60 d = program[pos]
61 61 if d == '\\': # skip over escaped characters
62 62 pos += 2
63 63 continue
64 64 if d == c:
65 65 yield ('string', program[s:pos], s)
66 66 break
67 67 pos += 1
68 68 else:
69 69 raise error.ParseError(_("unterminated string"), s)
70 70 elif c.isdigit() or c == '-':
71 71 s = pos
72 72 if c == '-': # simply take negate operator as part of integer
73 73 pos += 1
74 74 if pos >= end or not program[pos].isdigit():
75 75 raise error.ParseError(_("integer literal without digits"), s)
76 76 pos += 1
77 77 while pos < end:
78 78 d = program[pos]
79 79 if not d.isdigit():
80 80 break
81 81 pos += 1
82 82 yield ('integer', program[s:pos], s)
83 83 pos -= 1
84 84 elif (c == '\\' and program[pos:pos + 2] in (r"\'", r'\"')
85 85 or c == 'r' and program[pos:pos + 3] in (r"r\'", r'r\"')):
86 86 # handle escaped quoted strings for compatibility with 2.9.2-3.4,
87 87 # where some of nested templates were preprocessed as strings and
88 88 # then compiled. therefore, \"...\" was allowed. (issue4733)
89 89 #
90 90 # processing flow of _evalifliteral() at 5ab28a2e9962:
91 91 # outer template string -> stringify() -> compiletemplate()
92 92 # ------------------------ ------------ ------------------
93 93 # {f("\\\\ {g(\"\\\"\")}"} \\ {g("\"")} [r'\\', {g("\"")}]
94 94 # ~~~~~~~~
95 95 # escaped quoted string
96 96 if c == 'r':
97 97 pos += 1
98 98 token = 'string'
99 99 else:
100 100 token = 'template'
101 101 quote = program[pos:pos + 2]
102 102 s = pos = pos + 2
103 103 while pos < end: # find closing escaped quote
104 104 if program.startswith('\\\\\\', pos, end):
105 105 pos += 4 # skip over double escaped characters
106 106 continue
107 107 if program.startswith(quote, pos, end):
108 108 # interpret as if it were a part of an outer string
109 109 data = parser.unescapestr(program[s:pos])
110 110 if token == 'template':
111 111 data = _parsetemplate(data, 0, len(data))[0]
112 112 yield (token, data, s)
113 113 pos += 1
114 114 break
115 115 pos += 1
116 116 else:
117 117 raise error.ParseError(_("unterminated string"), s)
118 118 elif c.isalnum() or c in '_':
119 119 s = pos
120 120 pos += 1
121 121 while pos < end: # find end of symbol
122 122 d = program[pos]
123 123 if not (d.isalnum() or d == "_"):
124 124 break
125 125 pos += 1
126 126 sym = program[s:pos]
127 127 yield ('symbol', sym, s)
128 128 pos -= 1
129 129 elif c == '}':
130 130 yield ('end', None, pos + 1)
131 131 return
132 132 else:
133 133 raise error.ParseError(_("syntax error"), pos)
134 134 pos += 1
135 135 raise error.ParseError(_("unterminated template expansion"), start)
136 136
137 137 def _parsetemplate(tmpl, start, stop, quote=''):
138 138 r"""
139 139 >>> _parsetemplate('foo{bar}"baz', 0, 12)
140 140 ([('string', 'foo'), ('symbol', 'bar'), ('string', '"baz')], 12)
141 141 >>> _parsetemplate('foo{bar}"baz', 0, 12, quote='"')
142 142 ([('string', 'foo'), ('symbol', 'bar')], 9)
143 143 >>> _parsetemplate('foo"{bar}', 0, 9, quote='"')
144 144 ([('string', 'foo')], 4)
145 145 >>> _parsetemplate(r'foo\"bar"baz', 0, 12, quote='"')
146 146 ([('string', 'foo"'), ('string', 'bar')], 9)
147 147 >>> _parsetemplate(r'foo\\"bar', 0, 10, quote='"')
148 148 ([('string', 'foo\\')], 6)
149 149 """
150 150 parsed = []
151 151 sepchars = '{' + quote
152 152 pos = start
153 153 p = parser.parser(elements)
154 154 while pos < stop:
155 155 n = min((tmpl.find(c, pos, stop) for c in sepchars),
156 156 key=lambda n: (n < 0, n))
157 157 if n < 0:
158 158 parsed.append(('string', parser.unescapestr(tmpl[pos:stop])))
159 159 pos = stop
160 160 break
161 161 c = tmpl[n]
162 162 bs = (n - pos) - len(tmpl[pos:n].rstrip('\\'))
163 163 if bs % 2 == 1:
164 164 # escaped (e.g. '\{', '\\\{', but not '\\{')
165 165 parsed.append(('string', parser.unescapestr(tmpl[pos:n - 1]) + c))
166 166 pos = n + 1
167 167 continue
168 168 if n > pos:
169 169 parsed.append(('string', parser.unescapestr(tmpl[pos:n])))
170 170 if c == quote:
171 171 return parsed, n + 1
172 172
173 173 parseres, pos = p.parse(tokenize(tmpl, n + 1, stop))
174 174 parsed.append(parseres)
175 175
176 176 if quote:
177 177 raise error.ParseError(_("unterminated string"), start)
178 178 return parsed, pos
179 179
180 180 def _unnesttemplatelist(tree):
181 181 """Expand list of templates to node tuple
182 182
183 183 >>> def f(tree):
184 184 ... print prettyformat(_unnesttemplatelist(tree))
185 185 >>> f(('template', []))
186 186 ('string', '')
187 187 >>> f(('template', [('string', 'foo')]))
188 188 ('string', 'foo')
189 189 >>> f(('template', [('string', 'foo'), ('symbol', 'rev')]))
190 190 (template
191 191 ('string', 'foo')
192 192 ('symbol', 'rev'))
193 193 >>> f(('template', [('symbol', 'rev')])) # template(rev) -> str
194 194 (template
195 195 ('symbol', 'rev'))
196 196 >>> f(('template', [('template', [('string', 'foo')])]))
197 197 ('string', 'foo')
198 198 """
199 199 if not isinstance(tree, tuple):
200 200 return tree
201 201 op = tree[0]
202 202 if op != 'template':
203 203 return (op,) + tuple(_unnesttemplatelist(x) for x in tree[1:])
204 204
205 205 assert len(tree) == 2
206 206 xs = tuple(_unnesttemplatelist(x) for x in tree[1])
207 207 if not xs:
208 208 return ('string', '') # empty template ""
209 209 elif len(xs) == 1 and xs[0][0] == 'string':
210 210 return xs[0] # fast path for string with no template fragment "x"
211 211 else:
212 212 return (op,) + xs
213 213
214 214 def parse(tmpl):
215 215 """Parse template string into tree"""
216 216 parsed, pos = _parsetemplate(tmpl, 0, len(tmpl))
217 217 assert pos == len(tmpl), 'unquoted template should be consumed'
218 218 return _unnesttemplatelist(('template', parsed))
219 219
220 220 def prettyformat(tree):
221 221 return parser.prettyformat(tree, ('integer', 'string', 'symbol'))
222 222
223 223 def compiletemplate(tmpl, context):
224 224 """Parse and compile template string to (func, data) pair"""
225 225 return compileexp(parse(tmpl), context, methods)
226 226
227 227 def compileexp(exp, context, curmethods):
228 228 t = exp[0]
229 229 if t in curmethods:
230 230 return curmethods[t](exp, context)
231 231 raise error.ParseError(_("unknown method '%s'") % t)
232 232
233 233 # template evaluation
234 234
235 235 def getsymbol(exp):
236 236 if exp[0] == 'symbol':
237 237 return exp[1]
238 238 raise error.ParseError(_("expected a symbol, got '%s'") % exp[0])
239 239
240 240 def getlist(x):
241 241 if not x:
242 242 return []
243 243 if x[0] == 'list':
244 244 return getlist(x[1]) + [x[2]]
245 245 return [x]
246 246
247 247 def gettemplate(exp, context):
248 248 """Compile given template tree or load named template from map file;
249 249 returns (func, data) pair"""
250 250 if exp[0] in ('template', 'string'):
251 251 return compileexp(exp, context, methods)
252 252 if exp[0] == 'symbol':
253 253 # unlike runsymbol(), here 'symbol' is always taken as template name
254 254 # even if it exists in mapping. this allows us to override mapping
255 255 # by web templates, e.g. 'changelogtag' is redefined in map file.
256 256 return context._load(exp[1])
257 257 raise error.ParseError(_("expected template specifier"))
258 258
259 259 def evalfuncarg(context, mapping, arg):
260 260 func, data = arg
261 261 # func() may return string, generator of strings or arbitrary object such
262 262 # as date tuple, but filter does not want generator.
263 263 thing = func(context, mapping, data)
264 264 if isinstance(thing, types.GeneratorType):
265 265 thing = stringify(thing)
266 266 return thing
267 267
268 268 def evalinteger(context, mapping, arg, err):
269 269 v = evalfuncarg(context, mapping, arg)
270 270 try:
271 271 return int(v)
272 272 except (TypeError, ValueError):
273 273 raise error.ParseError(err)
274 274
275 275 def evalstring(context, mapping, arg):
276 276 func, data = arg
277 277 return stringify(func(context, mapping, data))
278 278
279 279 def evalstringliteral(context, mapping, arg):
280 280 """Evaluate given argument as string template, but returns symbol name
281 281 if it is unknown"""
282 282 func, data = arg
283 283 if func is runsymbol:
284 284 thing = func(context, mapping, data, default=data)
285 285 else:
286 286 thing = func(context, mapping, data)
287 287 return stringify(thing)
288 288
289 289 def runinteger(context, mapping, data):
290 290 return int(data)
291 291
292 292 def runstring(context, mapping, data):
293 293 return data
294 294
295 295 def _recursivesymbolblocker(key):
296 296 def showrecursion(**args):
297 297 raise error.Abort(_("recursive reference '%s' in template") % key)
298 298 return showrecursion
299 299
300 300 def _runrecursivesymbol(context, mapping, key):
301 301 raise error.Abort(_("recursive reference '%s' in template") % key)
302 302
303 303 def runsymbol(context, mapping, key, default=''):
304 304 v = mapping.get(key)
305 305 if v is None:
306 306 v = context._defaults.get(key)
307 307 if v is None:
308 308 # put poison to cut recursion. we can't move this to parsing phase
309 309 # because "x = {x}" is allowed if "x" is a keyword. (issue4758)
310 310 safemapping = mapping.copy()
311 311 safemapping[key] = _recursivesymbolblocker(key)
312 312 try:
313 313 v = context.process(key, safemapping)
314 314 except TemplateNotFound:
315 315 v = default
316 316 if callable(v):
317 317 return v(**mapping)
318 318 return v
319 319
320 320 def buildtemplate(exp, context):
321 321 ctmpl = [compileexp(e, context, methods) for e in exp[1:]]
322 322 return (runtemplate, ctmpl)
323 323
324 324 def runtemplate(context, mapping, template):
325 325 for func, data in template:
326 326 yield func(context, mapping, data)
327 327
328 328 def buildfilter(exp, context):
329 329 arg = compileexp(exp[1], context, methods)
330 330 n = getsymbol(exp[2])
331 331 if n in context._filters:
332 332 filt = context._filters[n]
333 333 return (runfilter, (arg, filt))
334 334 if n in funcs:
335 335 f = funcs[n]
336 336 return (f, [arg])
337 337 raise error.ParseError(_("unknown function '%s'") % n)
338 338
339 339 def runfilter(context, mapping, data):
340 340 arg, filt = data
341 341 thing = evalfuncarg(context, mapping, arg)
342 342 try:
343 343 return filt(thing)
344 344 except (ValueError, AttributeError, TypeError):
345 345 if isinstance(arg[1], tuple):
346 346 dt = arg[1][1]
347 347 else:
348 348 dt = arg[1]
349 349 raise error.Abort(_("template filter '%s' is not compatible with "
350 350 "keyword '%s'") % (filt.func_name, dt))
351 351
352 352 def buildmap(exp, context):
353 353 func, data = compileexp(exp[1], context, methods)
354 354 tfunc, tdata = gettemplate(exp[2], context)
355 355 return (runmap, (func, data, tfunc, tdata))
356 356
357 357 def runmap(context, mapping, data):
358 358 func, data, tfunc, tdata = data
359 359 d = func(context, mapping, data)
360 360 if util.safehasattr(d, 'itermaps'):
361 361 diter = d.itermaps()
362 362 else:
363 363 try:
364 364 diter = iter(d)
365 365 except TypeError:
366 366 if func is runsymbol:
367 367 raise error.ParseError(_("keyword '%s' is not iterable") % data)
368 368 else:
369 369 raise error.ParseError(_("%r is not iterable") % d)
370 370
371 371 for i in diter:
372 372 lm = mapping.copy()
373 373 if isinstance(i, dict):
374 374 lm.update(i)
375 375 lm['originalnode'] = mapping.get('node')
376 376 yield tfunc(context, lm, tdata)
377 377 else:
378 378 # v is not an iterable of dicts, this happen when 'key'
379 379 # has been fully expanded already and format is useless.
380 380 # If so, return the expanded value.
381 381 yield i
382 382
383 383 def buildfunc(exp, context):
384 384 n = getsymbol(exp[1])
385 385 args = [compileexp(x, context, exprmethods) for x in getlist(exp[2])]
386 386 if n in funcs:
387 387 f = funcs[n]
388 388 return (f, args)
389 389 if n in context._filters:
390 390 if len(args) != 1:
391 391 raise error.ParseError(_("filter %s expects one argument") % n)
392 392 f = context._filters[n]
393 393 return (runfilter, (args[0], f))
394 394 raise error.ParseError(_("unknown function '%s'") % n)
395 395
396 396 def date(context, mapping, args):
397 397 """:date(date[, fmt]): Format a date. See :hg:`help dates` for formatting
398 398 strings. The default is a Unix date format, including the timezone:
399 399 "Mon Sep 04 15:13:13 2006 0700"."""
400 400 if not (1 <= len(args) <= 2):
401 401 # i18n: "date" is a keyword
402 402 raise error.ParseError(_("date expects one or two arguments"))
403 403
404 404 date = evalfuncarg(context, mapping, args[0])
405 405 fmt = None
406 406 if len(args) == 2:
407 407 fmt = evalstring(context, mapping, args[1])
408 408 try:
409 409 if fmt is None:
410 410 return util.datestr(date)
411 411 else:
412 412 return util.datestr(date, fmt)
413 413 except (TypeError, ValueError):
414 414 # i18n: "date" is a keyword
415 415 raise error.ParseError(_("date expects a date information"))
416 416
417 417 def diff(context, mapping, args):
418 418 """:diff([includepattern [, excludepattern]]): Show a diff, optionally
419 419 specifying files to include or exclude."""
420 420 if len(args) > 2:
421 421 # i18n: "diff" is a keyword
422 422 raise error.ParseError(_("diff expects zero, one, or two arguments"))
423 423
424 424 def getpatterns(i):
425 425 if i < len(args):
426 426 s = evalstring(context, mapping, args[i]).strip()
427 427 if s:
428 428 return [s]
429 429 return []
430 430
431 431 ctx = mapping['ctx']
432 432 chunks = ctx.diff(match=ctx.match([], getpatterns(0), getpatterns(1)))
433 433
434 434 return ''.join(chunks)
435 435
436 436 def fill(context, mapping, args):
437 437 """:fill(text[, width[, initialident[, hangindent]]]): Fill many
438 438 paragraphs with optional indentation. See the "fill" filter."""
439 439 if not (1 <= len(args) <= 4):
440 440 # i18n: "fill" is a keyword
441 441 raise error.ParseError(_("fill expects one to four arguments"))
442 442
443 443 text = evalstring(context, mapping, args[0])
444 444 width = 76
445 445 initindent = ''
446 446 hangindent = ''
447 447 if 2 <= len(args) <= 4:
448 448 width = evalinteger(context, mapping, args[1],
449 449 # i18n: "fill" is a keyword
450 450 _("fill expects an integer width"))
451 451 try:
452 452 initindent = evalstring(context, mapping, args[2])
453 453 hangindent = evalstring(context, mapping, args[3])
454 454 except IndexError:
455 455 pass
456 456
457 457 return templatefilters.fill(text, width, initindent, hangindent)
458 458
459 459 def pad(context, mapping, args):
460 460 """:pad(text, width[, fillchar=' '[, right=False]]): Pad text with a
461 461 fill character."""
462 462 if not (2 <= len(args) <= 4):
463 463 # i18n: "pad" is a keyword
464 464 raise error.ParseError(_("pad() expects two to four arguments"))
465 465
466 466 width = evalinteger(context, mapping, args[1],
467 467 # i18n: "pad" is a keyword
468 468 _("pad() expects an integer width"))
469 469
470 470 text = evalstring(context, mapping, args[0])
471 471
472 472 right = False
473 473 fillchar = ' '
474 474 if len(args) > 2:
475 475 fillchar = evalstring(context, mapping, args[2])
476 476 if len(args) > 3:
477 477 right = util.parsebool(args[3][1])
478 478
479 479 if right:
480 480 return text.rjust(width, fillchar)
481 481 else:
482 482 return text.ljust(width, fillchar)
483 483
484 484 def indent(context, mapping, args):
485 485 """:indent(text, indentchars[, firstline]): Indents all non-empty lines
486 486 with the characters given in the indentchars string. An optional
487 487 third parameter will override the indent for the first line only
488 488 if present."""
489 489 if not (2 <= len(args) <= 3):
490 490 # i18n: "indent" is a keyword
491 491 raise error.ParseError(_("indent() expects two or three arguments"))
492 492
493 493 text = evalstring(context, mapping, args[0])
494 494 indent = evalstring(context, mapping, args[1])
495 495
496 496 if len(args) == 3:
497 497 firstline = evalstring(context, mapping, args[2])
498 498 else:
499 499 firstline = indent
500 500
501 501 # the indent function doesn't indent the first line, so we do it here
502 502 return templatefilters.indent(firstline + text, indent)
503 503
504 504 def get(context, mapping, args):
505 505 """:get(dict, key): Get an attribute/key from an object. Some keywords
506 506 are complex types. This function allows you to obtain the value of an
507 507 attribute on these types."""
508 508 if len(args) != 2:
509 509 # i18n: "get" is a keyword
510 510 raise error.ParseError(_("get() expects two arguments"))
511 511
512 512 dictarg = evalfuncarg(context, mapping, args[0])
513 513 if not util.safehasattr(dictarg, 'get'):
514 514 # i18n: "get" is a keyword
515 515 raise error.ParseError(_("get() expects a dict as first argument"))
516 516
517 517 key = evalfuncarg(context, mapping, args[1])
518 518 return dictarg.get(key)
519 519
520 520 def if_(context, mapping, args):
521 521 """:if(expr, then[, else]): Conditionally execute based on the result of
522 522 an expression."""
523 523 if not (2 <= len(args) <= 3):
524 524 # i18n: "if" is a keyword
525 525 raise error.ParseError(_("if expects two or three arguments"))
526 526
527 527 test = evalstring(context, mapping, args[0])
528 528 if test:
529 529 yield args[1][0](context, mapping, args[1][1])
530 530 elif len(args) == 3:
531 531 yield args[2][0](context, mapping, args[2][1])
532 532
533 533 def ifcontains(context, mapping, args):
534 534 """:ifcontains(search, thing, then[, else]): Conditionally execute based
535 535 on whether the item "search" is in "thing"."""
536 536 if not (3 <= len(args) <= 4):
537 537 # i18n: "ifcontains" is a keyword
538 538 raise error.ParseError(_("ifcontains expects three or four arguments"))
539 539
540 540 item = evalstring(context, mapping, args[0])
541 541 items = evalfuncarg(context, mapping, args[1])
542 542
543 543 if item in items:
544 544 yield args[2][0](context, mapping, args[2][1])
545 545 elif len(args) == 4:
546 546 yield args[3][0](context, mapping, args[3][1])
547 547
548 548 def ifeq(context, mapping, args):
549 549 """:ifeq(expr1, expr2, then[, else]): Conditionally execute based on
550 550 whether 2 items are equivalent."""
551 551 if not (3 <= len(args) <= 4):
552 552 # i18n: "ifeq" is a keyword
553 553 raise error.ParseError(_("ifeq expects three or four arguments"))
554 554
555 555 test = evalstring(context, mapping, args[0])
556 556 match = evalstring(context, mapping, args[1])
557 557 if test == match:
558 558 yield args[2][0](context, mapping, args[2][1])
559 559 elif len(args) == 4:
560 560 yield args[3][0](context, mapping, args[3][1])
561 561
562 562 def join(context, mapping, args):
563 563 """:join(list, sep): Join items in a list with a delimiter."""
564 564 if not (1 <= len(args) <= 2):
565 565 # i18n: "join" is a keyword
566 566 raise error.ParseError(_("join expects one or two arguments"))
567 567
568 568 joinset = args[0][0](context, mapping, args[0][1])
569 569 if util.safehasattr(joinset, 'itermaps'):
570 570 jf = joinset.joinfmt
571 571 joinset = [jf(x) for x in joinset.itermaps()]
572 572
573 573 joiner = " "
574 574 if len(args) > 1:
575 575 joiner = evalstring(context, mapping, args[1])
576 576
577 577 first = True
578 578 for x in joinset:
579 579 if first:
580 580 first = False
581 581 else:
582 582 yield joiner
583 583 yield x
584 584
585 585 def label(context, mapping, args):
586 586 """:label(label, expr): Apply a label to generated content. Content with
587 587 a label applied can result in additional post-processing, such as
588 588 automatic colorization."""
589 589 if len(args) != 2:
590 590 # i18n: "label" is a keyword
591 591 raise error.ParseError(_("label expects two arguments"))
592 592
593 593 ui = mapping['ui']
594 594 thing = evalstring(context, mapping, args[1])
595 595 # preserve unknown symbol as literal so effects like 'red', 'bold',
596 596 # etc. don't need to be quoted
597 597 label = evalstringliteral(context, mapping, args[0])
598 598
599 599 return ui.label(thing, label)
600 600
601 601 def latesttag(context, mapping, args):
602 602 """:latesttag([pattern]): The global tags matching the given pattern on the
603 603 most recent globally tagged ancestor of this changeset."""
604 604 if len(args) > 1:
605 605 # i18n: "latesttag" is a keyword
606 606 raise error.ParseError(_("latesttag expects at most one argument"))
607 607
608 608 pattern = None
609 609 if len(args) == 1:
610 610 pattern = evalstring(context, mapping, args[0])
611 611
612 612 return templatekw.showlatesttags(pattern, **mapping)
613 613
614 614 def localdate(context, mapping, args):
615 615 """:localdate(date[, tz]): Converts a date to the specified timezone.
616 616 The default is local date."""
617 617 if not (1 <= len(args) <= 2):
618 618 # i18n: "localdate" is a keyword
619 619 raise error.ParseError(_("localdate expects one or two arguments"))
620 620
621 621 date = evalfuncarg(context, mapping, args[0])
622 622 try:
623 623 date = util.parsedate(date)
624 624 except AttributeError: # not str nor date tuple
625 625 # i18n: "localdate" is a keyword
626 626 raise error.ParseError(_("localdate expects a date information"))
627 627 if len(args) >= 2:
628 628 tzoffset = None
629 629 tz = evalfuncarg(context, mapping, args[1])
630 630 if isinstance(tz, str):
631 631 tzoffset = util.parsetimezone(tz)
632 632 if tzoffset is None:
633 633 try:
634 634 tzoffset = int(tz)
635 635 except (TypeError, ValueError):
636 636 # i18n: "localdate" is a keyword
637 637 raise error.ParseError(_("localdate expects a timezone"))
638 638 else:
639 639 tzoffset = util.makedate()[1]
640 640 return (date[0], tzoffset)
641 641
642 642 def revset(context, mapping, args):
643 643 """:revset(query[, formatargs...]): Execute a revision set query. See
644 644 :hg:`help revset`."""
645 645 if not len(args) > 0:
646 646 # i18n: "revset" is a keyword
647 647 raise error.ParseError(_("revset expects one or more arguments"))
648 648
649 649 raw = evalstring(context, mapping, args[0])
650 650 ctx = mapping['ctx']
651 651 repo = ctx.repo()
652 652
653 653 def query(expr):
654 654 m = revsetmod.match(repo.ui, expr)
655 655 return m(repo)
656 656
657 657 if len(args) > 1:
658 658 formatargs = [evalfuncarg(context, mapping, a) for a in args[1:]]
659 659 revs = query(revsetmod.formatspec(raw, *formatargs))
660 660 revs = list(revs)
661 661 else:
662 662 revsetcache = mapping['cache'].setdefault("revsetcache", {})
663 663 if raw in revsetcache:
664 664 revs = revsetcache[raw]
665 665 else:
666 666 revs = query(raw)
667 667 revs = list(revs)
668 668 revsetcache[raw] = revs
669 669
670 670 return templatekw.showrevslist("revision", revs, **mapping)
671 671
672 672 def rstdoc(context, mapping, args):
673 673 """:rstdoc(text, style): Format ReStructuredText."""
674 674 if len(args) != 2:
675 675 # i18n: "rstdoc" is a keyword
676 676 raise error.ParseError(_("rstdoc expects two arguments"))
677 677
678 678 text = evalstring(context, mapping, args[0])
679 679 style = evalstring(context, mapping, args[1])
680 680
681 681 return minirst.format(text, style=style, keep=['verbose'])
682 682
683 683 def shortest(context, mapping, args):
684 684 """:shortest(node, minlength=4): Obtain the shortest representation of
685 685 a node."""
686 686 if not (1 <= len(args) <= 2):
687 687 # i18n: "shortest" is a keyword
688 688 raise error.ParseError(_("shortest() expects one or two arguments"))
689 689
690 690 node = evalstring(context, mapping, args[0])
691 691
692 692 minlength = 4
693 693 if len(args) > 1:
694 694 minlength = evalinteger(context, mapping, args[1],
695 695 # i18n: "shortest" is a keyword
696 696 _("shortest() expects an integer minlength"))
697 697
698 698 cl = mapping['ctx']._repo.changelog
699 699 def isvalid(test):
700 700 try:
701 701 try:
702 702 cl.index.partialmatch(test)
703 703 except AttributeError:
704 704 # Pure mercurial doesn't support partialmatch on the index.
705 705 # Fallback to the slow way.
706 706 if cl._partialmatch(test) is None:
707 707 return False
708 708
709 709 try:
710 710 i = int(test)
711 711 # if we are a pure int, then starting with zero will not be
712 712 # confused as a rev; or, obviously, if the int is larger than
713 713 # the value of the tip rev
714 714 if test[0] == '0' or i > len(cl):
715 715 return True
716 716 return False
717 717 except ValueError:
718 718 return True
719 719 except error.RevlogError:
720 720 return False
721 721
722 722 shortest = node
723 723 startlength = max(6, minlength)
724 724 length = startlength
725 725 while True:
726 726 test = node[:length]
727 727 if isvalid(test):
728 728 shortest = test
729 729 if length == minlength or length > startlength:
730 730 return shortest
731 731 length -= 1
732 732 else:
733 733 length += 1
734 734 if len(shortest) <= length:
735 735 return shortest
736 736
737 737 def strip(context, mapping, args):
738 738 """:strip(text[, chars]): Strip characters from a string. By default,
739 739 strips all leading and trailing whitespace."""
740 740 if not (1 <= len(args) <= 2):
741 741 # i18n: "strip" is a keyword
742 742 raise error.ParseError(_("strip expects one or two arguments"))
743 743
744 744 text = evalstring(context, mapping, args[0])
745 745 if len(args) == 2:
746 746 chars = evalstring(context, mapping, args[1])
747 747 return text.strip(chars)
748 748 return text.strip()
749 749
750 750 def sub(context, mapping, args):
751 751 """:sub(pattern, replacement, expression): Perform text substitution
752 752 using regular expressions."""
753 753 if len(args) != 3:
754 754 # i18n: "sub" is a keyword
755 755 raise error.ParseError(_("sub expects three arguments"))
756 756
757 757 pat = evalstring(context, mapping, args[0])
758 758 rpl = evalstring(context, mapping, args[1])
759 759 src = evalstring(context, mapping, args[2])
760 760 try:
761 761 patre = re.compile(pat)
762 762 except re.error:
763 763 # i18n: "sub" is a keyword
764 764 raise error.ParseError(_("sub got an invalid pattern: %s") % pat)
765 765 try:
766 766 yield patre.sub(rpl, src)
767 767 except re.error:
768 768 # i18n: "sub" is a keyword
769 769 raise error.ParseError(_("sub got an invalid replacement: %s") % rpl)
770 770
771 771 def startswith(context, mapping, args):
772 772 """:startswith(pattern, text): Returns the value from the "text" argument
773 773 if it begins with the content from the "pattern" argument."""
774 774 if len(args) != 2:
775 775 # i18n: "startswith" is a keyword
776 776 raise error.ParseError(_("startswith expects two arguments"))
777 777
778 778 patn = evalstring(context, mapping, args[0])
779 779 text = evalstring(context, mapping, args[1])
780 780 if text.startswith(patn):
781 781 return text
782 782 return ''
783 783
784 784
785 785 def word(context, mapping, args):
786 786 """:word(number, text[, separator]): Return the nth word from a string."""
787 787 if not (2 <= len(args) <= 3):
788 788 # i18n: "word" is a keyword
789 789 raise error.ParseError(_("word expects two or three arguments, got %d")
790 790 % len(args))
791 791
792 792 num = evalinteger(context, mapping, args[0],
793 793 # i18n: "word" is a keyword
794 794 _("word expects an integer index"))
795 795 text = evalstring(context, mapping, args[1])
796 796 if len(args) == 3:
797 797 splitter = evalstring(context, mapping, args[2])
798 798 else:
799 799 splitter = None
800 800
801 801 tokens = text.split(splitter)
802 802 if num >= len(tokens) or num < -len(tokens):
803 803 return ''
804 804 else:
805 805 return tokens[num]
806 806
807 807 # methods to interpret function arguments or inner expressions (e.g. {_(x)})
808 808 exprmethods = {
809 809 "integer": lambda e, c: (runinteger, e[1]),
810 810 "string": lambda e, c: (runstring, e[1]),
811 811 "symbol": lambda e, c: (runsymbol, e[1]),
812 812 "template": buildtemplate,
813 813 "group": lambda e, c: compileexp(e[1], c, exprmethods),
814 814 # ".": buildmember,
815 815 "|": buildfilter,
816 816 "%": buildmap,
817 817 "func": buildfunc,
818 818 }
819 819
820 820 # methods to interpret top-level template (e.g. {x}, {x|_}, {x % "y"})
821 821 methods = exprmethods.copy()
822 822 methods["integer"] = exprmethods["symbol"] # '{1}' as variable
823 823
824 824 funcs = {
825 825 "date": date,
826 826 "diff": diff,
827 827 "fill": fill,
828 828 "get": get,
829 829 "if": if_,
830 830 "ifcontains": ifcontains,
831 831 "ifeq": ifeq,
832 832 "indent": indent,
833 833 "join": join,
834 834 "label": label,
835 835 "latesttag": latesttag,
836 836 "localdate": localdate,
837 837 "pad": pad,
838 838 "revset": revset,
839 839 "rstdoc": rstdoc,
840 840 "shortest": shortest,
841 841 "startswith": startswith,
842 842 "strip": strip,
843 843 "sub": sub,
844 844 "word": word,
845 845 }
846 846
847 847 # template engine
848 848
849 849 stringify = templatefilters.stringify
850 850
851 851 def _flatten(thing):
852 852 '''yield a single stream from a possibly nested set of iterators'''
853 853 if isinstance(thing, str):
854 854 yield thing
855 855 elif not util.safehasattr(thing, '__iter__'):
856 856 if thing is not None:
857 857 yield str(thing)
858 858 else:
859 859 for i in thing:
860 860 if isinstance(i, str):
861 861 yield i
862 862 elif not util.safehasattr(i, '__iter__'):
863 863 if i is not None:
864 864 yield str(i)
865 865 elif i is not None:
866 866 for j in _flatten(i):
867 867 yield j
868 868
869 869 def unquotestring(s):
870 870 '''unwrap quotes if any; otherwise returns unmodified string'''
871 if len(s) < 2 or s[0] != s[-1]:
871 if len(s) < 2 or s[0] not in "'\"" or s[0] != s[-1]:
872 872 return s
873 873 return s[1:-1]
874 874
875 875 class engine(object):
876 876 '''template expansion engine.
877 877
878 878 template expansion works like this. a map file contains key=value
879 879 pairs. if value is quoted, it is treated as string. otherwise, it
880 880 is treated as name of template file.
881 881
882 882 templater is asked to expand a key in map. it looks up key, and
883 883 looks for strings like this: {foo}. it expands {foo} by looking up
884 884 foo in map, and substituting it. expansion is recursive: it stops
885 885 when there is no more {foo} to replace.
886 886
887 887 expansion also allows formatting and filtering.
888 888
889 889 format uses key to expand each item in list. syntax is
890 890 {key%format}.
891 891
892 892 filter uses function to transform value. syntax is
893 893 {key|filter1|filter2|...}.'''
894 894
895 895 def __init__(self, loader, filters=None, defaults=None):
896 896 self._loader = loader
897 897 if filters is None:
898 898 filters = {}
899 899 self._filters = filters
900 900 if defaults is None:
901 901 defaults = {}
902 902 self._defaults = defaults
903 903 self._cache = {} # key: (func, data)
904 904
905 905 def _load(self, t):
906 906 '''load, parse, and cache a template'''
907 907 if t not in self._cache:
908 908 # put poison to cut recursion while compiling 't'
909 909 self._cache[t] = (_runrecursivesymbol, t)
910 910 try:
911 911 self._cache[t] = compiletemplate(self._loader(t), self)
912 912 except: # re-raises
913 913 del self._cache[t]
914 914 raise
915 915 return self._cache[t]
916 916
917 917 def process(self, t, mapping):
918 918 '''Perform expansion. t is name of map element to expand.
919 919 mapping contains added elements for use during expansion. Is a
920 920 generator.'''
921 921 func, data = self._load(t)
922 922 return _flatten(func(self, mapping, data))
923 923
924 924 engines = {'default': engine}
925 925
926 926 def stylelist():
927 927 paths = templatepaths()
928 928 if not paths:
929 929 return _('no templates found, try `hg debuginstall` for more info')
930 930 dirlist = os.listdir(paths[0])
931 931 stylelist = []
932 932 for file in dirlist:
933 933 split = file.split(".")
934 934 if split[-1] in ('orig', 'rej'):
935 935 continue
936 936 if split[0] == "map-cmdline":
937 937 stylelist.append(split[1])
938 938 return ", ".join(sorted(stylelist))
939 939
940 940 class TemplateNotFound(error.Abort):
941 941 pass
942 942
943 943 class templater(object):
944 944
945 945 def __init__(self, mapfile, filters=None, defaults=None, cache=None,
946 946 minchunk=1024, maxchunk=65536):
947 947 '''set up template engine.
948 948 mapfile is name of file to read map definitions from.
949 949 filters is dict of functions. each transforms a value into another.
950 950 defaults is dict of default map definitions.'''
951 951 if filters is None:
952 952 filters = {}
953 953 if defaults is None:
954 954 defaults = {}
955 955 if cache is None:
956 956 cache = {}
957 957 self.mapfile = mapfile or 'template'
958 958 self.cache = cache.copy()
959 959 self.map = {}
960 960 if mapfile:
961 961 self.base = os.path.dirname(mapfile)
962 962 else:
963 963 self.base = ''
964 964 self.filters = templatefilters.filters.copy()
965 965 self.filters.update(filters)
966 966 self.defaults = defaults
967 967 self.minchunk, self.maxchunk = minchunk, maxchunk
968 968 self.ecache = {}
969 969
970 970 if not mapfile:
971 971 return
972 972 if not os.path.exists(mapfile):
973 973 raise error.Abort(_("style '%s' not found") % mapfile,
974 974 hint=_("available styles: %s") % stylelist())
975 975
976 976 conf = config.config(includepaths=templatepaths())
977 977 conf.read(mapfile)
978 978
979 979 for key, val in conf[''].items():
980 980 if not val:
981 981 raise error.ParseError(_('missing value'), conf.source('', key))
982 982 if val[0] in "'\"":
983 983 if val[0] != val[-1]:
984 984 raise error.ParseError(_('unmatched quotes'),
985 985 conf.source('', key))
986 986 self.cache[key] = unquotestring(val)
987 987 else:
988 988 val = 'default', val
989 989 if ':' in val[1]:
990 990 val = val[1].split(':', 1)
991 991 self.map[key] = val[0], os.path.join(self.base, val[1])
992 992
993 993 def __contains__(self, key):
994 994 return key in self.cache or key in self.map
995 995
996 996 def load(self, t):
997 997 '''Get the template for the given template name. Use a local cache.'''
998 998 if t not in self.cache:
999 999 try:
1000 1000 self.cache[t] = util.readfile(self.map[t][1])
1001 1001 except KeyError as inst:
1002 1002 raise TemplateNotFound(_('"%s" not in template map') %
1003 1003 inst.args[0])
1004 1004 except IOError as inst:
1005 1005 raise IOError(inst.args[0], _('template file %s: %s') %
1006 1006 (self.map[t][1], inst.args[1]))
1007 1007 return self.cache[t]
1008 1008
1009 1009 def __call__(self, t, **mapping):
1010 1010 ttype = t in self.map and self.map[t][0] or 'default'
1011 1011 if ttype not in self.ecache:
1012 1012 self.ecache[ttype] = engines[ttype](self.load,
1013 1013 self.filters, self.defaults)
1014 1014 proc = self.ecache[ttype]
1015 1015
1016 1016 stream = proc.process(t, mapping)
1017 1017 if self.minchunk:
1018 1018 stream = util.increasingchunks(stream, min=self.minchunk,
1019 1019 max=self.maxchunk)
1020 1020 return stream
1021 1021
1022 1022 def templatepaths():
1023 1023 '''return locations used for template files.'''
1024 1024 pathsrel = ['templates']
1025 1025 paths = [os.path.normpath(os.path.join(util.datapath, f))
1026 1026 for f in pathsrel]
1027 1027 return [p for p in paths if os.path.isdir(p)]
1028 1028
1029 1029 def templatepath(name):
1030 1030 '''return location of template file. returns None if not found.'''
1031 1031 for p in templatepaths():
1032 1032 f = os.path.join(p, name)
1033 1033 if os.path.exists(f):
1034 1034 return f
1035 1035 return None
1036 1036
1037 1037 def stylemap(styles, paths=None):
1038 1038 """Return path to mapfile for a given style.
1039 1039
1040 1040 Searches mapfile in the following locations:
1041 1041 1. templatepath/style/map
1042 1042 2. templatepath/map-style
1043 1043 3. templatepath/map
1044 1044 """
1045 1045
1046 1046 if paths is None:
1047 1047 paths = templatepaths()
1048 1048 elif isinstance(paths, str):
1049 1049 paths = [paths]
1050 1050
1051 1051 if isinstance(styles, str):
1052 1052 styles = [styles]
1053 1053
1054 1054 for style in styles:
1055 1055 # only plain name is allowed to honor template paths
1056 1056 if (not style
1057 1057 or style in (os.curdir, os.pardir)
1058 1058 or os.sep in style
1059 1059 or os.altsep and os.altsep in style):
1060 1060 continue
1061 1061 locations = [os.path.join(style, 'map'), 'map-' + style]
1062 1062 locations.append('map')
1063 1063
1064 1064 for path in paths:
1065 1065 for location in locations:
1066 1066 mapfile = os.path.join(path, location)
1067 1067 if os.path.isfile(mapfile):
1068 1068 return style, mapfile
1069 1069
1070 1070 raise RuntimeError("No hgweb templates found in %r" % paths)
1071 1071
1072 1072 # tell hggettext to extract docstrings from these functions:
1073 1073 i18nfunctions = funcs.values()
@@ -1,3693 +1,3695 b''
1 1 $ hg init a
2 2 $ cd a
3 3 $ echo a > a
4 4 $ hg add a
5 5 $ echo line 1 > b
6 6 $ echo line 2 >> b
7 7 $ hg commit -l b -d '1000000 0' -u 'User Name <user@hostname>'
8 8
9 9 $ hg add b
10 10 $ echo other 1 > c
11 11 $ echo other 2 >> c
12 12 $ echo >> c
13 13 $ echo other 3 >> c
14 14 $ hg commit -l c -d '1100000 0' -u 'A. N. Other <other@place>'
15 15
16 16 $ hg add c
17 17 $ hg commit -m 'no person' -d '1200000 0' -u 'other@place'
18 18 $ echo c >> c
19 19 $ hg commit -m 'no user, no domain' -d '1300000 0' -u 'person'
20 20
21 21 $ echo foo > .hg/branch
22 22 $ hg commit -m 'new branch' -d '1400000 0' -u 'person'
23 23
24 24 $ hg co -q 3
25 25 $ echo other 4 >> d
26 26 $ hg add d
27 27 $ hg commit -m 'new head' -d '1500000 0' -u 'person'
28 28
29 29 $ hg merge -q foo
30 30 $ hg commit -m 'merge' -d '1500001 0' -u 'person'
31 31
32 32 Second branch starting at nullrev:
33 33
34 34 $ hg update null
35 35 0 files updated, 0 files merged, 4 files removed, 0 files unresolved
36 36 $ echo second > second
37 37 $ hg add second
38 38 $ hg commit -m second -d '1000000 0' -u 'User Name <user@hostname>'
39 39 created new head
40 40
41 41 $ echo third > third
42 42 $ hg add third
43 43 $ hg mv second fourth
44 44 $ hg commit -m third -d "2020-01-01 10:01"
45 45
46 46 $ hg log --template '{join(file_copies, ",\n")}\n' -r .
47 47 fourth (second)
48 48 $ hg log -T '{file_copies % "{source} -> {name}\n"}' -r .
49 49 second -> fourth
50 50 $ hg log -T '{rev} {ifcontains("fourth", file_copies, "t", "f")}\n' -r .:7
51 51 8 t
52 52 7 f
53 53
54 54 Working-directory revision has special identifiers, though they are still
55 55 experimental:
56 56
57 57 $ hg log -r 'wdir()' -T '{rev}:{node}\n'
58 58 2147483647:ffffffffffffffffffffffffffffffffffffffff
59 59
60 60 Some keywords are invalid for working-directory revision, but they should
61 61 never cause crash:
62 62
63 63 $ hg log -r 'wdir()' -T '{manifest}\n'
64 64
65 65
66 66 Quoting for ui.logtemplate
67 67
68 68 $ hg tip --config "ui.logtemplate={rev}\n"
69 69 8
70 70 $ hg tip --config "ui.logtemplate='{rev}\n'"
71 71 8
72 72 $ hg tip --config 'ui.logtemplate="{rev}\n"'
73 73 8
74 $ hg tip --config 'ui.logtemplate=n{rev}\n'
75 n8
74 76
75 77 Make sure user/global hgrc does not affect tests
76 78
77 79 $ echo '[ui]' > .hg/hgrc
78 80 $ echo 'logtemplate =' >> .hg/hgrc
79 81 $ echo 'style =' >> .hg/hgrc
80 82
81 83 Add some simple styles to settings
82 84
83 85 $ echo '[templates]' >> .hg/hgrc
84 86 $ printf 'simple = "{rev}\\n"\n' >> .hg/hgrc
85 87 $ printf 'simple2 = {rev}\\n\n' >> .hg/hgrc
86 88
87 89 $ hg log -l1 -Tsimple
88 90 8
89 91 $ hg log -l1 -Tsimple2
90 92 8
91 93
92 94 Test templates and style maps in files:
93 95
94 96 $ echo "{rev}" > tmpl
95 97 $ hg log -l1 -T./tmpl
96 98 8
97 99 $ hg log -l1 -Tblah/blah
98 100 blah/blah (no-eol)
99 101
100 102 $ printf 'changeset = "{rev}\\n"\n' > map-simple
101 103 $ hg log -l1 -T./map-simple
102 104 8
103 105
104 106 Template should precede style option
105 107
106 108 $ hg log -l1 --style default -T '{rev}\n'
107 109 8
108 110
109 111 Add a commit with empty description, to ensure that the templates
110 112 below will omit the description line.
111 113
112 114 $ echo c >> c
113 115 $ hg add c
114 116 $ hg commit -qm ' '
115 117
116 118 Default style is like normal output. Phases style should be the same
117 119 as default style, except for extra phase lines.
118 120
119 121 $ hg log > log.out
120 122 $ hg log --style default > style.out
121 123 $ cmp log.out style.out || diff -u log.out style.out
122 124 $ hg log -T phases > phases.out
123 125 $ diff -U 0 log.out phases.out | egrep -v '^---|^\+\+\+|^@@'
124 126 +phase: draft
125 127 +phase: draft
126 128 +phase: draft
127 129 +phase: draft
128 130 +phase: draft
129 131 +phase: draft
130 132 +phase: draft
131 133 +phase: draft
132 134 +phase: draft
133 135 +phase: draft
134 136
135 137 $ hg log -v > log.out
136 138 $ hg log -v --style default > style.out
137 139 $ cmp log.out style.out || diff -u log.out style.out
138 140 $ hg log -v -T phases > phases.out
139 141 $ diff -U 0 log.out phases.out | egrep -v '^---|^\+\+\+|^@@'
140 142 +phase: draft
141 143 +phase: draft
142 144 +phase: draft
143 145 +phase: draft
144 146 +phase: draft
145 147 +phase: draft
146 148 +phase: draft
147 149 +phase: draft
148 150 +phase: draft
149 151 +phase: draft
150 152
151 153 $ hg log -q > log.out
152 154 $ hg log -q --style default > style.out
153 155 $ cmp log.out style.out || diff -u log.out style.out
154 156 $ hg log -q -T phases > phases.out
155 157 $ cmp log.out phases.out || diff -u log.out phases.out
156 158
157 159 $ hg log --debug > log.out
158 160 $ hg log --debug --style default > style.out
159 161 $ cmp log.out style.out || diff -u log.out style.out
160 162 $ hg log --debug -T phases > phases.out
161 163 $ cmp log.out phases.out || diff -u log.out phases.out
162 164
163 165 Default style of working-directory revision should also be the same (but
164 166 date may change while running tests):
165 167
166 168 $ hg log -r 'wdir()' | sed 's|^date:.*|date:|' > log.out
167 169 $ hg log -r 'wdir()' --style default | sed 's|^date:.*|date:|' > style.out
168 170 $ cmp log.out style.out || diff -u log.out style.out
169 171
170 172 $ hg log -r 'wdir()' -v | sed 's|^date:.*|date:|' > log.out
171 173 $ hg log -r 'wdir()' -v --style default | sed 's|^date:.*|date:|' > style.out
172 174 $ cmp log.out style.out || diff -u log.out style.out
173 175
174 176 $ hg log -r 'wdir()' -q > log.out
175 177 $ hg log -r 'wdir()' -q --style default > style.out
176 178 $ cmp log.out style.out || diff -u log.out style.out
177 179
178 180 $ hg log -r 'wdir()' --debug | sed 's|^date:.*|date:|' > log.out
179 181 $ hg log -r 'wdir()' --debug --style default \
180 182 > | sed 's|^date:.*|date:|' > style.out
181 183 $ cmp log.out style.out || diff -u log.out style.out
182 184
183 185 Default style should also preserve color information (issue2866):
184 186
185 187 $ cp $HGRCPATH $HGRCPATH-bak
186 188 $ cat <<EOF >> $HGRCPATH
187 189 > [extensions]
188 190 > color=
189 191 > EOF
190 192
191 193 $ hg --color=debug log > log.out
192 194 $ hg --color=debug log --style default > style.out
193 195 $ cmp log.out style.out || diff -u log.out style.out
194 196 $ hg --color=debug log -T phases > phases.out
195 197 $ diff -U 0 log.out phases.out | egrep -v '^---|^\+\+\+|^@@'
196 198 +[log.phase|phase: draft]
197 199 +[log.phase|phase: draft]
198 200 +[log.phase|phase: draft]
199 201 +[log.phase|phase: draft]
200 202 +[log.phase|phase: draft]
201 203 +[log.phase|phase: draft]
202 204 +[log.phase|phase: draft]
203 205 +[log.phase|phase: draft]
204 206 +[log.phase|phase: draft]
205 207 +[log.phase|phase: draft]
206 208
207 209 $ hg --color=debug -v log > log.out
208 210 $ hg --color=debug -v log --style default > style.out
209 211 $ cmp log.out style.out || diff -u log.out style.out
210 212 $ hg --color=debug -v log -T phases > phases.out
211 213 $ diff -U 0 log.out phases.out | egrep -v '^---|^\+\+\+|^@@'
212 214 +[log.phase|phase: draft]
213 215 +[log.phase|phase: draft]
214 216 +[log.phase|phase: draft]
215 217 +[log.phase|phase: draft]
216 218 +[log.phase|phase: draft]
217 219 +[log.phase|phase: draft]
218 220 +[log.phase|phase: draft]
219 221 +[log.phase|phase: draft]
220 222 +[log.phase|phase: draft]
221 223 +[log.phase|phase: draft]
222 224
223 225 $ hg --color=debug -q log > log.out
224 226 $ hg --color=debug -q log --style default > style.out
225 227 $ cmp log.out style.out || diff -u log.out style.out
226 228 $ hg --color=debug -q log -T phases > phases.out
227 229 $ cmp log.out phases.out || diff -u log.out phases.out
228 230
229 231 $ hg --color=debug --debug log > log.out
230 232 $ hg --color=debug --debug log --style default > style.out
231 233 $ cmp log.out style.out || diff -u log.out style.out
232 234 $ hg --color=debug --debug log -T phases > phases.out
233 235 $ cmp log.out phases.out || diff -u log.out phases.out
234 236
235 237 $ mv $HGRCPATH-bak $HGRCPATH
236 238
237 239 Remove commit with empty commit message, so as to not pollute further
238 240 tests.
239 241
240 242 $ hg --config extensions.strip= strip -q .
241 243
242 244 Revision with no copies (used to print a traceback):
243 245
244 246 $ hg tip -v --template '\n'
245 247
246 248
247 249 Compact style works:
248 250
249 251 $ hg log -Tcompact
250 252 8[tip] 95c24699272e 2020-01-01 10:01 +0000 test
251 253 third
252 254
253 255 7:-1 29114dbae42b 1970-01-12 13:46 +0000 user
254 256 second
255 257
256 258 6:5,4 d41e714fe50d 1970-01-18 08:40 +0000 person
257 259 merge
258 260
259 261 5:3 13207e5a10d9 1970-01-18 08:40 +0000 person
260 262 new head
261 263
262 264 4 bbe44766e73d 1970-01-17 04:53 +0000 person
263 265 new branch
264 266
265 267 3 10e46f2dcbf4 1970-01-16 01:06 +0000 person
266 268 no user, no domain
267 269
268 270 2 97054abb4ab8 1970-01-14 21:20 +0000 other
269 271 no person
270 272
271 273 1 b608e9d1a3f0 1970-01-13 17:33 +0000 other
272 274 other 1
273 275
274 276 0 1e4e1b8f71e0 1970-01-12 13:46 +0000 user
275 277 line 1
276 278
277 279
278 280 $ hg log -v --style compact
279 281 8[tip] 95c24699272e 2020-01-01 10:01 +0000 test
280 282 third
281 283
282 284 7:-1 29114dbae42b 1970-01-12 13:46 +0000 User Name <user@hostname>
283 285 second
284 286
285 287 6:5,4 d41e714fe50d 1970-01-18 08:40 +0000 person
286 288 merge
287 289
288 290 5:3 13207e5a10d9 1970-01-18 08:40 +0000 person
289 291 new head
290 292
291 293 4 bbe44766e73d 1970-01-17 04:53 +0000 person
292 294 new branch
293 295
294 296 3 10e46f2dcbf4 1970-01-16 01:06 +0000 person
295 297 no user, no domain
296 298
297 299 2 97054abb4ab8 1970-01-14 21:20 +0000 other@place
298 300 no person
299 301
300 302 1 b608e9d1a3f0 1970-01-13 17:33 +0000 A. N. Other <other@place>
301 303 other 1
302 304 other 2
303 305
304 306 other 3
305 307
306 308 0 1e4e1b8f71e0 1970-01-12 13:46 +0000 User Name <user@hostname>
307 309 line 1
308 310 line 2
309 311
310 312
311 313 $ hg log --debug --style compact
312 314 8[tip]:7,-1 95c24699272e 2020-01-01 10:01 +0000 test
313 315 third
314 316
315 317 7:-1,-1 29114dbae42b 1970-01-12 13:46 +0000 User Name <user@hostname>
316 318 second
317 319
318 320 6:5,4 d41e714fe50d 1970-01-18 08:40 +0000 person
319 321 merge
320 322
321 323 5:3,-1 13207e5a10d9 1970-01-18 08:40 +0000 person
322 324 new head
323 325
324 326 4:3,-1 bbe44766e73d 1970-01-17 04:53 +0000 person
325 327 new branch
326 328
327 329 3:2,-1 10e46f2dcbf4 1970-01-16 01:06 +0000 person
328 330 no user, no domain
329 331
330 332 2:1,-1 97054abb4ab8 1970-01-14 21:20 +0000 other@place
331 333 no person
332 334
333 335 1:0,-1 b608e9d1a3f0 1970-01-13 17:33 +0000 A. N. Other <other@place>
334 336 other 1
335 337 other 2
336 338
337 339 other 3
338 340
339 341 0:-1,-1 1e4e1b8f71e0 1970-01-12 13:46 +0000 User Name <user@hostname>
340 342 line 1
341 343 line 2
342 344
343 345
344 346 Test xml styles:
345 347
346 348 $ hg log --style xml -r 'not all()'
347 349 <?xml version="1.0"?>
348 350 <log>
349 351 </log>
350 352
351 353 $ hg log --style xml
352 354 <?xml version="1.0"?>
353 355 <log>
354 356 <logentry revision="8" node="95c24699272ef57d062b8bccc32c878bf841784a">
355 357 <tag>tip</tag>
356 358 <author email="test">test</author>
357 359 <date>2020-01-01T10:01:00+00:00</date>
358 360 <msg xml:space="preserve">third</msg>
359 361 </logentry>
360 362 <logentry revision="7" node="29114dbae42b9f078cf2714dbe3a86bba8ec7453">
361 363 <parent revision="-1" node="0000000000000000000000000000000000000000" />
362 364 <author email="user@hostname">User Name</author>
363 365 <date>1970-01-12T13:46:40+00:00</date>
364 366 <msg xml:space="preserve">second</msg>
365 367 </logentry>
366 368 <logentry revision="6" node="d41e714fe50d9e4a5f11b4d595d543481b5f980b">
367 369 <parent revision="5" node="13207e5a10d9fd28ec424934298e176197f2c67f" />
368 370 <parent revision="4" node="bbe44766e73d5f11ed2177f1838de10c53ef3e74" />
369 371 <author email="person">person</author>
370 372 <date>1970-01-18T08:40:01+00:00</date>
371 373 <msg xml:space="preserve">merge</msg>
372 374 </logentry>
373 375 <logentry revision="5" node="13207e5a10d9fd28ec424934298e176197f2c67f">
374 376 <parent revision="3" node="10e46f2dcbf4823578cf180f33ecf0b957964c47" />
375 377 <author email="person">person</author>
376 378 <date>1970-01-18T08:40:00+00:00</date>
377 379 <msg xml:space="preserve">new head</msg>
378 380 </logentry>
379 381 <logentry revision="4" node="bbe44766e73d5f11ed2177f1838de10c53ef3e74">
380 382 <branch>foo</branch>
381 383 <author email="person">person</author>
382 384 <date>1970-01-17T04:53:20+00:00</date>
383 385 <msg xml:space="preserve">new branch</msg>
384 386 </logentry>
385 387 <logentry revision="3" node="10e46f2dcbf4823578cf180f33ecf0b957964c47">
386 388 <author email="person">person</author>
387 389 <date>1970-01-16T01:06:40+00:00</date>
388 390 <msg xml:space="preserve">no user, no domain</msg>
389 391 </logentry>
390 392 <logentry revision="2" node="97054abb4ab824450e9164180baf491ae0078465">
391 393 <author email="other@place">other</author>
392 394 <date>1970-01-14T21:20:00+00:00</date>
393 395 <msg xml:space="preserve">no person</msg>
394 396 </logentry>
395 397 <logentry revision="1" node="b608e9d1a3f0273ccf70fb85fd6866b3482bf965">
396 398 <author email="other@place">A. N. Other</author>
397 399 <date>1970-01-13T17:33:20+00:00</date>
398 400 <msg xml:space="preserve">other 1
399 401 other 2
400 402
401 403 other 3</msg>
402 404 </logentry>
403 405 <logentry revision="0" node="1e4e1b8f71e05681d422154f5421e385fec3454f">
404 406 <author email="user@hostname">User Name</author>
405 407 <date>1970-01-12T13:46:40+00:00</date>
406 408 <msg xml:space="preserve">line 1
407 409 line 2</msg>
408 410 </logentry>
409 411 </log>
410 412
411 413 $ hg log -v --style xml
412 414 <?xml version="1.0"?>
413 415 <log>
414 416 <logentry revision="8" node="95c24699272ef57d062b8bccc32c878bf841784a">
415 417 <tag>tip</tag>
416 418 <author email="test">test</author>
417 419 <date>2020-01-01T10:01:00+00:00</date>
418 420 <msg xml:space="preserve">third</msg>
419 421 <paths>
420 422 <path action="A">fourth</path>
421 423 <path action="A">third</path>
422 424 <path action="R">second</path>
423 425 </paths>
424 426 <copies>
425 427 <copy source="second">fourth</copy>
426 428 </copies>
427 429 </logentry>
428 430 <logentry revision="7" node="29114dbae42b9f078cf2714dbe3a86bba8ec7453">
429 431 <parent revision="-1" node="0000000000000000000000000000000000000000" />
430 432 <author email="user@hostname">User Name</author>
431 433 <date>1970-01-12T13:46:40+00:00</date>
432 434 <msg xml:space="preserve">second</msg>
433 435 <paths>
434 436 <path action="A">second</path>
435 437 </paths>
436 438 </logentry>
437 439 <logentry revision="6" node="d41e714fe50d9e4a5f11b4d595d543481b5f980b">
438 440 <parent revision="5" node="13207e5a10d9fd28ec424934298e176197f2c67f" />
439 441 <parent revision="4" node="bbe44766e73d5f11ed2177f1838de10c53ef3e74" />
440 442 <author email="person">person</author>
441 443 <date>1970-01-18T08:40:01+00:00</date>
442 444 <msg xml:space="preserve">merge</msg>
443 445 <paths>
444 446 </paths>
445 447 </logentry>
446 448 <logentry revision="5" node="13207e5a10d9fd28ec424934298e176197f2c67f">
447 449 <parent revision="3" node="10e46f2dcbf4823578cf180f33ecf0b957964c47" />
448 450 <author email="person">person</author>
449 451 <date>1970-01-18T08:40:00+00:00</date>
450 452 <msg xml:space="preserve">new head</msg>
451 453 <paths>
452 454 <path action="A">d</path>
453 455 </paths>
454 456 </logentry>
455 457 <logentry revision="4" node="bbe44766e73d5f11ed2177f1838de10c53ef3e74">
456 458 <branch>foo</branch>
457 459 <author email="person">person</author>
458 460 <date>1970-01-17T04:53:20+00:00</date>
459 461 <msg xml:space="preserve">new branch</msg>
460 462 <paths>
461 463 </paths>
462 464 </logentry>
463 465 <logentry revision="3" node="10e46f2dcbf4823578cf180f33ecf0b957964c47">
464 466 <author email="person">person</author>
465 467 <date>1970-01-16T01:06:40+00:00</date>
466 468 <msg xml:space="preserve">no user, no domain</msg>
467 469 <paths>
468 470 <path action="M">c</path>
469 471 </paths>
470 472 </logentry>
471 473 <logentry revision="2" node="97054abb4ab824450e9164180baf491ae0078465">
472 474 <author email="other@place">other</author>
473 475 <date>1970-01-14T21:20:00+00:00</date>
474 476 <msg xml:space="preserve">no person</msg>
475 477 <paths>
476 478 <path action="A">c</path>
477 479 </paths>
478 480 </logentry>
479 481 <logentry revision="1" node="b608e9d1a3f0273ccf70fb85fd6866b3482bf965">
480 482 <author email="other@place">A. N. Other</author>
481 483 <date>1970-01-13T17:33:20+00:00</date>
482 484 <msg xml:space="preserve">other 1
483 485 other 2
484 486
485 487 other 3</msg>
486 488 <paths>
487 489 <path action="A">b</path>
488 490 </paths>
489 491 </logentry>
490 492 <logentry revision="0" node="1e4e1b8f71e05681d422154f5421e385fec3454f">
491 493 <author email="user@hostname">User Name</author>
492 494 <date>1970-01-12T13:46:40+00:00</date>
493 495 <msg xml:space="preserve">line 1
494 496 line 2</msg>
495 497 <paths>
496 498 <path action="A">a</path>
497 499 </paths>
498 500 </logentry>
499 501 </log>
500 502
501 503 $ hg log --debug --style xml
502 504 <?xml version="1.0"?>
503 505 <log>
504 506 <logentry revision="8" node="95c24699272ef57d062b8bccc32c878bf841784a">
505 507 <tag>tip</tag>
506 508 <parent revision="7" node="29114dbae42b9f078cf2714dbe3a86bba8ec7453" />
507 509 <parent revision="-1" node="0000000000000000000000000000000000000000" />
508 510 <author email="test">test</author>
509 511 <date>2020-01-01T10:01:00+00:00</date>
510 512 <msg xml:space="preserve">third</msg>
511 513 <paths>
512 514 <path action="A">fourth</path>
513 515 <path action="A">third</path>
514 516 <path action="R">second</path>
515 517 </paths>
516 518 <copies>
517 519 <copy source="second">fourth</copy>
518 520 </copies>
519 521 <extra key="branch">default</extra>
520 522 </logentry>
521 523 <logentry revision="7" node="29114dbae42b9f078cf2714dbe3a86bba8ec7453">
522 524 <parent revision="-1" node="0000000000000000000000000000000000000000" />
523 525 <parent revision="-1" node="0000000000000000000000000000000000000000" />
524 526 <author email="user@hostname">User Name</author>
525 527 <date>1970-01-12T13:46:40+00:00</date>
526 528 <msg xml:space="preserve">second</msg>
527 529 <paths>
528 530 <path action="A">second</path>
529 531 </paths>
530 532 <extra key="branch">default</extra>
531 533 </logentry>
532 534 <logentry revision="6" node="d41e714fe50d9e4a5f11b4d595d543481b5f980b">
533 535 <parent revision="5" node="13207e5a10d9fd28ec424934298e176197f2c67f" />
534 536 <parent revision="4" node="bbe44766e73d5f11ed2177f1838de10c53ef3e74" />
535 537 <author email="person">person</author>
536 538 <date>1970-01-18T08:40:01+00:00</date>
537 539 <msg xml:space="preserve">merge</msg>
538 540 <paths>
539 541 </paths>
540 542 <extra key="branch">default</extra>
541 543 </logentry>
542 544 <logentry revision="5" node="13207e5a10d9fd28ec424934298e176197f2c67f">
543 545 <parent revision="3" node="10e46f2dcbf4823578cf180f33ecf0b957964c47" />
544 546 <parent revision="-1" node="0000000000000000000000000000000000000000" />
545 547 <author email="person">person</author>
546 548 <date>1970-01-18T08:40:00+00:00</date>
547 549 <msg xml:space="preserve">new head</msg>
548 550 <paths>
549 551 <path action="A">d</path>
550 552 </paths>
551 553 <extra key="branch">default</extra>
552 554 </logentry>
553 555 <logentry revision="4" node="bbe44766e73d5f11ed2177f1838de10c53ef3e74">
554 556 <branch>foo</branch>
555 557 <parent revision="3" node="10e46f2dcbf4823578cf180f33ecf0b957964c47" />
556 558 <parent revision="-1" node="0000000000000000000000000000000000000000" />
557 559 <author email="person">person</author>
558 560 <date>1970-01-17T04:53:20+00:00</date>
559 561 <msg xml:space="preserve">new branch</msg>
560 562 <paths>
561 563 </paths>
562 564 <extra key="branch">foo</extra>
563 565 </logentry>
564 566 <logentry revision="3" node="10e46f2dcbf4823578cf180f33ecf0b957964c47">
565 567 <parent revision="2" node="97054abb4ab824450e9164180baf491ae0078465" />
566 568 <parent revision="-1" node="0000000000000000000000000000000000000000" />
567 569 <author email="person">person</author>
568 570 <date>1970-01-16T01:06:40+00:00</date>
569 571 <msg xml:space="preserve">no user, no domain</msg>
570 572 <paths>
571 573 <path action="M">c</path>
572 574 </paths>
573 575 <extra key="branch">default</extra>
574 576 </logentry>
575 577 <logentry revision="2" node="97054abb4ab824450e9164180baf491ae0078465">
576 578 <parent revision="1" node="b608e9d1a3f0273ccf70fb85fd6866b3482bf965" />
577 579 <parent revision="-1" node="0000000000000000000000000000000000000000" />
578 580 <author email="other@place">other</author>
579 581 <date>1970-01-14T21:20:00+00:00</date>
580 582 <msg xml:space="preserve">no person</msg>
581 583 <paths>
582 584 <path action="A">c</path>
583 585 </paths>
584 586 <extra key="branch">default</extra>
585 587 </logentry>
586 588 <logentry revision="1" node="b608e9d1a3f0273ccf70fb85fd6866b3482bf965">
587 589 <parent revision="0" node="1e4e1b8f71e05681d422154f5421e385fec3454f" />
588 590 <parent revision="-1" node="0000000000000000000000000000000000000000" />
589 591 <author email="other@place">A. N. Other</author>
590 592 <date>1970-01-13T17:33:20+00:00</date>
591 593 <msg xml:space="preserve">other 1
592 594 other 2
593 595
594 596 other 3</msg>
595 597 <paths>
596 598 <path action="A">b</path>
597 599 </paths>
598 600 <extra key="branch">default</extra>
599 601 </logentry>
600 602 <logentry revision="0" node="1e4e1b8f71e05681d422154f5421e385fec3454f">
601 603 <parent revision="-1" node="0000000000000000000000000000000000000000" />
602 604 <parent revision="-1" node="0000000000000000000000000000000000000000" />
603 605 <author email="user@hostname">User Name</author>
604 606 <date>1970-01-12T13:46:40+00:00</date>
605 607 <msg xml:space="preserve">line 1
606 608 line 2</msg>
607 609 <paths>
608 610 <path action="A">a</path>
609 611 </paths>
610 612 <extra key="branch">default</extra>
611 613 </logentry>
612 614 </log>
613 615
614 616
615 617 Test JSON style:
616 618
617 619 $ hg log -k nosuch -Tjson
618 620 []
619 621
620 622 $ hg log -qr . -Tjson
621 623 [
622 624 {
623 625 "rev": 8,
624 626 "node": "95c24699272ef57d062b8bccc32c878bf841784a"
625 627 }
626 628 ]
627 629
628 630 $ hg log -vpr . -Tjson --stat
629 631 [
630 632 {
631 633 "rev": 8,
632 634 "node": "95c24699272ef57d062b8bccc32c878bf841784a",
633 635 "branch": "default",
634 636 "phase": "draft",
635 637 "user": "test",
636 638 "date": [1577872860, 0],
637 639 "desc": "third",
638 640 "bookmarks": [],
639 641 "tags": ["tip"],
640 642 "parents": ["29114dbae42b9f078cf2714dbe3a86bba8ec7453"],
641 643 "files": ["fourth", "second", "third"],
642 644 "diffstat": " fourth | 1 +\n second | 1 -\n third | 1 +\n 3 files changed, 2 insertions(+), 1 deletions(-)\n",
643 645 "diff": "diff -r 29114dbae42b -r 95c24699272e fourth\n--- /dev/null\tThu Jan 01 00:00:00 1970 +0000\n+++ b/fourth\tWed Jan 01 10:01:00 2020 +0000\n@@ -0,0 +1,1 @@\n+second\ndiff -r 29114dbae42b -r 95c24699272e second\n--- a/second\tMon Jan 12 13:46:40 1970 +0000\n+++ /dev/null\tThu Jan 01 00:00:00 1970 +0000\n@@ -1,1 +0,0 @@\n-second\ndiff -r 29114dbae42b -r 95c24699272e third\n--- /dev/null\tThu Jan 01 00:00:00 1970 +0000\n+++ b/third\tWed Jan 01 10:01:00 2020 +0000\n@@ -0,0 +1,1 @@\n+third\n"
644 646 }
645 647 ]
646 648
647 649 honor --git but not format-breaking diffopts
648 650 $ hg --config diff.noprefix=True log --git -vpr . -Tjson
649 651 [
650 652 {
651 653 "rev": 8,
652 654 "node": "95c24699272ef57d062b8bccc32c878bf841784a",
653 655 "branch": "default",
654 656 "phase": "draft",
655 657 "user": "test",
656 658 "date": [1577872860, 0],
657 659 "desc": "third",
658 660 "bookmarks": [],
659 661 "tags": ["tip"],
660 662 "parents": ["29114dbae42b9f078cf2714dbe3a86bba8ec7453"],
661 663 "files": ["fourth", "second", "third"],
662 664 "diff": "diff --git a/second b/fourth\nrename from second\nrename to fourth\ndiff --git a/third b/third\nnew file mode 100644\n--- /dev/null\n+++ b/third\n@@ -0,0 +1,1 @@\n+third\n"
663 665 }
664 666 ]
665 667
666 668 $ hg log -T json
667 669 [
668 670 {
669 671 "rev": 8,
670 672 "node": "95c24699272ef57d062b8bccc32c878bf841784a",
671 673 "branch": "default",
672 674 "phase": "draft",
673 675 "user": "test",
674 676 "date": [1577872860, 0],
675 677 "desc": "third",
676 678 "bookmarks": [],
677 679 "tags": ["tip"],
678 680 "parents": ["29114dbae42b9f078cf2714dbe3a86bba8ec7453"]
679 681 },
680 682 {
681 683 "rev": 7,
682 684 "node": "29114dbae42b9f078cf2714dbe3a86bba8ec7453",
683 685 "branch": "default",
684 686 "phase": "draft",
685 687 "user": "User Name <user@hostname>",
686 688 "date": [1000000, 0],
687 689 "desc": "second",
688 690 "bookmarks": [],
689 691 "tags": [],
690 692 "parents": ["0000000000000000000000000000000000000000"]
691 693 },
692 694 {
693 695 "rev": 6,
694 696 "node": "d41e714fe50d9e4a5f11b4d595d543481b5f980b",
695 697 "branch": "default",
696 698 "phase": "draft",
697 699 "user": "person",
698 700 "date": [1500001, 0],
699 701 "desc": "merge",
700 702 "bookmarks": [],
701 703 "tags": [],
702 704 "parents": ["13207e5a10d9fd28ec424934298e176197f2c67f", "bbe44766e73d5f11ed2177f1838de10c53ef3e74"]
703 705 },
704 706 {
705 707 "rev": 5,
706 708 "node": "13207e5a10d9fd28ec424934298e176197f2c67f",
707 709 "branch": "default",
708 710 "phase": "draft",
709 711 "user": "person",
710 712 "date": [1500000, 0],
711 713 "desc": "new head",
712 714 "bookmarks": [],
713 715 "tags": [],
714 716 "parents": ["10e46f2dcbf4823578cf180f33ecf0b957964c47"]
715 717 },
716 718 {
717 719 "rev": 4,
718 720 "node": "bbe44766e73d5f11ed2177f1838de10c53ef3e74",
719 721 "branch": "foo",
720 722 "phase": "draft",
721 723 "user": "person",
722 724 "date": [1400000, 0],
723 725 "desc": "new branch",
724 726 "bookmarks": [],
725 727 "tags": [],
726 728 "parents": ["10e46f2dcbf4823578cf180f33ecf0b957964c47"]
727 729 },
728 730 {
729 731 "rev": 3,
730 732 "node": "10e46f2dcbf4823578cf180f33ecf0b957964c47",
731 733 "branch": "default",
732 734 "phase": "draft",
733 735 "user": "person",
734 736 "date": [1300000, 0],
735 737 "desc": "no user, no domain",
736 738 "bookmarks": [],
737 739 "tags": [],
738 740 "parents": ["97054abb4ab824450e9164180baf491ae0078465"]
739 741 },
740 742 {
741 743 "rev": 2,
742 744 "node": "97054abb4ab824450e9164180baf491ae0078465",
743 745 "branch": "default",
744 746 "phase": "draft",
745 747 "user": "other@place",
746 748 "date": [1200000, 0],
747 749 "desc": "no person",
748 750 "bookmarks": [],
749 751 "tags": [],
750 752 "parents": ["b608e9d1a3f0273ccf70fb85fd6866b3482bf965"]
751 753 },
752 754 {
753 755 "rev": 1,
754 756 "node": "b608e9d1a3f0273ccf70fb85fd6866b3482bf965",
755 757 "branch": "default",
756 758 "phase": "draft",
757 759 "user": "A. N. Other <other@place>",
758 760 "date": [1100000, 0],
759 761 "desc": "other 1\nother 2\n\nother 3",
760 762 "bookmarks": [],
761 763 "tags": [],
762 764 "parents": ["1e4e1b8f71e05681d422154f5421e385fec3454f"]
763 765 },
764 766 {
765 767 "rev": 0,
766 768 "node": "1e4e1b8f71e05681d422154f5421e385fec3454f",
767 769 "branch": "default",
768 770 "phase": "draft",
769 771 "user": "User Name <user@hostname>",
770 772 "date": [1000000, 0],
771 773 "desc": "line 1\nline 2",
772 774 "bookmarks": [],
773 775 "tags": [],
774 776 "parents": ["0000000000000000000000000000000000000000"]
775 777 }
776 778 ]
777 779
778 780 $ hg heads -v -Tjson
779 781 [
780 782 {
781 783 "rev": 8,
782 784 "node": "95c24699272ef57d062b8bccc32c878bf841784a",
783 785 "branch": "default",
784 786 "phase": "draft",
785 787 "user": "test",
786 788 "date": [1577872860, 0],
787 789 "desc": "third",
788 790 "bookmarks": [],
789 791 "tags": ["tip"],
790 792 "parents": ["29114dbae42b9f078cf2714dbe3a86bba8ec7453"],
791 793 "files": ["fourth", "second", "third"]
792 794 },
793 795 {
794 796 "rev": 6,
795 797 "node": "d41e714fe50d9e4a5f11b4d595d543481b5f980b",
796 798 "branch": "default",
797 799 "phase": "draft",
798 800 "user": "person",
799 801 "date": [1500001, 0],
800 802 "desc": "merge",
801 803 "bookmarks": [],
802 804 "tags": [],
803 805 "parents": ["13207e5a10d9fd28ec424934298e176197f2c67f", "bbe44766e73d5f11ed2177f1838de10c53ef3e74"],
804 806 "files": []
805 807 },
806 808 {
807 809 "rev": 4,
808 810 "node": "bbe44766e73d5f11ed2177f1838de10c53ef3e74",
809 811 "branch": "foo",
810 812 "phase": "draft",
811 813 "user": "person",
812 814 "date": [1400000, 0],
813 815 "desc": "new branch",
814 816 "bookmarks": [],
815 817 "tags": [],
816 818 "parents": ["10e46f2dcbf4823578cf180f33ecf0b957964c47"],
817 819 "files": []
818 820 }
819 821 ]
820 822
821 823 $ hg log --debug -Tjson
822 824 [
823 825 {
824 826 "rev": 8,
825 827 "node": "95c24699272ef57d062b8bccc32c878bf841784a",
826 828 "branch": "default",
827 829 "phase": "draft",
828 830 "user": "test",
829 831 "date": [1577872860, 0],
830 832 "desc": "third",
831 833 "bookmarks": [],
832 834 "tags": ["tip"],
833 835 "parents": ["29114dbae42b9f078cf2714dbe3a86bba8ec7453"],
834 836 "manifest": "94961b75a2da554b4df6fb599e5bfc7d48de0c64",
835 837 "extra": {"branch": "default"},
836 838 "modified": [],
837 839 "added": ["fourth", "third"],
838 840 "removed": ["second"]
839 841 },
840 842 {
841 843 "rev": 7,
842 844 "node": "29114dbae42b9f078cf2714dbe3a86bba8ec7453",
843 845 "branch": "default",
844 846 "phase": "draft",
845 847 "user": "User Name <user@hostname>",
846 848 "date": [1000000, 0],
847 849 "desc": "second",
848 850 "bookmarks": [],
849 851 "tags": [],
850 852 "parents": ["0000000000000000000000000000000000000000"],
851 853 "manifest": "f2dbc354b94e5ec0b4f10680ee0cee816101d0bf",
852 854 "extra": {"branch": "default"},
853 855 "modified": [],
854 856 "added": ["second"],
855 857 "removed": []
856 858 },
857 859 {
858 860 "rev": 6,
859 861 "node": "d41e714fe50d9e4a5f11b4d595d543481b5f980b",
860 862 "branch": "default",
861 863 "phase": "draft",
862 864 "user": "person",
863 865 "date": [1500001, 0],
864 866 "desc": "merge",
865 867 "bookmarks": [],
866 868 "tags": [],
867 869 "parents": ["13207e5a10d9fd28ec424934298e176197f2c67f", "bbe44766e73d5f11ed2177f1838de10c53ef3e74"],
868 870 "manifest": "4dc3def4f9b4c6e8de820f6ee74737f91e96a216",
869 871 "extra": {"branch": "default"},
870 872 "modified": [],
871 873 "added": [],
872 874 "removed": []
873 875 },
874 876 {
875 877 "rev": 5,
876 878 "node": "13207e5a10d9fd28ec424934298e176197f2c67f",
877 879 "branch": "default",
878 880 "phase": "draft",
879 881 "user": "person",
880 882 "date": [1500000, 0],
881 883 "desc": "new head",
882 884 "bookmarks": [],
883 885 "tags": [],
884 886 "parents": ["10e46f2dcbf4823578cf180f33ecf0b957964c47"],
885 887 "manifest": "4dc3def4f9b4c6e8de820f6ee74737f91e96a216",
886 888 "extra": {"branch": "default"},
887 889 "modified": [],
888 890 "added": ["d"],
889 891 "removed": []
890 892 },
891 893 {
892 894 "rev": 4,
893 895 "node": "bbe44766e73d5f11ed2177f1838de10c53ef3e74",
894 896 "branch": "foo",
895 897 "phase": "draft",
896 898 "user": "person",
897 899 "date": [1400000, 0],
898 900 "desc": "new branch",
899 901 "bookmarks": [],
900 902 "tags": [],
901 903 "parents": ["10e46f2dcbf4823578cf180f33ecf0b957964c47"],
902 904 "manifest": "cb5a1327723bada42f117e4c55a303246eaf9ccc",
903 905 "extra": {"branch": "foo"},
904 906 "modified": [],
905 907 "added": [],
906 908 "removed": []
907 909 },
908 910 {
909 911 "rev": 3,
910 912 "node": "10e46f2dcbf4823578cf180f33ecf0b957964c47",
911 913 "branch": "default",
912 914 "phase": "draft",
913 915 "user": "person",
914 916 "date": [1300000, 0],
915 917 "desc": "no user, no domain",
916 918 "bookmarks": [],
917 919 "tags": [],
918 920 "parents": ["97054abb4ab824450e9164180baf491ae0078465"],
919 921 "manifest": "cb5a1327723bada42f117e4c55a303246eaf9ccc",
920 922 "extra": {"branch": "default"},
921 923 "modified": ["c"],
922 924 "added": [],
923 925 "removed": []
924 926 },
925 927 {
926 928 "rev": 2,
927 929 "node": "97054abb4ab824450e9164180baf491ae0078465",
928 930 "branch": "default",
929 931 "phase": "draft",
930 932 "user": "other@place",
931 933 "date": [1200000, 0],
932 934 "desc": "no person",
933 935 "bookmarks": [],
934 936 "tags": [],
935 937 "parents": ["b608e9d1a3f0273ccf70fb85fd6866b3482bf965"],
936 938 "manifest": "6e0e82995c35d0d57a52aca8da4e56139e06b4b1",
937 939 "extra": {"branch": "default"},
938 940 "modified": [],
939 941 "added": ["c"],
940 942 "removed": []
941 943 },
942 944 {
943 945 "rev": 1,
944 946 "node": "b608e9d1a3f0273ccf70fb85fd6866b3482bf965",
945 947 "branch": "default",
946 948 "phase": "draft",
947 949 "user": "A. N. Other <other@place>",
948 950 "date": [1100000, 0],
949 951 "desc": "other 1\nother 2\n\nother 3",
950 952 "bookmarks": [],
951 953 "tags": [],
952 954 "parents": ["1e4e1b8f71e05681d422154f5421e385fec3454f"],
953 955 "manifest": "4e8d705b1e53e3f9375e0e60dc7b525d8211fe55",
954 956 "extra": {"branch": "default"},
955 957 "modified": [],
956 958 "added": ["b"],
957 959 "removed": []
958 960 },
959 961 {
960 962 "rev": 0,
961 963 "node": "1e4e1b8f71e05681d422154f5421e385fec3454f",
962 964 "branch": "default",
963 965 "phase": "draft",
964 966 "user": "User Name <user@hostname>",
965 967 "date": [1000000, 0],
966 968 "desc": "line 1\nline 2",
967 969 "bookmarks": [],
968 970 "tags": [],
969 971 "parents": ["0000000000000000000000000000000000000000"],
970 972 "manifest": "a0c8bcbbb45c63b90b70ad007bf38961f64f2af0",
971 973 "extra": {"branch": "default"},
972 974 "modified": [],
973 975 "added": ["a"],
974 976 "removed": []
975 977 }
976 978 ]
977 979
978 980 Error if style not readable:
979 981
980 982 #if unix-permissions no-root
981 983 $ touch q
982 984 $ chmod 0 q
983 985 $ hg log --style ./q
984 986 abort: Permission denied: ./q
985 987 [255]
986 988 #endif
987 989
988 990 Error if no style:
989 991
990 992 $ hg log --style notexist
991 993 abort: style 'notexist' not found
992 994 (available styles: bisect, changelog, compact, default, phases, status, xml)
993 995 [255]
994 996
995 997 $ hg log -T list
996 998 available styles: bisect, changelog, compact, default, phases, status, xml
997 999 abort: specify a template
998 1000 [255]
999 1001
1000 1002 Error if style missing key:
1001 1003
1002 1004 $ echo 'q = q' > t
1003 1005 $ hg log --style ./t
1004 1006 abort: "changeset" not in template map
1005 1007 [255]
1006 1008
1007 1009 Error if style missing value:
1008 1010
1009 1011 $ echo 'changeset =' > t
1010 1012 $ hg log --style t
1011 1013 hg: parse error at t:1: missing value
1012 1014 [255]
1013 1015
1014 1016 Error if include fails:
1015 1017
1016 1018 $ echo 'changeset = q' >> t
1017 1019 #if unix-permissions no-root
1018 1020 $ hg log --style ./t
1019 1021 abort: template file ./q: Permission denied
1020 1022 [255]
1021 1023 $ rm -f q
1022 1024 #endif
1023 1025
1024 1026 Include works:
1025 1027
1026 1028 $ echo '{rev}' > q
1027 1029 $ hg log --style ./t
1028 1030 8
1029 1031 7
1030 1032 6
1031 1033 5
1032 1034 4
1033 1035 3
1034 1036 2
1035 1037 1
1036 1038 0
1037 1039
1038 1040 Check that recursive reference does not fall into RuntimeError (issue4758):
1039 1041
1040 1042 common mistake:
1041 1043
1042 1044 $ hg log -T '{changeset}\n'
1043 1045 abort: recursive reference 'changeset' in template
1044 1046 [255]
1045 1047
1046 1048 circular reference:
1047 1049
1048 1050 $ cat << EOF > issue4758
1049 1051 > changeset = '{foo}'
1050 1052 > foo = '{changeset}'
1051 1053 > EOF
1052 1054 $ hg log --style ./issue4758
1053 1055 abort: recursive reference 'foo' in template
1054 1056 [255]
1055 1057
1056 1058 buildmap() -> gettemplate(), where no thunk was made:
1057 1059
1058 1060 $ hg log -T '{files % changeset}\n'
1059 1061 abort: recursive reference 'changeset' in template
1060 1062 [255]
1061 1063
1062 1064 not a recursion if a keyword of the same name exists:
1063 1065
1064 1066 $ cat << EOF > issue4758
1065 1067 > changeset = '{tags % rev}'
1066 1068 > rev = '{rev} {tag}\n'
1067 1069 > EOF
1068 1070 $ hg log --style ./issue4758 -r tip
1069 1071 8 tip
1070 1072
1071 1073 Check that {phase} works correctly on parents:
1072 1074
1073 1075 $ cat << EOF > parentphase
1074 1076 > changeset_debug = '{rev} ({phase}):{parents}\n'
1075 1077 > parent = ' {rev} ({phase})'
1076 1078 > EOF
1077 1079 $ hg phase -r 5 --public
1078 1080 $ hg phase -r 7 --secret --force
1079 1081 $ hg log --debug -G --style ./parentphase
1080 1082 @ 8 (secret): 7 (secret) -1 (public)
1081 1083 |
1082 1084 o 7 (secret): -1 (public) -1 (public)
1083 1085
1084 1086 o 6 (draft): 5 (public) 4 (draft)
1085 1087 |\
1086 1088 | o 5 (public): 3 (public) -1 (public)
1087 1089 | |
1088 1090 o | 4 (draft): 3 (public) -1 (public)
1089 1091 |/
1090 1092 o 3 (public): 2 (public) -1 (public)
1091 1093 |
1092 1094 o 2 (public): 1 (public) -1 (public)
1093 1095 |
1094 1096 o 1 (public): 0 (public) -1 (public)
1095 1097 |
1096 1098 o 0 (public): -1 (public) -1 (public)
1097 1099
1098 1100
1099 1101 Missing non-standard names give no error (backward compatibility):
1100 1102
1101 1103 $ echo "changeset = '{c}'" > t
1102 1104 $ hg log --style ./t
1103 1105
1104 1106 Defining non-standard name works:
1105 1107
1106 1108 $ cat <<EOF > t
1107 1109 > changeset = '{c}'
1108 1110 > c = q
1109 1111 > EOF
1110 1112 $ hg log --style ./t
1111 1113 8
1112 1114 7
1113 1115 6
1114 1116 5
1115 1117 4
1116 1118 3
1117 1119 2
1118 1120 1
1119 1121 0
1120 1122
1121 1123 ui.style works:
1122 1124
1123 1125 $ echo '[ui]' > .hg/hgrc
1124 1126 $ echo 'style = t' >> .hg/hgrc
1125 1127 $ hg log
1126 1128 8
1127 1129 7
1128 1130 6
1129 1131 5
1130 1132 4
1131 1133 3
1132 1134 2
1133 1135 1
1134 1136 0
1135 1137
1136 1138
1137 1139 Issue338:
1138 1140
1139 1141 $ hg log --style=changelog > changelog
1140 1142
1141 1143 $ cat changelog
1142 1144 2020-01-01 test <test>
1143 1145
1144 1146 * fourth, second, third:
1145 1147 third
1146 1148 [95c24699272e] [tip]
1147 1149
1148 1150 1970-01-12 User Name <user@hostname>
1149 1151
1150 1152 * second:
1151 1153 second
1152 1154 [29114dbae42b]
1153 1155
1154 1156 1970-01-18 person <person>
1155 1157
1156 1158 * merge
1157 1159 [d41e714fe50d]
1158 1160
1159 1161 * d:
1160 1162 new head
1161 1163 [13207e5a10d9]
1162 1164
1163 1165 1970-01-17 person <person>
1164 1166
1165 1167 * new branch
1166 1168 [bbe44766e73d] <foo>
1167 1169
1168 1170 1970-01-16 person <person>
1169 1171
1170 1172 * c:
1171 1173 no user, no domain
1172 1174 [10e46f2dcbf4]
1173 1175
1174 1176 1970-01-14 other <other@place>
1175 1177
1176 1178 * c:
1177 1179 no person
1178 1180 [97054abb4ab8]
1179 1181
1180 1182 1970-01-13 A. N. Other <other@place>
1181 1183
1182 1184 * b:
1183 1185 other 1 other 2
1184 1186
1185 1187 other 3
1186 1188 [b608e9d1a3f0]
1187 1189
1188 1190 1970-01-12 User Name <user@hostname>
1189 1191
1190 1192 * a:
1191 1193 line 1 line 2
1192 1194 [1e4e1b8f71e0]
1193 1195
1194 1196
1195 1197 Issue2130: xml output for 'hg heads' is malformed
1196 1198
1197 1199 $ hg heads --style changelog
1198 1200 2020-01-01 test <test>
1199 1201
1200 1202 * fourth, second, third:
1201 1203 third
1202 1204 [95c24699272e] [tip]
1203 1205
1204 1206 1970-01-18 person <person>
1205 1207
1206 1208 * merge
1207 1209 [d41e714fe50d]
1208 1210
1209 1211 1970-01-17 person <person>
1210 1212
1211 1213 * new branch
1212 1214 [bbe44766e73d] <foo>
1213 1215
1214 1216
1215 1217 Keys work:
1216 1218
1217 1219 $ for key in author branch branches date desc file_adds file_dels file_mods \
1218 1220 > file_copies file_copies_switch files \
1219 1221 > manifest node parents rev tags diffstat extras \
1220 1222 > p1rev p2rev p1node p2node; do
1221 1223 > for mode in '' --verbose --debug; do
1222 1224 > hg log $mode --template "$key$mode: {$key}\n"
1223 1225 > done
1224 1226 > done
1225 1227 author: test
1226 1228 author: User Name <user@hostname>
1227 1229 author: person
1228 1230 author: person
1229 1231 author: person
1230 1232 author: person
1231 1233 author: other@place
1232 1234 author: A. N. Other <other@place>
1233 1235 author: User Name <user@hostname>
1234 1236 author--verbose: test
1235 1237 author--verbose: User Name <user@hostname>
1236 1238 author--verbose: person
1237 1239 author--verbose: person
1238 1240 author--verbose: person
1239 1241 author--verbose: person
1240 1242 author--verbose: other@place
1241 1243 author--verbose: A. N. Other <other@place>
1242 1244 author--verbose: User Name <user@hostname>
1243 1245 author--debug: test
1244 1246 author--debug: User Name <user@hostname>
1245 1247 author--debug: person
1246 1248 author--debug: person
1247 1249 author--debug: person
1248 1250 author--debug: person
1249 1251 author--debug: other@place
1250 1252 author--debug: A. N. Other <other@place>
1251 1253 author--debug: User Name <user@hostname>
1252 1254 branch: default
1253 1255 branch: default
1254 1256 branch: default
1255 1257 branch: default
1256 1258 branch: foo
1257 1259 branch: default
1258 1260 branch: default
1259 1261 branch: default
1260 1262 branch: default
1261 1263 branch--verbose: default
1262 1264 branch--verbose: default
1263 1265 branch--verbose: default
1264 1266 branch--verbose: default
1265 1267 branch--verbose: foo
1266 1268 branch--verbose: default
1267 1269 branch--verbose: default
1268 1270 branch--verbose: default
1269 1271 branch--verbose: default
1270 1272 branch--debug: default
1271 1273 branch--debug: default
1272 1274 branch--debug: default
1273 1275 branch--debug: default
1274 1276 branch--debug: foo
1275 1277 branch--debug: default
1276 1278 branch--debug: default
1277 1279 branch--debug: default
1278 1280 branch--debug: default
1279 1281 branches:
1280 1282 branches:
1281 1283 branches:
1282 1284 branches:
1283 1285 branches: foo
1284 1286 branches:
1285 1287 branches:
1286 1288 branches:
1287 1289 branches:
1288 1290 branches--verbose:
1289 1291 branches--verbose:
1290 1292 branches--verbose:
1291 1293 branches--verbose:
1292 1294 branches--verbose: foo
1293 1295 branches--verbose:
1294 1296 branches--verbose:
1295 1297 branches--verbose:
1296 1298 branches--verbose:
1297 1299 branches--debug:
1298 1300 branches--debug:
1299 1301 branches--debug:
1300 1302 branches--debug:
1301 1303 branches--debug: foo
1302 1304 branches--debug:
1303 1305 branches--debug:
1304 1306 branches--debug:
1305 1307 branches--debug:
1306 1308 date: 1577872860.00
1307 1309 date: 1000000.00
1308 1310 date: 1500001.00
1309 1311 date: 1500000.00
1310 1312 date: 1400000.00
1311 1313 date: 1300000.00
1312 1314 date: 1200000.00
1313 1315 date: 1100000.00
1314 1316 date: 1000000.00
1315 1317 date--verbose: 1577872860.00
1316 1318 date--verbose: 1000000.00
1317 1319 date--verbose: 1500001.00
1318 1320 date--verbose: 1500000.00
1319 1321 date--verbose: 1400000.00
1320 1322 date--verbose: 1300000.00
1321 1323 date--verbose: 1200000.00
1322 1324 date--verbose: 1100000.00
1323 1325 date--verbose: 1000000.00
1324 1326 date--debug: 1577872860.00
1325 1327 date--debug: 1000000.00
1326 1328 date--debug: 1500001.00
1327 1329 date--debug: 1500000.00
1328 1330 date--debug: 1400000.00
1329 1331 date--debug: 1300000.00
1330 1332 date--debug: 1200000.00
1331 1333 date--debug: 1100000.00
1332 1334 date--debug: 1000000.00
1333 1335 desc: third
1334 1336 desc: second
1335 1337 desc: merge
1336 1338 desc: new head
1337 1339 desc: new branch
1338 1340 desc: no user, no domain
1339 1341 desc: no person
1340 1342 desc: other 1
1341 1343 other 2
1342 1344
1343 1345 other 3
1344 1346 desc: line 1
1345 1347 line 2
1346 1348 desc--verbose: third
1347 1349 desc--verbose: second
1348 1350 desc--verbose: merge
1349 1351 desc--verbose: new head
1350 1352 desc--verbose: new branch
1351 1353 desc--verbose: no user, no domain
1352 1354 desc--verbose: no person
1353 1355 desc--verbose: other 1
1354 1356 other 2
1355 1357
1356 1358 other 3
1357 1359 desc--verbose: line 1
1358 1360 line 2
1359 1361 desc--debug: third
1360 1362 desc--debug: second
1361 1363 desc--debug: merge
1362 1364 desc--debug: new head
1363 1365 desc--debug: new branch
1364 1366 desc--debug: no user, no domain
1365 1367 desc--debug: no person
1366 1368 desc--debug: other 1
1367 1369 other 2
1368 1370
1369 1371 other 3
1370 1372 desc--debug: line 1
1371 1373 line 2
1372 1374 file_adds: fourth third
1373 1375 file_adds: second
1374 1376 file_adds:
1375 1377 file_adds: d
1376 1378 file_adds:
1377 1379 file_adds:
1378 1380 file_adds: c
1379 1381 file_adds: b
1380 1382 file_adds: a
1381 1383 file_adds--verbose: fourth third
1382 1384 file_adds--verbose: second
1383 1385 file_adds--verbose:
1384 1386 file_adds--verbose: d
1385 1387 file_adds--verbose:
1386 1388 file_adds--verbose:
1387 1389 file_adds--verbose: c
1388 1390 file_adds--verbose: b
1389 1391 file_adds--verbose: a
1390 1392 file_adds--debug: fourth third
1391 1393 file_adds--debug: second
1392 1394 file_adds--debug:
1393 1395 file_adds--debug: d
1394 1396 file_adds--debug:
1395 1397 file_adds--debug:
1396 1398 file_adds--debug: c
1397 1399 file_adds--debug: b
1398 1400 file_adds--debug: a
1399 1401 file_dels: second
1400 1402 file_dels:
1401 1403 file_dels:
1402 1404 file_dels:
1403 1405 file_dels:
1404 1406 file_dels:
1405 1407 file_dels:
1406 1408 file_dels:
1407 1409 file_dels:
1408 1410 file_dels--verbose: second
1409 1411 file_dels--verbose:
1410 1412 file_dels--verbose:
1411 1413 file_dels--verbose:
1412 1414 file_dels--verbose:
1413 1415 file_dels--verbose:
1414 1416 file_dels--verbose:
1415 1417 file_dels--verbose:
1416 1418 file_dels--verbose:
1417 1419 file_dels--debug: second
1418 1420 file_dels--debug:
1419 1421 file_dels--debug:
1420 1422 file_dels--debug:
1421 1423 file_dels--debug:
1422 1424 file_dels--debug:
1423 1425 file_dels--debug:
1424 1426 file_dels--debug:
1425 1427 file_dels--debug:
1426 1428 file_mods:
1427 1429 file_mods:
1428 1430 file_mods:
1429 1431 file_mods:
1430 1432 file_mods:
1431 1433 file_mods: c
1432 1434 file_mods:
1433 1435 file_mods:
1434 1436 file_mods:
1435 1437 file_mods--verbose:
1436 1438 file_mods--verbose:
1437 1439 file_mods--verbose:
1438 1440 file_mods--verbose:
1439 1441 file_mods--verbose:
1440 1442 file_mods--verbose: c
1441 1443 file_mods--verbose:
1442 1444 file_mods--verbose:
1443 1445 file_mods--verbose:
1444 1446 file_mods--debug:
1445 1447 file_mods--debug:
1446 1448 file_mods--debug:
1447 1449 file_mods--debug:
1448 1450 file_mods--debug:
1449 1451 file_mods--debug: c
1450 1452 file_mods--debug:
1451 1453 file_mods--debug:
1452 1454 file_mods--debug:
1453 1455 file_copies: fourth (second)
1454 1456 file_copies:
1455 1457 file_copies:
1456 1458 file_copies:
1457 1459 file_copies:
1458 1460 file_copies:
1459 1461 file_copies:
1460 1462 file_copies:
1461 1463 file_copies:
1462 1464 file_copies--verbose: fourth (second)
1463 1465 file_copies--verbose:
1464 1466 file_copies--verbose:
1465 1467 file_copies--verbose:
1466 1468 file_copies--verbose:
1467 1469 file_copies--verbose:
1468 1470 file_copies--verbose:
1469 1471 file_copies--verbose:
1470 1472 file_copies--verbose:
1471 1473 file_copies--debug: fourth (second)
1472 1474 file_copies--debug:
1473 1475 file_copies--debug:
1474 1476 file_copies--debug:
1475 1477 file_copies--debug:
1476 1478 file_copies--debug:
1477 1479 file_copies--debug:
1478 1480 file_copies--debug:
1479 1481 file_copies--debug:
1480 1482 file_copies_switch:
1481 1483 file_copies_switch:
1482 1484 file_copies_switch:
1483 1485 file_copies_switch:
1484 1486 file_copies_switch:
1485 1487 file_copies_switch:
1486 1488 file_copies_switch:
1487 1489 file_copies_switch:
1488 1490 file_copies_switch:
1489 1491 file_copies_switch--verbose:
1490 1492 file_copies_switch--verbose:
1491 1493 file_copies_switch--verbose:
1492 1494 file_copies_switch--verbose:
1493 1495 file_copies_switch--verbose:
1494 1496 file_copies_switch--verbose:
1495 1497 file_copies_switch--verbose:
1496 1498 file_copies_switch--verbose:
1497 1499 file_copies_switch--verbose:
1498 1500 file_copies_switch--debug:
1499 1501 file_copies_switch--debug:
1500 1502 file_copies_switch--debug:
1501 1503 file_copies_switch--debug:
1502 1504 file_copies_switch--debug:
1503 1505 file_copies_switch--debug:
1504 1506 file_copies_switch--debug:
1505 1507 file_copies_switch--debug:
1506 1508 file_copies_switch--debug:
1507 1509 files: fourth second third
1508 1510 files: second
1509 1511 files:
1510 1512 files: d
1511 1513 files:
1512 1514 files: c
1513 1515 files: c
1514 1516 files: b
1515 1517 files: a
1516 1518 files--verbose: fourth second third
1517 1519 files--verbose: second
1518 1520 files--verbose:
1519 1521 files--verbose: d
1520 1522 files--verbose:
1521 1523 files--verbose: c
1522 1524 files--verbose: c
1523 1525 files--verbose: b
1524 1526 files--verbose: a
1525 1527 files--debug: fourth second third
1526 1528 files--debug: second
1527 1529 files--debug:
1528 1530 files--debug: d
1529 1531 files--debug:
1530 1532 files--debug: c
1531 1533 files--debug: c
1532 1534 files--debug: b
1533 1535 files--debug: a
1534 1536 manifest: 6:94961b75a2da
1535 1537 manifest: 5:f2dbc354b94e
1536 1538 manifest: 4:4dc3def4f9b4
1537 1539 manifest: 4:4dc3def4f9b4
1538 1540 manifest: 3:cb5a1327723b
1539 1541 manifest: 3:cb5a1327723b
1540 1542 manifest: 2:6e0e82995c35
1541 1543 manifest: 1:4e8d705b1e53
1542 1544 manifest: 0:a0c8bcbbb45c
1543 1545 manifest--verbose: 6:94961b75a2da
1544 1546 manifest--verbose: 5:f2dbc354b94e
1545 1547 manifest--verbose: 4:4dc3def4f9b4
1546 1548 manifest--verbose: 4:4dc3def4f9b4
1547 1549 manifest--verbose: 3:cb5a1327723b
1548 1550 manifest--verbose: 3:cb5a1327723b
1549 1551 manifest--verbose: 2:6e0e82995c35
1550 1552 manifest--verbose: 1:4e8d705b1e53
1551 1553 manifest--verbose: 0:a0c8bcbbb45c
1552 1554 manifest--debug: 6:94961b75a2da554b4df6fb599e5bfc7d48de0c64
1553 1555 manifest--debug: 5:f2dbc354b94e5ec0b4f10680ee0cee816101d0bf
1554 1556 manifest--debug: 4:4dc3def4f9b4c6e8de820f6ee74737f91e96a216
1555 1557 manifest--debug: 4:4dc3def4f9b4c6e8de820f6ee74737f91e96a216
1556 1558 manifest--debug: 3:cb5a1327723bada42f117e4c55a303246eaf9ccc
1557 1559 manifest--debug: 3:cb5a1327723bada42f117e4c55a303246eaf9ccc
1558 1560 manifest--debug: 2:6e0e82995c35d0d57a52aca8da4e56139e06b4b1
1559 1561 manifest--debug: 1:4e8d705b1e53e3f9375e0e60dc7b525d8211fe55
1560 1562 manifest--debug: 0:a0c8bcbbb45c63b90b70ad007bf38961f64f2af0
1561 1563 node: 95c24699272ef57d062b8bccc32c878bf841784a
1562 1564 node: 29114dbae42b9f078cf2714dbe3a86bba8ec7453
1563 1565 node: d41e714fe50d9e4a5f11b4d595d543481b5f980b
1564 1566 node: 13207e5a10d9fd28ec424934298e176197f2c67f
1565 1567 node: bbe44766e73d5f11ed2177f1838de10c53ef3e74
1566 1568 node: 10e46f2dcbf4823578cf180f33ecf0b957964c47
1567 1569 node: 97054abb4ab824450e9164180baf491ae0078465
1568 1570 node: b608e9d1a3f0273ccf70fb85fd6866b3482bf965
1569 1571 node: 1e4e1b8f71e05681d422154f5421e385fec3454f
1570 1572 node--verbose: 95c24699272ef57d062b8bccc32c878bf841784a
1571 1573 node--verbose: 29114dbae42b9f078cf2714dbe3a86bba8ec7453
1572 1574 node--verbose: d41e714fe50d9e4a5f11b4d595d543481b5f980b
1573 1575 node--verbose: 13207e5a10d9fd28ec424934298e176197f2c67f
1574 1576 node--verbose: bbe44766e73d5f11ed2177f1838de10c53ef3e74
1575 1577 node--verbose: 10e46f2dcbf4823578cf180f33ecf0b957964c47
1576 1578 node--verbose: 97054abb4ab824450e9164180baf491ae0078465
1577 1579 node--verbose: b608e9d1a3f0273ccf70fb85fd6866b3482bf965
1578 1580 node--verbose: 1e4e1b8f71e05681d422154f5421e385fec3454f
1579 1581 node--debug: 95c24699272ef57d062b8bccc32c878bf841784a
1580 1582 node--debug: 29114dbae42b9f078cf2714dbe3a86bba8ec7453
1581 1583 node--debug: d41e714fe50d9e4a5f11b4d595d543481b5f980b
1582 1584 node--debug: 13207e5a10d9fd28ec424934298e176197f2c67f
1583 1585 node--debug: bbe44766e73d5f11ed2177f1838de10c53ef3e74
1584 1586 node--debug: 10e46f2dcbf4823578cf180f33ecf0b957964c47
1585 1587 node--debug: 97054abb4ab824450e9164180baf491ae0078465
1586 1588 node--debug: b608e9d1a3f0273ccf70fb85fd6866b3482bf965
1587 1589 node--debug: 1e4e1b8f71e05681d422154f5421e385fec3454f
1588 1590 parents:
1589 1591 parents: -1:000000000000
1590 1592 parents: 5:13207e5a10d9 4:bbe44766e73d
1591 1593 parents: 3:10e46f2dcbf4
1592 1594 parents:
1593 1595 parents:
1594 1596 parents:
1595 1597 parents:
1596 1598 parents:
1597 1599 parents--verbose:
1598 1600 parents--verbose: -1:000000000000
1599 1601 parents--verbose: 5:13207e5a10d9 4:bbe44766e73d
1600 1602 parents--verbose: 3:10e46f2dcbf4
1601 1603 parents--verbose:
1602 1604 parents--verbose:
1603 1605 parents--verbose:
1604 1606 parents--verbose:
1605 1607 parents--verbose:
1606 1608 parents--debug: 7:29114dbae42b9f078cf2714dbe3a86bba8ec7453 -1:0000000000000000000000000000000000000000
1607 1609 parents--debug: -1:0000000000000000000000000000000000000000 -1:0000000000000000000000000000000000000000
1608 1610 parents--debug: 5:13207e5a10d9fd28ec424934298e176197f2c67f 4:bbe44766e73d5f11ed2177f1838de10c53ef3e74
1609 1611 parents--debug: 3:10e46f2dcbf4823578cf180f33ecf0b957964c47 -1:0000000000000000000000000000000000000000
1610 1612 parents--debug: 3:10e46f2dcbf4823578cf180f33ecf0b957964c47 -1:0000000000000000000000000000000000000000
1611 1613 parents--debug: 2:97054abb4ab824450e9164180baf491ae0078465 -1:0000000000000000000000000000000000000000
1612 1614 parents--debug: 1:b608e9d1a3f0273ccf70fb85fd6866b3482bf965 -1:0000000000000000000000000000000000000000
1613 1615 parents--debug: 0:1e4e1b8f71e05681d422154f5421e385fec3454f -1:0000000000000000000000000000000000000000
1614 1616 parents--debug: -1:0000000000000000000000000000000000000000 -1:0000000000000000000000000000000000000000
1615 1617 rev: 8
1616 1618 rev: 7
1617 1619 rev: 6
1618 1620 rev: 5
1619 1621 rev: 4
1620 1622 rev: 3
1621 1623 rev: 2
1622 1624 rev: 1
1623 1625 rev: 0
1624 1626 rev--verbose: 8
1625 1627 rev--verbose: 7
1626 1628 rev--verbose: 6
1627 1629 rev--verbose: 5
1628 1630 rev--verbose: 4
1629 1631 rev--verbose: 3
1630 1632 rev--verbose: 2
1631 1633 rev--verbose: 1
1632 1634 rev--verbose: 0
1633 1635 rev--debug: 8
1634 1636 rev--debug: 7
1635 1637 rev--debug: 6
1636 1638 rev--debug: 5
1637 1639 rev--debug: 4
1638 1640 rev--debug: 3
1639 1641 rev--debug: 2
1640 1642 rev--debug: 1
1641 1643 rev--debug: 0
1642 1644 tags: tip
1643 1645 tags:
1644 1646 tags:
1645 1647 tags:
1646 1648 tags:
1647 1649 tags:
1648 1650 tags:
1649 1651 tags:
1650 1652 tags:
1651 1653 tags--verbose: tip
1652 1654 tags--verbose:
1653 1655 tags--verbose:
1654 1656 tags--verbose:
1655 1657 tags--verbose:
1656 1658 tags--verbose:
1657 1659 tags--verbose:
1658 1660 tags--verbose:
1659 1661 tags--verbose:
1660 1662 tags--debug: tip
1661 1663 tags--debug:
1662 1664 tags--debug:
1663 1665 tags--debug:
1664 1666 tags--debug:
1665 1667 tags--debug:
1666 1668 tags--debug:
1667 1669 tags--debug:
1668 1670 tags--debug:
1669 1671 diffstat: 3: +2/-1
1670 1672 diffstat: 1: +1/-0
1671 1673 diffstat: 0: +0/-0
1672 1674 diffstat: 1: +1/-0
1673 1675 diffstat: 0: +0/-0
1674 1676 diffstat: 1: +1/-0
1675 1677 diffstat: 1: +4/-0
1676 1678 diffstat: 1: +2/-0
1677 1679 diffstat: 1: +1/-0
1678 1680 diffstat--verbose: 3: +2/-1
1679 1681 diffstat--verbose: 1: +1/-0
1680 1682 diffstat--verbose: 0: +0/-0
1681 1683 diffstat--verbose: 1: +1/-0
1682 1684 diffstat--verbose: 0: +0/-0
1683 1685 diffstat--verbose: 1: +1/-0
1684 1686 diffstat--verbose: 1: +4/-0
1685 1687 diffstat--verbose: 1: +2/-0
1686 1688 diffstat--verbose: 1: +1/-0
1687 1689 diffstat--debug: 3: +2/-1
1688 1690 diffstat--debug: 1: +1/-0
1689 1691 diffstat--debug: 0: +0/-0
1690 1692 diffstat--debug: 1: +1/-0
1691 1693 diffstat--debug: 0: +0/-0
1692 1694 diffstat--debug: 1: +1/-0
1693 1695 diffstat--debug: 1: +4/-0
1694 1696 diffstat--debug: 1: +2/-0
1695 1697 diffstat--debug: 1: +1/-0
1696 1698 extras: branch=default
1697 1699 extras: branch=default
1698 1700 extras: branch=default
1699 1701 extras: branch=default
1700 1702 extras: branch=foo
1701 1703 extras: branch=default
1702 1704 extras: branch=default
1703 1705 extras: branch=default
1704 1706 extras: branch=default
1705 1707 extras--verbose: branch=default
1706 1708 extras--verbose: branch=default
1707 1709 extras--verbose: branch=default
1708 1710 extras--verbose: branch=default
1709 1711 extras--verbose: branch=foo
1710 1712 extras--verbose: branch=default
1711 1713 extras--verbose: branch=default
1712 1714 extras--verbose: branch=default
1713 1715 extras--verbose: branch=default
1714 1716 extras--debug: branch=default
1715 1717 extras--debug: branch=default
1716 1718 extras--debug: branch=default
1717 1719 extras--debug: branch=default
1718 1720 extras--debug: branch=foo
1719 1721 extras--debug: branch=default
1720 1722 extras--debug: branch=default
1721 1723 extras--debug: branch=default
1722 1724 extras--debug: branch=default
1723 1725 p1rev: 7
1724 1726 p1rev: -1
1725 1727 p1rev: 5
1726 1728 p1rev: 3
1727 1729 p1rev: 3
1728 1730 p1rev: 2
1729 1731 p1rev: 1
1730 1732 p1rev: 0
1731 1733 p1rev: -1
1732 1734 p1rev--verbose: 7
1733 1735 p1rev--verbose: -1
1734 1736 p1rev--verbose: 5
1735 1737 p1rev--verbose: 3
1736 1738 p1rev--verbose: 3
1737 1739 p1rev--verbose: 2
1738 1740 p1rev--verbose: 1
1739 1741 p1rev--verbose: 0
1740 1742 p1rev--verbose: -1
1741 1743 p1rev--debug: 7
1742 1744 p1rev--debug: -1
1743 1745 p1rev--debug: 5
1744 1746 p1rev--debug: 3
1745 1747 p1rev--debug: 3
1746 1748 p1rev--debug: 2
1747 1749 p1rev--debug: 1
1748 1750 p1rev--debug: 0
1749 1751 p1rev--debug: -1
1750 1752 p2rev: -1
1751 1753 p2rev: -1
1752 1754 p2rev: 4
1753 1755 p2rev: -1
1754 1756 p2rev: -1
1755 1757 p2rev: -1
1756 1758 p2rev: -1
1757 1759 p2rev: -1
1758 1760 p2rev: -1
1759 1761 p2rev--verbose: -1
1760 1762 p2rev--verbose: -1
1761 1763 p2rev--verbose: 4
1762 1764 p2rev--verbose: -1
1763 1765 p2rev--verbose: -1
1764 1766 p2rev--verbose: -1
1765 1767 p2rev--verbose: -1
1766 1768 p2rev--verbose: -1
1767 1769 p2rev--verbose: -1
1768 1770 p2rev--debug: -1
1769 1771 p2rev--debug: -1
1770 1772 p2rev--debug: 4
1771 1773 p2rev--debug: -1
1772 1774 p2rev--debug: -1
1773 1775 p2rev--debug: -1
1774 1776 p2rev--debug: -1
1775 1777 p2rev--debug: -1
1776 1778 p2rev--debug: -1
1777 1779 p1node: 29114dbae42b9f078cf2714dbe3a86bba8ec7453
1778 1780 p1node: 0000000000000000000000000000000000000000
1779 1781 p1node: 13207e5a10d9fd28ec424934298e176197f2c67f
1780 1782 p1node: 10e46f2dcbf4823578cf180f33ecf0b957964c47
1781 1783 p1node: 10e46f2dcbf4823578cf180f33ecf0b957964c47
1782 1784 p1node: 97054abb4ab824450e9164180baf491ae0078465
1783 1785 p1node: b608e9d1a3f0273ccf70fb85fd6866b3482bf965
1784 1786 p1node: 1e4e1b8f71e05681d422154f5421e385fec3454f
1785 1787 p1node: 0000000000000000000000000000000000000000
1786 1788 p1node--verbose: 29114dbae42b9f078cf2714dbe3a86bba8ec7453
1787 1789 p1node--verbose: 0000000000000000000000000000000000000000
1788 1790 p1node--verbose: 13207e5a10d9fd28ec424934298e176197f2c67f
1789 1791 p1node--verbose: 10e46f2dcbf4823578cf180f33ecf0b957964c47
1790 1792 p1node--verbose: 10e46f2dcbf4823578cf180f33ecf0b957964c47
1791 1793 p1node--verbose: 97054abb4ab824450e9164180baf491ae0078465
1792 1794 p1node--verbose: b608e9d1a3f0273ccf70fb85fd6866b3482bf965
1793 1795 p1node--verbose: 1e4e1b8f71e05681d422154f5421e385fec3454f
1794 1796 p1node--verbose: 0000000000000000000000000000000000000000
1795 1797 p1node--debug: 29114dbae42b9f078cf2714dbe3a86bba8ec7453
1796 1798 p1node--debug: 0000000000000000000000000000000000000000
1797 1799 p1node--debug: 13207e5a10d9fd28ec424934298e176197f2c67f
1798 1800 p1node--debug: 10e46f2dcbf4823578cf180f33ecf0b957964c47
1799 1801 p1node--debug: 10e46f2dcbf4823578cf180f33ecf0b957964c47
1800 1802 p1node--debug: 97054abb4ab824450e9164180baf491ae0078465
1801 1803 p1node--debug: b608e9d1a3f0273ccf70fb85fd6866b3482bf965
1802 1804 p1node--debug: 1e4e1b8f71e05681d422154f5421e385fec3454f
1803 1805 p1node--debug: 0000000000000000000000000000000000000000
1804 1806 p2node: 0000000000000000000000000000000000000000
1805 1807 p2node: 0000000000000000000000000000000000000000
1806 1808 p2node: bbe44766e73d5f11ed2177f1838de10c53ef3e74
1807 1809 p2node: 0000000000000000000000000000000000000000
1808 1810 p2node: 0000000000000000000000000000000000000000
1809 1811 p2node: 0000000000000000000000000000000000000000
1810 1812 p2node: 0000000000000000000000000000000000000000
1811 1813 p2node: 0000000000000000000000000000000000000000
1812 1814 p2node: 0000000000000000000000000000000000000000
1813 1815 p2node--verbose: 0000000000000000000000000000000000000000
1814 1816 p2node--verbose: 0000000000000000000000000000000000000000
1815 1817 p2node--verbose: bbe44766e73d5f11ed2177f1838de10c53ef3e74
1816 1818 p2node--verbose: 0000000000000000000000000000000000000000
1817 1819 p2node--verbose: 0000000000000000000000000000000000000000
1818 1820 p2node--verbose: 0000000000000000000000000000000000000000
1819 1821 p2node--verbose: 0000000000000000000000000000000000000000
1820 1822 p2node--verbose: 0000000000000000000000000000000000000000
1821 1823 p2node--verbose: 0000000000000000000000000000000000000000
1822 1824 p2node--debug: 0000000000000000000000000000000000000000
1823 1825 p2node--debug: 0000000000000000000000000000000000000000
1824 1826 p2node--debug: bbe44766e73d5f11ed2177f1838de10c53ef3e74
1825 1827 p2node--debug: 0000000000000000000000000000000000000000
1826 1828 p2node--debug: 0000000000000000000000000000000000000000
1827 1829 p2node--debug: 0000000000000000000000000000000000000000
1828 1830 p2node--debug: 0000000000000000000000000000000000000000
1829 1831 p2node--debug: 0000000000000000000000000000000000000000
1830 1832 p2node--debug: 0000000000000000000000000000000000000000
1831 1833
1832 1834 Filters work:
1833 1835
1834 1836 $ hg log --template '{author|domain}\n'
1835 1837
1836 1838 hostname
1837 1839
1838 1840
1839 1841
1840 1842
1841 1843 place
1842 1844 place
1843 1845 hostname
1844 1846
1845 1847 $ hg log --template '{author|person}\n'
1846 1848 test
1847 1849 User Name
1848 1850 person
1849 1851 person
1850 1852 person
1851 1853 person
1852 1854 other
1853 1855 A. N. Other
1854 1856 User Name
1855 1857
1856 1858 $ hg log --template '{author|user}\n'
1857 1859 test
1858 1860 user
1859 1861 person
1860 1862 person
1861 1863 person
1862 1864 person
1863 1865 other
1864 1866 other
1865 1867 user
1866 1868
1867 1869 $ hg log --template '{date|date}\n'
1868 1870 Wed Jan 01 10:01:00 2020 +0000
1869 1871 Mon Jan 12 13:46:40 1970 +0000
1870 1872 Sun Jan 18 08:40:01 1970 +0000
1871 1873 Sun Jan 18 08:40:00 1970 +0000
1872 1874 Sat Jan 17 04:53:20 1970 +0000
1873 1875 Fri Jan 16 01:06:40 1970 +0000
1874 1876 Wed Jan 14 21:20:00 1970 +0000
1875 1877 Tue Jan 13 17:33:20 1970 +0000
1876 1878 Mon Jan 12 13:46:40 1970 +0000
1877 1879
1878 1880 $ hg log --template '{date|isodate}\n'
1879 1881 2020-01-01 10:01 +0000
1880 1882 1970-01-12 13:46 +0000
1881 1883 1970-01-18 08:40 +0000
1882 1884 1970-01-18 08:40 +0000
1883 1885 1970-01-17 04:53 +0000
1884 1886 1970-01-16 01:06 +0000
1885 1887 1970-01-14 21:20 +0000
1886 1888 1970-01-13 17:33 +0000
1887 1889 1970-01-12 13:46 +0000
1888 1890
1889 1891 $ hg log --template '{date|isodatesec}\n'
1890 1892 2020-01-01 10:01:00 +0000
1891 1893 1970-01-12 13:46:40 +0000
1892 1894 1970-01-18 08:40:01 +0000
1893 1895 1970-01-18 08:40:00 +0000
1894 1896 1970-01-17 04:53:20 +0000
1895 1897 1970-01-16 01:06:40 +0000
1896 1898 1970-01-14 21:20:00 +0000
1897 1899 1970-01-13 17:33:20 +0000
1898 1900 1970-01-12 13:46:40 +0000
1899 1901
1900 1902 $ hg log --template '{date|rfc822date}\n'
1901 1903 Wed, 01 Jan 2020 10:01:00 +0000
1902 1904 Mon, 12 Jan 1970 13:46:40 +0000
1903 1905 Sun, 18 Jan 1970 08:40:01 +0000
1904 1906 Sun, 18 Jan 1970 08:40:00 +0000
1905 1907 Sat, 17 Jan 1970 04:53:20 +0000
1906 1908 Fri, 16 Jan 1970 01:06:40 +0000
1907 1909 Wed, 14 Jan 1970 21:20:00 +0000
1908 1910 Tue, 13 Jan 1970 17:33:20 +0000
1909 1911 Mon, 12 Jan 1970 13:46:40 +0000
1910 1912
1911 1913 $ hg log --template '{desc|firstline}\n'
1912 1914 third
1913 1915 second
1914 1916 merge
1915 1917 new head
1916 1918 new branch
1917 1919 no user, no domain
1918 1920 no person
1919 1921 other 1
1920 1922 line 1
1921 1923
1922 1924 $ hg log --template '{node|short}\n'
1923 1925 95c24699272e
1924 1926 29114dbae42b
1925 1927 d41e714fe50d
1926 1928 13207e5a10d9
1927 1929 bbe44766e73d
1928 1930 10e46f2dcbf4
1929 1931 97054abb4ab8
1930 1932 b608e9d1a3f0
1931 1933 1e4e1b8f71e0
1932 1934
1933 1935 $ hg log --template '<changeset author="{author|xmlescape}"/>\n'
1934 1936 <changeset author="test"/>
1935 1937 <changeset author="User Name &lt;user@hostname&gt;"/>
1936 1938 <changeset author="person"/>
1937 1939 <changeset author="person"/>
1938 1940 <changeset author="person"/>
1939 1941 <changeset author="person"/>
1940 1942 <changeset author="other@place"/>
1941 1943 <changeset author="A. N. Other &lt;other@place&gt;"/>
1942 1944 <changeset author="User Name &lt;user@hostname&gt;"/>
1943 1945
1944 1946 $ hg log --template '{rev}: {children}\n'
1945 1947 8:
1946 1948 7: 8:95c24699272e
1947 1949 6:
1948 1950 5: 6:d41e714fe50d
1949 1951 4: 6:d41e714fe50d
1950 1952 3: 4:bbe44766e73d 5:13207e5a10d9
1951 1953 2: 3:10e46f2dcbf4
1952 1954 1: 2:97054abb4ab8
1953 1955 0: 1:b608e9d1a3f0
1954 1956
1955 1957 Formatnode filter works:
1956 1958
1957 1959 $ hg -q log -r 0 --template '{node|formatnode}\n'
1958 1960 1e4e1b8f71e0
1959 1961
1960 1962 $ hg log -r 0 --template '{node|formatnode}\n'
1961 1963 1e4e1b8f71e0
1962 1964
1963 1965 $ hg -v log -r 0 --template '{node|formatnode}\n'
1964 1966 1e4e1b8f71e0
1965 1967
1966 1968 $ hg --debug log -r 0 --template '{node|formatnode}\n'
1967 1969 1e4e1b8f71e05681d422154f5421e385fec3454f
1968 1970
1969 1971 Age filter:
1970 1972
1971 1973 $ hg init unstable-hash
1972 1974 $ cd unstable-hash
1973 1975 $ hg log --template '{date|age}\n' > /dev/null || exit 1
1974 1976
1975 1977 >>> from datetime import datetime, timedelta
1976 1978 >>> fp = open('a', 'w')
1977 1979 >>> n = datetime.now() + timedelta(366 * 7)
1978 1980 >>> fp.write('%d-%d-%d 00:00' % (n.year, n.month, n.day))
1979 1981 >>> fp.close()
1980 1982 $ hg add a
1981 1983 $ hg commit -m future -d "`cat a`"
1982 1984
1983 1985 $ hg log -l1 --template '{date|age}\n'
1984 1986 7 years from now
1985 1987
1986 1988 $ cd ..
1987 1989 $ rm -rf unstable-hash
1988 1990
1989 1991 Add a dummy commit to make up for the instability of the above:
1990 1992
1991 1993 $ echo a > a
1992 1994 $ hg add a
1993 1995 $ hg ci -m future
1994 1996
1995 1997 Count filter:
1996 1998
1997 1999 $ hg log -l1 --template '{node|count} {node|short|count}\n'
1998 2000 40 12
1999 2001
2000 2002 $ hg log -l1 --template '{revset("null^")|count} {revset(".")|count} {revset("0::3")|count}\n'
2001 2003 0 1 4
2002 2004
2003 2005 $ hg log -G --template '{rev}: children: {children|count}, \
2004 2006 > tags: {tags|count}, file_adds: {file_adds|count}, \
2005 2007 > ancestors: {revset("ancestors(%s)", rev)|count}'
2006 2008 @ 9: children: 0, tags: 1, file_adds: 1, ancestors: 3
2007 2009 |
2008 2010 o 8: children: 1, tags: 0, file_adds: 2, ancestors: 2
2009 2011 |
2010 2012 o 7: children: 1, tags: 0, file_adds: 1, ancestors: 1
2011 2013
2012 2014 o 6: children: 0, tags: 0, file_adds: 0, ancestors: 7
2013 2015 |\
2014 2016 | o 5: children: 1, tags: 0, file_adds: 1, ancestors: 5
2015 2017 | |
2016 2018 o | 4: children: 1, tags: 0, file_adds: 0, ancestors: 5
2017 2019 |/
2018 2020 o 3: children: 2, tags: 0, file_adds: 0, ancestors: 4
2019 2021 |
2020 2022 o 2: children: 1, tags: 0, file_adds: 1, ancestors: 3
2021 2023 |
2022 2024 o 1: children: 1, tags: 0, file_adds: 1, ancestors: 2
2023 2025 |
2024 2026 o 0: children: 1, tags: 0, file_adds: 1, ancestors: 1
2025 2027
2026 2028
2027 2029 Upper/lower filters:
2028 2030
2029 2031 $ hg log -r0 --template '{branch|upper}\n'
2030 2032 DEFAULT
2031 2033 $ hg log -r0 --template '{author|lower}\n'
2032 2034 user name <user@hostname>
2033 2035 $ hg log -r0 --template '{date|upper}\n'
2034 2036 abort: template filter 'upper' is not compatible with keyword 'date'
2035 2037 [255]
2036 2038
2037 2039 Add a commit that does all possible modifications at once
2038 2040
2039 2041 $ echo modify >> third
2040 2042 $ touch b
2041 2043 $ hg add b
2042 2044 $ hg mv fourth fifth
2043 2045 $ hg rm a
2044 2046 $ hg ci -m "Modify, add, remove, rename"
2045 2047
2046 2048 Check the status template
2047 2049
2048 2050 $ cat <<EOF >> $HGRCPATH
2049 2051 > [extensions]
2050 2052 > color=
2051 2053 > EOF
2052 2054
2053 2055 $ hg log -T status -r 10
2054 2056 changeset: 10:0f9759ec227a
2055 2057 tag: tip
2056 2058 user: test
2057 2059 date: Thu Jan 01 00:00:00 1970 +0000
2058 2060 summary: Modify, add, remove, rename
2059 2061 files:
2060 2062 M third
2061 2063 A b
2062 2064 A fifth
2063 2065 R a
2064 2066 R fourth
2065 2067
2066 2068 $ hg log -T status -C -r 10
2067 2069 changeset: 10:0f9759ec227a
2068 2070 tag: tip
2069 2071 user: test
2070 2072 date: Thu Jan 01 00:00:00 1970 +0000
2071 2073 summary: Modify, add, remove, rename
2072 2074 files:
2073 2075 M third
2074 2076 A b
2075 2077 A fifth
2076 2078 fourth
2077 2079 R a
2078 2080 R fourth
2079 2081
2080 2082 $ hg log -T status -C -r 10 -v
2081 2083 changeset: 10:0f9759ec227a
2082 2084 tag: tip
2083 2085 user: test
2084 2086 date: Thu Jan 01 00:00:00 1970 +0000
2085 2087 description:
2086 2088 Modify, add, remove, rename
2087 2089
2088 2090 files:
2089 2091 M third
2090 2092 A b
2091 2093 A fifth
2092 2094 fourth
2093 2095 R a
2094 2096 R fourth
2095 2097
2096 2098 $ hg log -T status -C -r 10 --debug
2097 2099 changeset: 10:0f9759ec227a4859c2014a345cd8a859022b7c6c
2098 2100 tag: tip
2099 2101 phase: secret
2100 2102 parent: 9:bf9dfba36635106d6a73ccc01e28b762da60e066
2101 2103 parent: -1:0000000000000000000000000000000000000000
2102 2104 manifest: 8:89dd546f2de0a9d6d664f58d86097eb97baba567
2103 2105 user: test
2104 2106 date: Thu Jan 01 00:00:00 1970 +0000
2105 2107 extra: branch=default
2106 2108 description:
2107 2109 Modify, add, remove, rename
2108 2110
2109 2111 files:
2110 2112 M third
2111 2113 A b
2112 2114 A fifth
2113 2115 fourth
2114 2116 R a
2115 2117 R fourth
2116 2118
2117 2119 $ hg log -T status -C -r 10 --quiet
2118 2120 10:0f9759ec227a
2119 2121 $ hg --color=debug log -T status -r 10
2120 2122 [log.changeset changeset.secret|changeset: 10:0f9759ec227a]
2121 2123 [log.tag|tag: tip]
2122 2124 [log.user|user: test]
2123 2125 [log.date|date: Thu Jan 01 00:00:00 1970 +0000]
2124 2126 [log.summary|summary: Modify, add, remove, rename]
2125 2127 [ui.note log.files|files:]
2126 2128 [status.modified|M third]
2127 2129 [status.added|A b]
2128 2130 [status.added|A fifth]
2129 2131 [status.removed|R a]
2130 2132 [status.removed|R fourth]
2131 2133
2132 2134 $ hg --color=debug log -T status -C -r 10
2133 2135 [log.changeset changeset.secret|changeset: 10:0f9759ec227a]
2134 2136 [log.tag|tag: tip]
2135 2137 [log.user|user: test]
2136 2138 [log.date|date: Thu Jan 01 00:00:00 1970 +0000]
2137 2139 [log.summary|summary: Modify, add, remove, rename]
2138 2140 [ui.note log.files|files:]
2139 2141 [status.modified|M third]
2140 2142 [status.added|A b]
2141 2143 [status.added|A fifth]
2142 2144 [status.copied| fourth]
2143 2145 [status.removed|R a]
2144 2146 [status.removed|R fourth]
2145 2147
2146 2148 $ hg --color=debug log -T status -C -r 10 -v
2147 2149 [log.changeset changeset.secret|changeset: 10:0f9759ec227a]
2148 2150 [log.tag|tag: tip]
2149 2151 [log.user|user: test]
2150 2152 [log.date|date: Thu Jan 01 00:00:00 1970 +0000]
2151 2153 [ui.note log.description|description:]
2152 2154 [ui.note log.description|Modify, add, remove, rename]
2153 2155
2154 2156 [ui.note log.files|files:]
2155 2157 [status.modified|M third]
2156 2158 [status.added|A b]
2157 2159 [status.added|A fifth]
2158 2160 [status.copied| fourth]
2159 2161 [status.removed|R a]
2160 2162 [status.removed|R fourth]
2161 2163
2162 2164 $ hg --color=debug log -T status -C -r 10 --debug
2163 2165 [log.changeset changeset.secret|changeset: 10:0f9759ec227a4859c2014a345cd8a859022b7c6c]
2164 2166 [log.tag|tag: tip]
2165 2167 [log.phase|phase: secret]
2166 2168 [log.parent changeset.secret|parent: 9:bf9dfba36635106d6a73ccc01e28b762da60e066]
2167 2169 [log.parent changeset.public|parent: -1:0000000000000000000000000000000000000000]
2168 2170 [ui.debug log.manifest|manifest: 8:89dd546f2de0a9d6d664f58d86097eb97baba567]
2169 2171 [log.user|user: test]
2170 2172 [log.date|date: Thu Jan 01 00:00:00 1970 +0000]
2171 2173 [ui.debug log.extra|extra: branch=default]
2172 2174 [ui.note log.description|description:]
2173 2175 [ui.note log.description|Modify, add, remove, rename]
2174 2176
2175 2177 [ui.note log.files|files:]
2176 2178 [status.modified|M third]
2177 2179 [status.added|A b]
2178 2180 [status.added|A fifth]
2179 2181 [status.copied| fourth]
2180 2182 [status.removed|R a]
2181 2183 [status.removed|R fourth]
2182 2184
2183 2185 $ hg --color=debug log -T status -C -r 10 --quiet
2184 2186 [log.node|10:0f9759ec227a]
2185 2187
2186 2188 Check the bisect template
2187 2189
2188 2190 $ hg bisect -g 1
2189 2191 $ hg bisect -b 3 --noupdate
2190 2192 Testing changeset 2:97054abb4ab8 (2 changesets remaining, ~1 tests)
2191 2193 $ hg log -T bisect -r 0:4
2192 2194 changeset: 0:1e4e1b8f71e0
2193 2195 bisect: good (implicit)
2194 2196 user: User Name <user@hostname>
2195 2197 date: Mon Jan 12 13:46:40 1970 +0000
2196 2198 summary: line 1
2197 2199
2198 2200 changeset: 1:b608e9d1a3f0
2199 2201 bisect: good
2200 2202 user: A. N. Other <other@place>
2201 2203 date: Tue Jan 13 17:33:20 1970 +0000
2202 2204 summary: other 1
2203 2205
2204 2206 changeset: 2:97054abb4ab8
2205 2207 bisect: untested
2206 2208 user: other@place
2207 2209 date: Wed Jan 14 21:20:00 1970 +0000
2208 2210 summary: no person
2209 2211
2210 2212 changeset: 3:10e46f2dcbf4
2211 2213 bisect: bad
2212 2214 user: person
2213 2215 date: Fri Jan 16 01:06:40 1970 +0000
2214 2216 summary: no user, no domain
2215 2217
2216 2218 changeset: 4:bbe44766e73d
2217 2219 bisect: bad (implicit)
2218 2220 branch: foo
2219 2221 user: person
2220 2222 date: Sat Jan 17 04:53:20 1970 +0000
2221 2223 summary: new branch
2222 2224
2223 2225 $ hg log --debug -T bisect -r 0:4
2224 2226 changeset: 0:1e4e1b8f71e05681d422154f5421e385fec3454f
2225 2227 bisect: good (implicit)
2226 2228 phase: public
2227 2229 parent: -1:0000000000000000000000000000000000000000
2228 2230 parent: -1:0000000000000000000000000000000000000000
2229 2231 manifest: 0:a0c8bcbbb45c63b90b70ad007bf38961f64f2af0
2230 2232 user: User Name <user@hostname>
2231 2233 date: Mon Jan 12 13:46:40 1970 +0000
2232 2234 files+: a
2233 2235 extra: branch=default
2234 2236 description:
2235 2237 line 1
2236 2238 line 2
2237 2239
2238 2240
2239 2241 changeset: 1:b608e9d1a3f0273ccf70fb85fd6866b3482bf965
2240 2242 bisect: good
2241 2243 phase: public
2242 2244 parent: 0:1e4e1b8f71e05681d422154f5421e385fec3454f
2243 2245 parent: -1:0000000000000000000000000000000000000000
2244 2246 manifest: 1:4e8d705b1e53e3f9375e0e60dc7b525d8211fe55
2245 2247 user: A. N. Other <other@place>
2246 2248 date: Tue Jan 13 17:33:20 1970 +0000
2247 2249 files+: b
2248 2250 extra: branch=default
2249 2251 description:
2250 2252 other 1
2251 2253 other 2
2252 2254
2253 2255 other 3
2254 2256
2255 2257
2256 2258 changeset: 2:97054abb4ab824450e9164180baf491ae0078465
2257 2259 bisect: untested
2258 2260 phase: public
2259 2261 parent: 1:b608e9d1a3f0273ccf70fb85fd6866b3482bf965
2260 2262 parent: -1:0000000000000000000000000000000000000000
2261 2263 manifest: 2:6e0e82995c35d0d57a52aca8da4e56139e06b4b1
2262 2264 user: other@place
2263 2265 date: Wed Jan 14 21:20:00 1970 +0000
2264 2266 files+: c
2265 2267 extra: branch=default
2266 2268 description:
2267 2269 no person
2268 2270
2269 2271
2270 2272 changeset: 3:10e46f2dcbf4823578cf180f33ecf0b957964c47
2271 2273 bisect: bad
2272 2274 phase: public
2273 2275 parent: 2:97054abb4ab824450e9164180baf491ae0078465
2274 2276 parent: -1:0000000000000000000000000000000000000000
2275 2277 manifest: 3:cb5a1327723bada42f117e4c55a303246eaf9ccc
2276 2278 user: person
2277 2279 date: Fri Jan 16 01:06:40 1970 +0000
2278 2280 files: c
2279 2281 extra: branch=default
2280 2282 description:
2281 2283 no user, no domain
2282 2284
2283 2285
2284 2286 changeset: 4:bbe44766e73d5f11ed2177f1838de10c53ef3e74
2285 2287 bisect: bad (implicit)
2286 2288 branch: foo
2287 2289 phase: draft
2288 2290 parent: 3:10e46f2dcbf4823578cf180f33ecf0b957964c47
2289 2291 parent: -1:0000000000000000000000000000000000000000
2290 2292 manifest: 3:cb5a1327723bada42f117e4c55a303246eaf9ccc
2291 2293 user: person
2292 2294 date: Sat Jan 17 04:53:20 1970 +0000
2293 2295 extra: branch=foo
2294 2296 description:
2295 2297 new branch
2296 2298
2297 2299
2298 2300 $ hg log -v -T bisect -r 0:4
2299 2301 changeset: 0:1e4e1b8f71e0
2300 2302 bisect: good (implicit)
2301 2303 user: User Name <user@hostname>
2302 2304 date: Mon Jan 12 13:46:40 1970 +0000
2303 2305 files: a
2304 2306 description:
2305 2307 line 1
2306 2308 line 2
2307 2309
2308 2310
2309 2311 changeset: 1:b608e9d1a3f0
2310 2312 bisect: good
2311 2313 user: A. N. Other <other@place>
2312 2314 date: Tue Jan 13 17:33:20 1970 +0000
2313 2315 files: b
2314 2316 description:
2315 2317 other 1
2316 2318 other 2
2317 2319
2318 2320 other 3
2319 2321
2320 2322
2321 2323 changeset: 2:97054abb4ab8
2322 2324 bisect: untested
2323 2325 user: other@place
2324 2326 date: Wed Jan 14 21:20:00 1970 +0000
2325 2327 files: c
2326 2328 description:
2327 2329 no person
2328 2330
2329 2331
2330 2332 changeset: 3:10e46f2dcbf4
2331 2333 bisect: bad
2332 2334 user: person
2333 2335 date: Fri Jan 16 01:06:40 1970 +0000
2334 2336 files: c
2335 2337 description:
2336 2338 no user, no domain
2337 2339
2338 2340
2339 2341 changeset: 4:bbe44766e73d
2340 2342 bisect: bad (implicit)
2341 2343 branch: foo
2342 2344 user: person
2343 2345 date: Sat Jan 17 04:53:20 1970 +0000
2344 2346 description:
2345 2347 new branch
2346 2348
2347 2349
2348 2350 $ hg --color=debug log -T bisect -r 0:4
2349 2351 [log.changeset changeset.public|changeset: 0:1e4e1b8f71e0]
2350 2352 [log.bisect bisect.good|bisect: good (implicit)]
2351 2353 [log.user|user: User Name <user@hostname>]
2352 2354 [log.date|date: Mon Jan 12 13:46:40 1970 +0000]
2353 2355 [log.summary|summary: line 1]
2354 2356
2355 2357 [log.changeset changeset.public|changeset: 1:b608e9d1a3f0]
2356 2358 [log.bisect bisect.good|bisect: good]
2357 2359 [log.user|user: A. N. Other <other@place>]
2358 2360 [log.date|date: Tue Jan 13 17:33:20 1970 +0000]
2359 2361 [log.summary|summary: other 1]
2360 2362
2361 2363 [log.changeset changeset.public|changeset: 2:97054abb4ab8]
2362 2364 [log.bisect bisect.untested|bisect: untested]
2363 2365 [log.user|user: other@place]
2364 2366 [log.date|date: Wed Jan 14 21:20:00 1970 +0000]
2365 2367 [log.summary|summary: no person]
2366 2368
2367 2369 [log.changeset changeset.public|changeset: 3:10e46f2dcbf4]
2368 2370 [log.bisect bisect.bad|bisect: bad]
2369 2371 [log.user|user: person]
2370 2372 [log.date|date: Fri Jan 16 01:06:40 1970 +0000]
2371 2373 [log.summary|summary: no user, no domain]
2372 2374
2373 2375 [log.changeset changeset.draft|changeset: 4:bbe44766e73d]
2374 2376 [log.bisect bisect.bad|bisect: bad (implicit)]
2375 2377 [log.branch|branch: foo]
2376 2378 [log.user|user: person]
2377 2379 [log.date|date: Sat Jan 17 04:53:20 1970 +0000]
2378 2380 [log.summary|summary: new branch]
2379 2381
2380 2382 $ hg --color=debug log --debug -T bisect -r 0:4
2381 2383 [log.changeset changeset.public|changeset: 0:1e4e1b8f71e05681d422154f5421e385fec3454f]
2382 2384 [log.bisect bisect.good|bisect: good (implicit)]
2383 2385 [log.phase|phase: public]
2384 2386 [log.parent changeset.public|parent: -1:0000000000000000000000000000000000000000]
2385 2387 [log.parent changeset.public|parent: -1:0000000000000000000000000000000000000000]
2386 2388 [ui.debug log.manifest|manifest: 0:a0c8bcbbb45c63b90b70ad007bf38961f64f2af0]
2387 2389 [log.user|user: User Name <user@hostname>]
2388 2390 [log.date|date: Mon Jan 12 13:46:40 1970 +0000]
2389 2391 [ui.debug log.files|files+: a]
2390 2392 [ui.debug log.extra|extra: branch=default]
2391 2393 [ui.note log.description|description:]
2392 2394 [ui.note log.description|line 1
2393 2395 line 2]
2394 2396
2395 2397
2396 2398 [log.changeset changeset.public|changeset: 1:b608e9d1a3f0273ccf70fb85fd6866b3482bf965]
2397 2399 [log.bisect bisect.good|bisect: good]
2398 2400 [log.phase|phase: public]
2399 2401 [log.parent changeset.public|parent: 0:1e4e1b8f71e05681d422154f5421e385fec3454f]
2400 2402 [log.parent changeset.public|parent: -1:0000000000000000000000000000000000000000]
2401 2403 [ui.debug log.manifest|manifest: 1:4e8d705b1e53e3f9375e0e60dc7b525d8211fe55]
2402 2404 [log.user|user: A. N. Other <other@place>]
2403 2405 [log.date|date: Tue Jan 13 17:33:20 1970 +0000]
2404 2406 [ui.debug log.files|files+: b]
2405 2407 [ui.debug log.extra|extra: branch=default]
2406 2408 [ui.note log.description|description:]
2407 2409 [ui.note log.description|other 1
2408 2410 other 2
2409 2411
2410 2412 other 3]
2411 2413
2412 2414
2413 2415 [log.changeset changeset.public|changeset: 2:97054abb4ab824450e9164180baf491ae0078465]
2414 2416 [log.bisect bisect.untested|bisect: untested]
2415 2417 [log.phase|phase: public]
2416 2418 [log.parent changeset.public|parent: 1:b608e9d1a3f0273ccf70fb85fd6866b3482bf965]
2417 2419 [log.parent changeset.public|parent: -1:0000000000000000000000000000000000000000]
2418 2420 [ui.debug log.manifest|manifest: 2:6e0e82995c35d0d57a52aca8da4e56139e06b4b1]
2419 2421 [log.user|user: other@place]
2420 2422 [log.date|date: Wed Jan 14 21:20:00 1970 +0000]
2421 2423 [ui.debug log.files|files+: c]
2422 2424 [ui.debug log.extra|extra: branch=default]
2423 2425 [ui.note log.description|description:]
2424 2426 [ui.note log.description|no person]
2425 2427
2426 2428
2427 2429 [log.changeset changeset.public|changeset: 3:10e46f2dcbf4823578cf180f33ecf0b957964c47]
2428 2430 [log.bisect bisect.bad|bisect: bad]
2429 2431 [log.phase|phase: public]
2430 2432 [log.parent changeset.public|parent: 2:97054abb4ab824450e9164180baf491ae0078465]
2431 2433 [log.parent changeset.public|parent: -1:0000000000000000000000000000000000000000]
2432 2434 [ui.debug log.manifest|manifest: 3:cb5a1327723bada42f117e4c55a303246eaf9ccc]
2433 2435 [log.user|user: person]
2434 2436 [log.date|date: Fri Jan 16 01:06:40 1970 +0000]
2435 2437 [ui.debug log.files|files: c]
2436 2438 [ui.debug log.extra|extra: branch=default]
2437 2439 [ui.note log.description|description:]
2438 2440 [ui.note log.description|no user, no domain]
2439 2441
2440 2442
2441 2443 [log.changeset changeset.draft|changeset: 4:bbe44766e73d5f11ed2177f1838de10c53ef3e74]
2442 2444 [log.bisect bisect.bad|bisect: bad (implicit)]
2443 2445 [log.branch|branch: foo]
2444 2446 [log.phase|phase: draft]
2445 2447 [log.parent changeset.public|parent: 3:10e46f2dcbf4823578cf180f33ecf0b957964c47]
2446 2448 [log.parent changeset.public|parent: -1:0000000000000000000000000000000000000000]
2447 2449 [ui.debug log.manifest|manifest: 3:cb5a1327723bada42f117e4c55a303246eaf9ccc]
2448 2450 [log.user|user: person]
2449 2451 [log.date|date: Sat Jan 17 04:53:20 1970 +0000]
2450 2452 [ui.debug log.extra|extra: branch=foo]
2451 2453 [ui.note log.description|description:]
2452 2454 [ui.note log.description|new branch]
2453 2455
2454 2456
2455 2457 $ hg --color=debug log -v -T bisect -r 0:4
2456 2458 [log.changeset changeset.public|changeset: 0:1e4e1b8f71e0]
2457 2459 [log.bisect bisect.good|bisect: good (implicit)]
2458 2460 [log.user|user: User Name <user@hostname>]
2459 2461 [log.date|date: Mon Jan 12 13:46:40 1970 +0000]
2460 2462 [ui.note log.files|files: a]
2461 2463 [ui.note log.description|description:]
2462 2464 [ui.note log.description|line 1
2463 2465 line 2]
2464 2466
2465 2467
2466 2468 [log.changeset changeset.public|changeset: 1:b608e9d1a3f0]
2467 2469 [log.bisect bisect.good|bisect: good]
2468 2470 [log.user|user: A. N. Other <other@place>]
2469 2471 [log.date|date: Tue Jan 13 17:33:20 1970 +0000]
2470 2472 [ui.note log.files|files: b]
2471 2473 [ui.note log.description|description:]
2472 2474 [ui.note log.description|other 1
2473 2475 other 2
2474 2476
2475 2477 other 3]
2476 2478
2477 2479
2478 2480 [log.changeset changeset.public|changeset: 2:97054abb4ab8]
2479 2481 [log.bisect bisect.untested|bisect: untested]
2480 2482 [log.user|user: other@place]
2481 2483 [log.date|date: Wed Jan 14 21:20:00 1970 +0000]
2482 2484 [ui.note log.files|files: c]
2483 2485 [ui.note log.description|description:]
2484 2486 [ui.note log.description|no person]
2485 2487
2486 2488
2487 2489 [log.changeset changeset.public|changeset: 3:10e46f2dcbf4]
2488 2490 [log.bisect bisect.bad|bisect: bad]
2489 2491 [log.user|user: person]
2490 2492 [log.date|date: Fri Jan 16 01:06:40 1970 +0000]
2491 2493 [ui.note log.files|files: c]
2492 2494 [ui.note log.description|description:]
2493 2495 [ui.note log.description|no user, no domain]
2494 2496
2495 2497
2496 2498 [log.changeset changeset.draft|changeset: 4:bbe44766e73d]
2497 2499 [log.bisect bisect.bad|bisect: bad (implicit)]
2498 2500 [log.branch|branch: foo]
2499 2501 [log.user|user: person]
2500 2502 [log.date|date: Sat Jan 17 04:53:20 1970 +0000]
2501 2503 [ui.note log.description|description:]
2502 2504 [ui.note log.description|new branch]
2503 2505
2504 2506
2505 2507 $ hg bisect --reset
2506 2508
2507 2509 Error on syntax:
2508 2510
2509 2511 $ echo 'x = "f' >> t
2510 2512 $ hg log
2511 2513 hg: parse error at t:3: unmatched quotes
2512 2514 [255]
2513 2515
2514 2516 $ hg log -T '{date'
2515 2517 hg: parse error at 1: unterminated template expansion
2516 2518 [255]
2517 2519
2518 2520 Behind the scenes, this will throw TypeError
2519 2521
2520 2522 $ hg log -l 3 --template '{date|obfuscate}\n'
2521 2523 abort: template filter 'obfuscate' is not compatible with keyword 'date'
2522 2524 [255]
2523 2525
2524 2526 Behind the scenes, this will throw a ValueError
2525 2527
2526 2528 $ hg log -l 3 --template 'line: {desc|shortdate}\n'
2527 2529 abort: template filter 'shortdate' is not compatible with keyword 'desc'
2528 2530 [255]
2529 2531
2530 2532 Behind the scenes, this will throw AttributeError
2531 2533
2532 2534 $ hg log -l 3 --template 'line: {date|escape}\n'
2533 2535 abort: template filter 'escape' is not compatible with keyword 'date'
2534 2536 [255]
2535 2537
2536 2538 $ hg log -l 3 --template 'line: {extras|localdate}\n'
2537 2539 hg: parse error: localdate expects a date information
2538 2540 [255]
2539 2541
2540 2542 Behind the scenes, this will throw ValueError
2541 2543
2542 2544 $ hg tip --template '{author|email|date}\n'
2543 2545 hg: parse error: date expects a date information
2544 2546 [255]
2545 2547
2546 2548 Error in nested template:
2547 2549
2548 2550 $ hg log -T '{"date'
2549 2551 hg: parse error at 2: unterminated string
2550 2552 [255]
2551 2553
2552 2554 $ hg log -T '{"foo{date|=}"}'
2553 2555 hg: parse error at 11: syntax error
2554 2556 [255]
2555 2557
2556 2558 Thrown an error if a template function doesn't exist
2557 2559
2558 2560 $ hg tip --template '{foo()}\n'
2559 2561 hg: parse error: unknown function 'foo'
2560 2562 [255]
2561 2563
2562 2564 Pass generator object created by template function to filter
2563 2565
2564 2566 $ hg log -l 1 --template '{if(author, author)|user}\n'
2565 2567 test
2566 2568
2567 2569 Test diff function:
2568 2570
2569 2571 $ hg diff -c 8
2570 2572 diff -r 29114dbae42b -r 95c24699272e fourth
2571 2573 --- /dev/null Thu Jan 01 00:00:00 1970 +0000
2572 2574 +++ b/fourth Wed Jan 01 10:01:00 2020 +0000
2573 2575 @@ -0,0 +1,1 @@
2574 2576 +second
2575 2577 diff -r 29114dbae42b -r 95c24699272e second
2576 2578 --- a/second Mon Jan 12 13:46:40 1970 +0000
2577 2579 +++ /dev/null Thu Jan 01 00:00:00 1970 +0000
2578 2580 @@ -1,1 +0,0 @@
2579 2581 -second
2580 2582 diff -r 29114dbae42b -r 95c24699272e third
2581 2583 --- /dev/null Thu Jan 01 00:00:00 1970 +0000
2582 2584 +++ b/third Wed Jan 01 10:01:00 2020 +0000
2583 2585 @@ -0,0 +1,1 @@
2584 2586 +third
2585 2587
2586 2588 $ hg log -r 8 -T "{diff()}"
2587 2589 diff -r 29114dbae42b -r 95c24699272e fourth
2588 2590 --- /dev/null Thu Jan 01 00:00:00 1970 +0000
2589 2591 +++ b/fourth Wed Jan 01 10:01:00 2020 +0000
2590 2592 @@ -0,0 +1,1 @@
2591 2593 +second
2592 2594 diff -r 29114dbae42b -r 95c24699272e second
2593 2595 --- a/second Mon Jan 12 13:46:40 1970 +0000
2594 2596 +++ /dev/null Thu Jan 01 00:00:00 1970 +0000
2595 2597 @@ -1,1 +0,0 @@
2596 2598 -second
2597 2599 diff -r 29114dbae42b -r 95c24699272e third
2598 2600 --- /dev/null Thu Jan 01 00:00:00 1970 +0000
2599 2601 +++ b/third Wed Jan 01 10:01:00 2020 +0000
2600 2602 @@ -0,0 +1,1 @@
2601 2603 +third
2602 2604
2603 2605 $ hg log -r 8 -T "{diff('glob:f*')}"
2604 2606 diff -r 29114dbae42b -r 95c24699272e fourth
2605 2607 --- /dev/null Thu Jan 01 00:00:00 1970 +0000
2606 2608 +++ b/fourth Wed Jan 01 10:01:00 2020 +0000
2607 2609 @@ -0,0 +1,1 @@
2608 2610 +second
2609 2611
2610 2612 $ hg log -r 8 -T "{diff('', 'glob:f*')}"
2611 2613 diff -r 29114dbae42b -r 95c24699272e second
2612 2614 --- a/second Mon Jan 12 13:46:40 1970 +0000
2613 2615 +++ /dev/null Thu Jan 01 00:00:00 1970 +0000
2614 2616 @@ -1,1 +0,0 @@
2615 2617 -second
2616 2618 diff -r 29114dbae42b -r 95c24699272e third
2617 2619 --- /dev/null Thu Jan 01 00:00:00 1970 +0000
2618 2620 +++ b/third Wed Jan 01 10:01:00 2020 +0000
2619 2621 @@ -0,0 +1,1 @@
2620 2622 +third
2621 2623
2622 2624 $ hg log -r 8 -T "{diff('FOURTH'|lower)}"
2623 2625 diff -r 29114dbae42b -r 95c24699272e fourth
2624 2626 --- /dev/null Thu Jan 01 00:00:00 1970 +0000
2625 2627 +++ b/fourth Wed Jan 01 10:01:00 2020 +0000
2626 2628 @@ -0,0 +1,1 @@
2627 2629 +second
2628 2630
2629 2631 $ cd ..
2630 2632
2631 2633
2632 2634 latesttag:
2633 2635
2634 2636 $ hg init latesttag
2635 2637 $ cd latesttag
2636 2638
2637 2639 $ echo a > file
2638 2640 $ hg ci -Am a -d '0 0'
2639 2641 adding file
2640 2642
2641 2643 $ echo b >> file
2642 2644 $ hg ci -m b -d '1 0'
2643 2645
2644 2646 $ echo c >> head1
2645 2647 $ hg ci -Am h1c -d '2 0'
2646 2648 adding head1
2647 2649
2648 2650 $ hg update -q 1
2649 2651 $ echo d >> head2
2650 2652 $ hg ci -Am h2d -d '3 0'
2651 2653 adding head2
2652 2654 created new head
2653 2655
2654 2656 $ echo e >> head2
2655 2657 $ hg ci -m h2e -d '4 0'
2656 2658
2657 2659 $ hg merge -q
2658 2660 $ hg ci -m merge -d '5 -3600'
2659 2661
2660 2662 No tag set:
2661 2663
2662 2664 $ hg log --template '{rev}: {latesttag}+{latesttagdistance}\n'
2663 2665 5: null+5
2664 2666 4: null+4
2665 2667 3: null+3
2666 2668 2: null+3
2667 2669 1: null+2
2668 2670 0: null+1
2669 2671
2670 2672 One common tag: longest path wins:
2671 2673
2672 2674 $ hg tag -r 1 -m t1 -d '6 0' t1
2673 2675 $ hg log --template '{rev}: {latesttag}+{latesttagdistance}\n'
2674 2676 6: t1+4
2675 2677 5: t1+3
2676 2678 4: t1+2
2677 2679 3: t1+1
2678 2680 2: t1+1
2679 2681 1: t1+0
2680 2682 0: null+1
2681 2683
2682 2684 One ancestor tag: more recent wins:
2683 2685
2684 2686 $ hg tag -r 2 -m t2 -d '7 0' t2
2685 2687 $ hg log --template '{rev}: {latesttag}+{latesttagdistance}\n'
2686 2688 7: t2+3
2687 2689 6: t2+2
2688 2690 5: t2+1
2689 2691 4: t1+2
2690 2692 3: t1+1
2691 2693 2: t2+0
2692 2694 1: t1+0
2693 2695 0: null+1
2694 2696
2695 2697 Two branch tags: more recent wins:
2696 2698
2697 2699 $ hg tag -r 3 -m t3 -d '8 0' t3
2698 2700 $ hg log --template '{rev}: {latesttag}+{latesttagdistance}\n'
2699 2701 8: t3+5
2700 2702 7: t3+4
2701 2703 6: t3+3
2702 2704 5: t3+2
2703 2705 4: t3+1
2704 2706 3: t3+0
2705 2707 2: t2+0
2706 2708 1: t1+0
2707 2709 0: null+1
2708 2710
2709 2711 Merged tag overrides:
2710 2712
2711 2713 $ hg tag -r 5 -m t5 -d '9 0' t5
2712 2714 $ hg tag -r 3 -m at3 -d '10 0' at3
2713 2715 $ hg log --template '{rev}: {latesttag}+{latesttagdistance}\n'
2714 2716 10: t5+5
2715 2717 9: t5+4
2716 2718 8: t5+3
2717 2719 7: t5+2
2718 2720 6: t5+1
2719 2721 5: t5+0
2720 2722 4: at3:t3+1
2721 2723 3: at3:t3+0
2722 2724 2: t2+0
2723 2725 1: t1+0
2724 2726 0: null+1
2725 2727
2726 2728 $ hg log --template "{rev}: {latesttag % '{tag}+{distance},{changes} '}\n"
2727 2729 10: t5+5,5
2728 2730 9: t5+4,4
2729 2731 8: t5+3,3
2730 2732 7: t5+2,2
2731 2733 6: t5+1,1
2732 2734 5: t5+0,0
2733 2735 4: at3+1,1 t3+1,1
2734 2736 3: at3+0,0 t3+0,0
2735 2737 2: t2+0,0
2736 2738 1: t1+0,0
2737 2739 0: null+1,1
2738 2740
2739 2741 $ hg log --template "{rev}: {latesttag('re:^t[13]$') % '{tag}, C: {changes}, D: {distance}'}\n"
2740 2742 10: t3, C: 8, D: 7
2741 2743 9: t3, C: 7, D: 6
2742 2744 8: t3, C: 6, D: 5
2743 2745 7: t3, C: 5, D: 4
2744 2746 6: t3, C: 4, D: 3
2745 2747 5: t3, C: 3, D: 2
2746 2748 4: t3, C: 1, D: 1
2747 2749 3: t3, C: 0, D: 0
2748 2750 2: t1, C: 1, D: 1
2749 2751 1: t1, C: 0, D: 0
2750 2752 0: null, C: 1, D: 1
2751 2753
2752 2754 $ cd ..
2753 2755
2754 2756
2755 2757 Style path expansion: issue1948 - ui.style option doesn't work on OSX
2756 2758 if it is a relative path
2757 2759
2758 2760 $ mkdir -p home/styles
2759 2761
2760 2762 $ cat > home/styles/teststyle <<EOF
2761 2763 > changeset = 'test {rev}:{node|short}\n'
2762 2764 > EOF
2763 2765
2764 2766 $ HOME=`pwd`/home; export HOME
2765 2767
2766 2768 $ cat > latesttag/.hg/hgrc <<EOF
2767 2769 > [ui]
2768 2770 > style = ~/styles/teststyle
2769 2771 > EOF
2770 2772
2771 2773 $ hg -R latesttag tip
2772 2774 test 10:9b4a630e5f5f
2773 2775
2774 2776 Test recursive showlist template (issue1989):
2775 2777
2776 2778 $ cat > style1989 <<EOF
2777 2779 > changeset = '{file_mods}{manifest}{extras}'
2778 2780 > file_mod = 'M|{author|person}\n'
2779 2781 > manifest = '{rev},{author}\n'
2780 2782 > extra = '{key}: {author}\n'
2781 2783 > EOF
2782 2784
2783 2785 $ hg -R latesttag log -r tip --style=style1989
2784 2786 M|test
2785 2787 10,test
2786 2788 branch: test
2787 2789
2788 2790 Test new-style inline templating:
2789 2791
2790 2792 $ hg log -R latesttag -r tip --template 'modified files: {file_mods % " {file}\n"}\n'
2791 2793 modified files: .hgtags
2792 2794
2793 2795
2794 2796 $ hg log -R latesttag -r tip -T '{rev % "a"}\n'
2795 2797 hg: parse error: keyword 'rev' is not iterable
2796 2798 [255]
2797 2799 $ hg log -R latesttag -r tip -T '{get(extras, "unknown") % "a"}\n'
2798 2800 hg: parse error: None is not iterable
2799 2801 [255]
2800 2802
2801 2803 Test the sub function of templating for expansion:
2802 2804
2803 2805 $ hg log -R latesttag -r 10 --template '{sub("[0-9]", "x", "{rev}")}\n'
2804 2806 xx
2805 2807
2806 2808 $ hg log -R latesttag -r 10 -T '{sub("[", "x", rev)}\n'
2807 2809 hg: parse error: sub got an invalid pattern: [
2808 2810 [255]
2809 2811 $ hg log -R latesttag -r 10 -T '{sub("[0-9]", r"\1", rev)}\n'
2810 2812 hg: parse error: sub got an invalid replacement: \1
2811 2813 [255]
2812 2814
2813 2815 Test the strip function with chars specified:
2814 2816
2815 2817 $ hg log -R latesttag --template '{desc}\n'
2816 2818 at3
2817 2819 t5
2818 2820 t3
2819 2821 t2
2820 2822 t1
2821 2823 merge
2822 2824 h2e
2823 2825 h2d
2824 2826 h1c
2825 2827 b
2826 2828 a
2827 2829
2828 2830 $ hg log -R latesttag --template '{strip(desc, "te")}\n'
2829 2831 at3
2830 2832 5
2831 2833 3
2832 2834 2
2833 2835 1
2834 2836 merg
2835 2837 h2
2836 2838 h2d
2837 2839 h1c
2838 2840 b
2839 2841 a
2840 2842
2841 2843 Test date format:
2842 2844
2843 2845 $ hg log -R latesttag --template 'date: {date(date, "%y %m %d %S %z")}\n'
2844 2846 date: 70 01 01 10 +0000
2845 2847 date: 70 01 01 09 +0000
2846 2848 date: 70 01 01 08 +0000
2847 2849 date: 70 01 01 07 +0000
2848 2850 date: 70 01 01 06 +0000
2849 2851 date: 70 01 01 05 +0100
2850 2852 date: 70 01 01 04 +0000
2851 2853 date: 70 01 01 03 +0000
2852 2854 date: 70 01 01 02 +0000
2853 2855 date: 70 01 01 01 +0000
2854 2856 date: 70 01 01 00 +0000
2855 2857
2856 2858 Test invalid date:
2857 2859
2858 2860 $ hg log -R latesttag -T '{date(rev)}\n'
2859 2861 hg: parse error: date expects a date information
2860 2862 [255]
2861 2863
2862 2864 Test integer literal:
2863 2865
2864 2866 $ hg debugtemplate -v '{(0)}\n'
2865 2867 (template
2866 2868 (group
2867 2869 ('integer', '0'))
2868 2870 ('string', '\n'))
2869 2871 0
2870 2872 $ hg debugtemplate -v '{(123)}\n'
2871 2873 (template
2872 2874 (group
2873 2875 ('integer', '123'))
2874 2876 ('string', '\n'))
2875 2877 123
2876 2878 $ hg debugtemplate -v '{(-4)}\n'
2877 2879 (template
2878 2880 (group
2879 2881 ('integer', '-4'))
2880 2882 ('string', '\n'))
2881 2883 -4
2882 2884 $ hg debugtemplate '{(-)}\n'
2883 2885 hg: parse error at 2: integer literal without digits
2884 2886 [255]
2885 2887 $ hg debugtemplate '{(-a)}\n'
2886 2888 hg: parse error at 2: integer literal without digits
2887 2889 [255]
2888 2890
2889 2891 top-level integer literal is interpreted as symbol (i.e. variable name):
2890 2892
2891 2893 $ hg debugtemplate -D 1=one -v '{1}\n'
2892 2894 (template
2893 2895 ('integer', '1')
2894 2896 ('string', '\n'))
2895 2897 one
2896 2898 $ hg debugtemplate -D 1=one -v '{if("t", "{1}")}\n'
2897 2899 (template
2898 2900 (func
2899 2901 ('symbol', 'if')
2900 2902 (list
2901 2903 ('string', 't')
2902 2904 (template
2903 2905 ('integer', '1'))))
2904 2906 ('string', '\n'))
2905 2907 one
2906 2908 $ hg debugtemplate -D 1=one -v '{1|stringify}\n'
2907 2909 (template
2908 2910 (|
2909 2911 ('integer', '1')
2910 2912 ('symbol', 'stringify'))
2911 2913 ('string', '\n'))
2912 2914 one
2913 2915
2914 2916 unless explicit symbol is expected:
2915 2917
2916 2918 $ hg log -Ra -r0 -T '{desc|1}\n'
2917 2919 hg: parse error: expected a symbol, got 'integer'
2918 2920 [255]
2919 2921 $ hg log -Ra -r0 -T '{1()}\n'
2920 2922 hg: parse error: expected a symbol, got 'integer'
2921 2923 [255]
2922 2924
2923 2925 Test string literal:
2924 2926
2925 2927 $ hg debugtemplate -Ra -r0 -v '{"string with no template fragment"}\n'
2926 2928 (template
2927 2929 ('string', 'string with no template fragment')
2928 2930 ('string', '\n'))
2929 2931 string with no template fragment
2930 2932 $ hg debugtemplate -Ra -r0 -v '{"template: {rev}"}\n'
2931 2933 (template
2932 2934 (template
2933 2935 ('string', 'template: ')
2934 2936 ('symbol', 'rev'))
2935 2937 ('string', '\n'))
2936 2938 template: 0
2937 2939 $ hg debugtemplate -Ra -r0 -v '{r"rawstring: {rev}"}\n'
2938 2940 (template
2939 2941 ('string', 'rawstring: {rev}')
2940 2942 ('string', '\n'))
2941 2943 rawstring: {rev}
2942 2944 $ hg debugtemplate -Ra -r0 -v '{files % r"rawstring: {file}"}\n'
2943 2945 (template
2944 2946 (%
2945 2947 ('symbol', 'files')
2946 2948 ('string', 'rawstring: {file}'))
2947 2949 ('string', '\n'))
2948 2950 rawstring: {file}
2949 2951
2950 2952 Test string escaping:
2951 2953
2952 2954 $ hg log -R latesttag -r 0 --template '>\n<>\\n<{if(rev, "[>\n<>\\n<]")}>\n<>\\n<\n'
2953 2955 >
2954 2956 <>\n<[>
2955 2957 <>\n<]>
2956 2958 <>\n<
2957 2959
2958 2960 $ hg log -R latesttag -r 0 \
2959 2961 > --config ui.logtemplate='>\n<>\\n<{if(rev, "[>\n<>\\n<]")}>\n<>\\n<\n'
2960 2962 >
2961 2963 <>\n<[>
2962 2964 <>\n<]>
2963 2965 <>\n<
2964 2966
2965 2967 $ hg log -R latesttag -r 0 -T esc \
2966 2968 > --config templates.esc='>\n<>\\n<{if(rev, "[>\n<>\\n<]")}>\n<>\\n<\n'
2967 2969 >
2968 2970 <>\n<[>
2969 2971 <>\n<]>
2970 2972 <>\n<
2971 2973
2972 2974 $ cat <<'EOF' > esctmpl
2973 2975 > changeset = '>\n<>\\n<{if(rev, "[>\n<>\\n<]")}>\n<>\\n<\n'
2974 2976 > EOF
2975 2977 $ hg log -R latesttag -r 0 --style ./esctmpl
2976 2978 >
2977 2979 <>\n<[>
2978 2980 <>\n<]>
2979 2981 <>\n<
2980 2982
2981 2983 Test string escaping of quotes:
2982 2984
2983 2985 $ hg log -Ra -r0 -T '{"\""}\n'
2984 2986 "
2985 2987 $ hg log -Ra -r0 -T '{"\\\""}\n'
2986 2988 \"
2987 2989 $ hg log -Ra -r0 -T '{r"\""}\n'
2988 2990 \"
2989 2991 $ hg log -Ra -r0 -T '{r"\\\""}\n'
2990 2992 \\\"
2991 2993
2992 2994
2993 2995 $ hg log -Ra -r0 -T '{"\""}\n'
2994 2996 "
2995 2997 $ hg log -Ra -r0 -T '{"\\\""}\n'
2996 2998 \"
2997 2999 $ hg log -Ra -r0 -T '{r"\""}\n'
2998 3000 \"
2999 3001 $ hg log -Ra -r0 -T '{r"\\\""}\n'
3000 3002 \\\"
3001 3003
3002 3004 Test exception in quoted template. single backslash before quotation mark is
3003 3005 stripped before parsing:
3004 3006
3005 3007 $ cat <<'EOF' > escquotetmpl
3006 3008 > changeset = "\" \\" \\\" \\\\" {files % \"{file}\"}\n"
3007 3009 > EOF
3008 3010 $ cd latesttag
3009 3011 $ hg log -r 2 --style ../escquotetmpl
3010 3012 " \" \" \\" head1
3011 3013
3012 3014 $ hg log -r 2 -T esc --config templates.esc='"{\"valid\"}\n"'
3013 3015 valid
3014 3016 $ hg log -r 2 -T esc --config templates.esc="'"'{\'"'"'valid\'"'"'}\n'"'"
3015 3017 valid
3016 3018
3017 3019 Test compatibility with 2.9.2-3.4 of escaped quoted strings in nested
3018 3020 _evalifliteral() templates (issue4733):
3019 3021
3020 3022 $ hg log -r 2 -T '{if(rev, "\"{rev}")}\n'
3021 3023 "2
3022 3024 $ hg log -r 2 -T '{if(rev, "{if(rev, \"\\\"{rev}\")}")}\n'
3023 3025 "2
3024 3026 $ hg log -r 2 -T '{if(rev, "{if(rev, \"{if(rev, \\\"\\\\\\\"{rev}\\\")}\")}")}\n'
3025 3027 "2
3026 3028
3027 3029 $ hg log -r 2 -T '{if(rev, "\\\"")}\n'
3028 3030 \"
3029 3031 $ hg log -r 2 -T '{if(rev, "{if(rev, \"\\\\\\\"\")}")}\n'
3030 3032 \"
3031 3033 $ hg log -r 2 -T '{if(rev, "{if(rev, \"{if(rev, \\\"\\\\\\\\\\\\\\\"\\\")}\")}")}\n'
3032 3034 \"
3033 3035
3034 3036 $ hg log -r 2 -T '{if(rev, r"\\\"")}\n'
3035 3037 \\\"
3036 3038 $ hg log -r 2 -T '{if(rev, "{if(rev, r\"\\\\\\\"\")}")}\n'
3037 3039 \\\"
3038 3040 $ hg log -r 2 -T '{if(rev, "{if(rev, \"{if(rev, r\\\"\\\\\\\\\\\\\\\"\\\")}\")}")}\n'
3039 3041 \\\"
3040 3042
3041 3043 escaped single quotes and errors:
3042 3044
3043 3045 $ hg log -r 2 -T "{if(rev, '{if(rev, \'foo\')}')}"'\n'
3044 3046 foo
3045 3047 $ hg log -r 2 -T "{if(rev, '{if(rev, r\'foo\')}')}"'\n'
3046 3048 foo
3047 3049 $ hg log -r 2 -T '{if(rev, "{if(rev, \")}")}\n'
3048 3050 hg: parse error at 21: unterminated string
3049 3051 [255]
3050 3052 $ hg log -r 2 -T '{if(rev, \"\\"")}\n'
3051 3053 hg: parse error: trailing \ in string
3052 3054 [255]
3053 3055 $ hg log -r 2 -T '{if(rev, r\"\\"")}\n'
3054 3056 hg: parse error: trailing \ in string
3055 3057 [255]
3056 3058
3057 3059 $ cd ..
3058 3060
3059 3061 Test leading backslashes:
3060 3062
3061 3063 $ cd latesttag
3062 3064 $ hg log -r 2 -T '\{rev} {files % "\{file}"}\n'
3063 3065 {rev} {file}
3064 3066 $ hg log -r 2 -T '\\{rev} {files % "\\{file}"}\n'
3065 3067 \2 \head1
3066 3068 $ hg log -r 2 -T '\\\{rev} {files % "\\\{file}"}\n'
3067 3069 \{rev} \{file}
3068 3070 $ cd ..
3069 3071
3070 3072 Test leading backslashes in "if" expression (issue4714):
3071 3073
3072 3074 $ cd latesttag
3073 3075 $ hg log -r 2 -T '{if("1", "\{rev}")} {if("1", r"\{rev}")}\n'
3074 3076 {rev} \{rev}
3075 3077 $ hg log -r 2 -T '{if("1", "\\{rev}")} {if("1", r"\\{rev}")}\n'
3076 3078 \2 \\{rev}
3077 3079 $ hg log -r 2 -T '{if("1", "\\\{rev}")} {if("1", r"\\\{rev}")}\n'
3078 3080 \{rev} \\\{rev}
3079 3081 $ cd ..
3080 3082
3081 3083 "string-escape"-ed "\x5c\x786e" becomes r"\x6e" (once) or r"n" (twice)
3082 3084
3083 3085 $ hg log -R a -r 0 --template '{if("1", "\x5c\x786e", "NG")}\n'
3084 3086 \x6e
3085 3087 $ hg log -R a -r 0 --template '{if("1", r"\x5c\x786e", "NG")}\n'
3086 3088 \x5c\x786e
3087 3089 $ hg log -R a -r 0 --template '{if("", "NG", "\x5c\x786e")}\n'
3088 3090 \x6e
3089 3091 $ hg log -R a -r 0 --template '{if("", "NG", r"\x5c\x786e")}\n'
3090 3092 \x5c\x786e
3091 3093
3092 3094 $ hg log -R a -r 2 --template '{ifeq("no perso\x6e", desc, "\x5c\x786e", "NG")}\n'
3093 3095 \x6e
3094 3096 $ hg log -R a -r 2 --template '{ifeq(r"no perso\x6e", desc, "NG", r"\x5c\x786e")}\n'
3095 3097 \x5c\x786e
3096 3098 $ hg log -R a -r 2 --template '{ifeq(desc, "no perso\x6e", "\x5c\x786e", "NG")}\n'
3097 3099 \x6e
3098 3100 $ hg log -R a -r 2 --template '{ifeq(desc, r"no perso\x6e", "NG", r"\x5c\x786e")}\n'
3099 3101 \x5c\x786e
3100 3102
3101 3103 $ hg log -R a -r 8 --template '{join(files, "\n")}\n'
3102 3104 fourth
3103 3105 second
3104 3106 third
3105 3107 $ hg log -R a -r 8 --template '{join(files, r"\n")}\n'
3106 3108 fourth\nsecond\nthird
3107 3109
3108 3110 $ hg log -R a -r 2 --template '{rstdoc("1st\n\n2nd", "htm\x6c")}'
3109 3111 <p>
3110 3112 1st
3111 3113 </p>
3112 3114 <p>
3113 3115 2nd
3114 3116 </p>
3115 3117 $ hg log -R a -r 2 --template '{rstdoc(r"1st\n\n2nd", "html")}'
3116 3118 <p>
3117 3119 1st\n\n2nd
3118 3120 </p>
3119 3121 $ hg log -R a -r 2 --template '{rstdoc("1st\n\n2nd", r"htm\x6c")}'
3120 3122 1st
3121 3123
3122 3124 2nd
3123 3125
3124 3126 $ hg log -R a -r 2 --template '{strip(desc, "\x6e")}\n'
3125 3127 o perso
3126 3128 $ hg log -R a -r 2 --template '{strip(desc, r"\x6e")}\n'
3127 3129 no person
3128 3130 $ hg log -R a -r 2 --template '{strip("no perso\x6e", "\x6e")}\n'
3129 3131 o perso
3130 3132 $ hg log -R a -r 2 --template '{strip(r"no perso\x6e", r"\x6e")}\n'
3131 3133 no perso
3132 3134
3133 3135 $ hg log -R a -r 2 --template '{sub("\\x6e", "\x2d", desc)}\n'
3134 3136 -o perso-
3135 3137 $ hg log -R a -r 2 --template '{sub(r"\\x6e", "-", desc)}\n'
3136 3138 no person
3137 3139 $ hg log -R a -r 2 --template '{sub("n", r"\x2d", desc)}\n'
3138 3140 \x2do perso\x2d
3139 3141 $ hg log -R a -r 2 --template '{sub("n", "\x2d", "no perso\x6e")}\n'
3140 3142 -o perso-
3141 3143 $ hg log -R a -r 2 --template '{sub("n", r"\x2d", r"no perso\x6e")}\n'
3142 3144 \x2do perso\x6e
3143 3145
3144 3146 $ hg log -R a -r 8 --template '{files % "{file}\n"}'
3145 3147 fourth
3146 3148 second
3147 3149 third
3148 3150
3149 3151 Test string escaping in nested expression:
3150 3152
3151 3153 $ hg log -R a -r 8 --template '{ifeq(r"\x6e", if("1", "\x5c\x786e"), join(files, "\x5c\x786e"))}\n'
3152 3154 fourth\x6esecond\x6ethird
3153 3155 $ hg log -R a -r 8 --template '{ifeq(if("1", r"\x6e"), "\x5c\x786e", join(files, "\x5c\x786e"))}\n'
3154 3156 fourth\x6esecond\x6ethird
3155 3157
3156 3158 $ hg log -R a -r 8 --template '{join(files, ifeq(branch, "default", "\x5c\x786e"))}\n'
3157 3159 fourth\x6esecond\x6ethird
3158 3160 $ hg log -R a -r 8 --template '{join(files, ifeq(branch, "default", r"\x5c\x786e"))}\n'
3159 3161 fourth\x5c\x786esecond\x5c\x786ethird
3160 3162
3161 3163 $ hg log -R a -r 3:4 --template '{rev}:{sub(if("1", "\x6e"), ifeq(branch, "foo", r"\x5c\x786e", "\x5c\x786e"), desc)}\n'
3162 3164 3:\x6eo user, \x6eo domai\x6e
3163 3165 4:\x5c\x786eew bra\x5c\x786ech
3164 3166
3165 3167 Test quotes in nested expression are evaluated just like a $(command)
3166 3168 substitution in POSIX shells:
3167 3169
3168 3170 $ hg log -R a -r 8 -T '{"{"{rev}:{node|short}"}"}\n'
3169 3171 8:95c24699272e
3170 3172 $ hg log -R a -r 8 -T '{"{"\{{rev}} \"{node|short}\""}"}\n'
3171 3173 {8} "95c24699272e"
3172 3174
3173 3175 Test recursive evaluation:
3174 3176
3175 3177 $ hg init r
3176 3178 $ cd r
3177 3179 $ echo a > a
3178 3180 $ hg ci -Am '{rev}'
3179 3181 adding a
3180 3182 $ hg log -r 0 --template '{if(rev, desc)}\n'
3181 3183 {rev}
3182 3184 $ hg log -r 0 --template '{if(rev, "{author} {rev}")}\n'
3183 3185 test 0
3184 3186
3185 3187 $ hg branch -q 'text.{rev}'
3186 3188 $ echo aa >> aa
3187 3189 $ hg ci -u '{node|short}' -m 'desc to be wrapped desc to be wrapped'
3188 3190
3189 3191 $ hg log -l1 --template '{fill(desc, "20", author, branch)}'
3190 3192 {node|short}desc to
3191 3193 text.{rev}be wrapped
3192 3194 text.{rev}desc to be
3193 3195 text.{rev}wrapped (no-eol)
3194 3196 $ hg log -l1 --template '{fill(desc, "20", "{node|short}:", "text.{rev}:")}'
3195 3197 bcc7ff960b8e:desc to
3196 3198 text.1:be wrapped
3197 3199 text.1:desc to be
3198 3200 text.1:wrapped (no-eol)
3199 3201 $ hg log -l1 -T '{fill(desc, date, "", "")}\n'
3200 3202 hg: parse error: fill expects an integer width
3201 3203 [255]
3202 3204
3203 3205 $ hg log -l 1 --template '{sub(r"[0-9]", "-", author)}'
3204 3206 {node|short} (no-eol)
3205 3207 $ hg log -l 1 --template '{sub(r"[0-9]", "-", "{node|short}")}'
3206 3208 bcc-ff---b-e (no-eol)
3207 3209
3208 3210 $ cat >> .hg/hgrc <<EOF
3209 3211 > [extensions]
3210 3212 > color=
3211 3213 > [color]
3212 3214 > mode=ansi
3213 3215 > text.{rev} = red
3214 3216 > text.1 = green
3215 3217 > EOF
3216 3218 $ hg log --color=always -l 1 --template '{label(branch, "text\n")}'
3217 3219 \x1b[0;31mtext\x1b[0m (esc)
3218 3220 $ hg log --color=always -l 1 --template '{label("text.{rev}", "text\n")}'
3219 3221 \x1b[0;32mtext\x1b[0m (esc)
3220 3222
3221 3223 color effect can be specified without quoting:
3222 3224
3223 3225 $ hg log --color=always -l 1 --template '{label(red, "text\n")}'
3224 3226 \x1b[0;31mtext\x1b[0m (esc)
3225 3227
3226 3228 label should be no-op if color is disabled:
3227 3229
3228 3230 $ hg log --color=never -l 1 --template '{label(red, "text\n")}'
3229 3231 text
3230 3232 $ hg log --config extensions.color=! -l 1 --template '{label(red, "text\n")}'
3231 3233 text
3232 3234
3233 3235 Test branches inside if statement:
3234 3236
3235 3237 $ hg log -r 0 --template '{if(branches, "yes", "no")}\n'
3236 3238 no
3237 3239
3238 3240 Test get function:
3239 3241
3240 3242 $ hg log -r 0 --template '{get(extras, "branch")}\n'
3241 3243 default
3242 3244 $ hg log -r 0 --template '{get(extras, "br{"anch"}")}\n'
3243 3245 default
3244 3246 $ hg log -r 0 --template '{get(files, "should_fail")}\n'
3245 3247 hg: parse error: get() expects a dict as first argument
3246 3248 [255]
3247 3249
3248 3250 Test localdate(date, tz) function:
3249 3251
3250 3252 $ TZ=JST-09 hg log -r0 -T '{date|localdate|isodate}\n'
3251 3253 1970-01-01 09:00 +0900
3252 3254 $ TZ=JST-09 hg log -r0 -T '{localdate(date, "UTC")|isodate}\n'
3253 3255 1970-01-01 00:00 +0000
3254 3256 $ TZ=JST-09 hg log -r0 -T '{localdate(date, "+0200")|isodate}\n'
3255 3257 1970-01-01 02:00 +0200
3256 3258 $ TZ=JST-09 hg log -r0 -T '{localdate(date, "0")|isodate}\n'
3257 3259 1970-01-01 00:00 +0000
3258 3260 $ TZ=JST-09 hg log -r0 -T '{localdate(date, 0)|isodate}\n'
3259 3261 1970-01-01 00:00 +0000
3260 3262 $ hg log -r0 -T '{localdate(date, "invalid")|isodate}\n'
3261 3263 hg: parse error: localdate expects a timezone
3262 3264 [255]
3263 3265 $ hg log -r0 -T '{localdate(date, date)|isodate}\n'
3264 3266 hg: parse error: localdate expects a timezone
3265 3267 [255]
3266 3268
3267 3269 Test shortest(node) function:
3268 3270
3269 3271 $ echo b > b
3270 3272 $ hg ci -qAm b
3271 3273 $ hg log --template '{shortest(node)}\n'
3272 3274 e777
3273 3275 bcc7
3274 3276 f776
3275 3277 $ hg log --template '{shortest(node, 10)}\n'
3276 3278 e777603221
3277 3279 bcc7ff960b
3278 3280 f7769ec2ab
3279 3281 $ hg log --template '{node|shortest}\n' -l1
3280 3282 e777
3281 3283
3282 3284 $ hg log -r 0 -T '{shortest(node, "1{"0"}")}\n'
3283 3285 f7769ec2ab
3284 3286 $ hg log -r 0 -T '{shortest(node, "not an int")}\n'
3285 3287 hg: parse error: shortest() expects an integer minlength
3286 3288 [255]
3287 3289
3288 3290 Test pad function
3289 3291
3290 3292 $ hg log --template '{pad(rev, 20)} {author|user}\n'
3291 3293 2 test
3292 3294 1 {node|short}
3293 3295 0 test
3294 3296
3295 3297 $ hg log --template '{pad(rev, 20, " ", True)} {author|user}\n'
3296 3298 2 test
3297 3299 1 {node|short}
3298 3300 0 test
3299 3301
3300 3302 $ hg log --template '{pad(rev, 20, "-", False)} {author|user}\n'
3301 3303 2------------------- test
3302 3304 1------------------- {node|short}
3303 3305 0------------------- test
3304 3306
3305 3307 Test template string in pad function
3306 3308
3307 3309 $ hg log -r 0 -T '{pad("\{{rev}}", 10)} {author|user}\n'
3308 3310 {0} test
3309 3311
3310 3312 $ hg log -r 0 -T '{pad(r"\{rev}", 10)} {author|user}\n'
3311 3313 \{rev} test
3312 3314
3313 3315 Test width argument passed to pad function
3314 3316
3315 3317 $ hg log -r 0 -T '{pad(rev, "1{"0"}")} {author|user}\n'
3316 3318 0 test
3317 3319 $ hg log -r 0 -T '{pad(rev, "not an int")}\n'
3318 3320 hg: parse error: pad() expects an integer width
3319 3321 [255]
3320 3322
3321 3323 Test ifcontains function
3322 3324
3323 3325 $ hg log --template '{rev} {ifcontains(rev, "2 two 0", "is in the string", "is not")}\n'
3324 3326 2 is in the string
3325 3327 1 is not
3326 3328 0 is in the string
3327 3329
3328 3330 $ hg log -T '{rev} {ifcontains(rev, "2 two{" 0"}", "is in the string", "is not")}\n'
3329 3331 2 is in the string
3330 3332 1 is not
3331 3333 0 is in the string
3332 3334
3333 3335 $ hg log --template '{rev} {ifcontains("a", file_adds, "added a", "did not add a")}\n'
3334 3336 2 did not add a
3335 3337 1 did not add a
3336 3338 0 added a
3337 3339
3338 3340 $ hg log --debug -T '{rev}{ifcontains(1, parents, " is parent of 1")}\n'
3339 3341 2 is parent of 1
3340 3342 1
3341 3343 0
3342 3344
3343 3345 Test revset function
3344 3346
3345 3347 $ hg log --template '{rev} {ifcontains(rev, revset("."), "current rev", "not current rev")}\n'
3346 3348 2 current rev
3347 3349 1 not current rev
3348 3350 0 not current rev
3349 3351
3350 3352 $ hg log --template '{rev} {ifcontains(rev, revset(". + .^"), "match rev", "not match rev")}\n'
3351 3353 2 match rev
3352 3354 1 match rev
3353 3355 0 not match rev
3354 3356
3355 3357 $ hg log --template '{rev} Parents: {revset("parents(%s)", rev)}\n'
3356 3358 2 Parents: 1
3357 3359 1 Parents: 0
3358 3360 0 Parents:
3359 3361
3360 3362 $ cat >> .hg/hgrc <<EOF
3361 3363 > [revsetalias]
3362 3364 > myparents(\$1) = parents(\$1)
3363 3365 > EOF
3364 3366 $ hg log --template '{rev} Parents: {revset("myparents(%s)", rev)}\n'
3365 3367 2 Parents: 1
3366 3368 1 Parents: 0
3367 3369 0 Parents:
3368 3370
3369 3371 $ hg log --template 'Rev: {rev}\n{revset("::%s", rev) % "Ancestor: {revision}\n"}\n'
3370 3372 Rev: 2
3371 3373 Ancestor: 0
3372 3374 Ancestor: 1
3373 3375 Ancestor: 2
3374 3376
3375 3377 Rev: 1
3376 3378 Ancestor: 0
3377 3379 Ancestor: 1
3378 3380
3379 3381 Rev: 0
3380 3382 Ancestor: 0
3381 3383
3382 3384 $ hg log --template '{revset("TIP"|lower)}\n' -l1
3383 3385 2
3384 3386
3385 3387 $ hg log -T '{revset("%s", "t{"ip"}")}\n' -l1
3386 3388 2
3387 3389
3388 3390 a list template is evaluated for each item of revset/parents
3389 3391
3390 3392 $ hg log -T '{rev} p: {revset("p1(%s)", rev) % "{rev}:{node|short}"}\n'
3391 3393 2 p: 1:bcc7ff960b8e
3392 3394 1 p: 0:f7769ec2ab97
3393 3395 0 p:
3394 3396
3395 3397 $ hg log --debug -T '{rev} p:{parents % " {rev}:{node|short}"}\n'
3396 3398 2 p: 1:bcc7ff960b8e -1:000000000000
3397 3399 1 p: 0:f7769ec2ab97 -1:000000000000
3398 3400 0 p: -1:000000000000 -1:000000000000
3399 3401
3400 3402 therefore, 'revcache' should be recreated for each rev
3401 3403
3402 3404 $ hg log -T '{rev} {file_adds}\np {revset("p1(%s)", rev) % "{file_adds}"}\n'
3403 3405 2 aa b
3404 3406 p
3405 3407 1
3406 3408 p a
3407 3409 0 a
3408 3410 p
3409 3411
3410 3412 $ hg log --debug -T '{rev} {file_adds}\np {parents % "{file_adds}"}\n'
3411 3413 2 aa b
3412 3414 p
3413 3415 1
3414 3416 p a
3415 3417 0 a
3416 3418 p
3417 3419
3418 3420 a revset item must be evaluated as an integer revision, not an offset from tip
3419 3421
3420 3422 $ hg log -l 1 -T '{revset("null") % "{rev}:{node|short}"}\n'
3421 3423 -1:000000000000
3422 3424 $ hg log -l 1 -T '{revset("%s", "null") % "{rev}:{node|short}"}\n'
3423 3425 -1:000000000000
3424 3426
3425 3427 Test active bookmark templating
3426 3428
3427 3429 $ hg book foo
3428 3430 $ hg book bar
3429 3431 $ hg log --template "{rev} {bookmarks % '{bookmark}{ifeq(bookmark, active, \"*\")} '}\n"
3430 3432 2 bar* foo
3431 3433 1
3432 3434 0
3433 3435 $ hg log --template "{rev} {activebookmark}\n"
3434 3436 2 bar
3435 3437 1
3436 3438 0
3437 3439 $ hg bookmarks --inactive bar
3438 3440 $ hg log --template "{rev} {activebookmark}\n"
3439 3441 2
3440 3442 1
3441 3443 0
3442 3444 $ hg book -r1 baz
3443 3445 $ hg log --template "{rev} {join(bookmarks, ' ')}\n"
3444 3446 2 bar foo
3445 3447 1 baz
3446 3448 0
3447 3449 $ hg log --template "{rev} {ifcontains('foo', bookmarks, 't', 'f')}\n"
3448 3450 2 t
3449 3451 1 f
3450 3452 0 f
3451 3453
3452 3454 Test namespaces dict
3453 3455
3454 3456 $ hg log -T '{rev}{namespaces % " {namespace}={join(names, ",")}"}\n'
3455 3457 2 bookmarks=bar,foo tags=tip branches=text.{rev}
3456 3458 1 bookmarks=baz tags= branches=text.{rev}
3457 3459 0 bookmarks= tags= branches=default
3458 3460 $ hg log -r2 -T '{namespaces % "{namespace}: {names}\n"}'
3459 3461 bookmarks: bar foo
3460 3462 tags: tip
3461 3463 branches: text.{rev}
3462 3464 $ hg log -r2 -T '{namespaces % "{namespace}:\n{names % " {name}\n"}"}'
3463 3465 bookmarks:
3464 3466 bar
3465 3467 foo
3466 3468 tags:
3467 3469 tip
3468 3470 branches:
3469 3471 text.{rev}
3470 3472 $ hg log -r2 -T '{get(namespaces, "bookmarks") % "{name}\n"}'
3471 3473 bar
3472 3474 foo
3473 3475
3474 3476 Test stringify on sub expressions
3475 3477
3476 3478 $ cd ..
3477 3479 $ hg log -R a -r 8 --template '{join(files, if("1", if("1", ", ")))}\n'
3478 3480 fourth, second, third
3479 3481 $ hg log -R a -r 8 --template '{strip(if("1", if("1", "-abc-")), if("1", if("1", "-")))}\n'
3480 3482 abc
3481 3483
3482 3484 Test splitlines
3483 3485
3484 3486 $ hg log -Gv -R a --template "{splitlines(desc) % 'foo {line}\n'}"
3485 3487 @ foo Modify, add, remove, rename
3486 3488 |
3487 3489 o foo future
3488 3490 |
3489 3491 o foo third
3490 3492 |
3491 3493 o foo second
3492 3494
3493 3495 o foo merge
3494 3496 |\
3495 3497 | o foo new head
3496 3498 | |
3497 3499 o | foo new branch
3498 3500 |/
3499 3501 o foo no user, no domain
3500 3502 |
3501 3503 o foo no person
3502 3504 |
3503 3505 o foo other 1
3504 3506 | foo other 2
3505 3507 | foo
3506 3508 | foo other 3
3507 3509 o foo line 1
3508 3510 foo line 2
3509 3511
3510 3512 Test startswith
3511 3513 $ hg log -Gv -R a --template "{startswith(desc)}"
3512 3514 hg: parse error: startswith expects two arguments
3513 3515 [255]
3514 3516
3515 3517 $ hg log -Gv -R a --template "{startswith('line', desc)}"
3516 3518 @
3517 3519 |
3518 3520 o
3519 3521 |
3520 3522 o
3521 3523 |
3522 3524 o
3523 3525
3524 3526 o
3525 3527 |\
3526 3528 | o
3527 3529 | |
3528 3530 o |
3529 3531 |/
3530 3532 o
3531 3533 |
3532 3534 o
3533 3535 |
3534 3536 o
3535 3537 |
3536 3538 o line 1
3537 3539 line 2
3538 3540
3539 3541 Test bad template with better error message
3540 3542
3541 3543 $ hg log -Gv -R a --template '{desc|user()}'
3542 3544 hg: parse error: expected a symbol, got 'func'
3543 3545 [255]
3544 3546
3545 3547 Test word function (including index out of bounds graceful failure)
3546 3548
3547 3549 $ hg log -Gv -R a --template "{word('1', desc)}"
3548 3550 @ add,
3549 3551 |
3550 3552 o
3551 3553 |
3552 3554 o
3553 3555 |
3554 3556 o
3555 3557
3556 3558 o
3557 3559 |\
3558 3560 | o head
3559 3561 | |
3560 3562 o | branch
3561 3563 |/
3562 3564 o user,
3563 3565 |
3564 3566 o person
3565 3567 |
3566 3568 o 1
3567 3569 |
3568 3570 o 1
3569 3571
3570 3572
3571 3573 Test word third parameter used as splitter
3572 3574
3573 3575 $ hg log -Gv -R a --template "{word('0', desc, 'o')}"
3574 3576 @ M
3575 3577 |
3576 3578 o future
3577 3579 |
3578 3580 o third
3579 3581 |
3580 3582 o sec
3581 3583
3582 3584 o merge
3583 3585 |\
3584 3586 | o new head
3585 3587 | |
3586 3588 o | new branch
3587 3589 |/
3588 3590 o n
3589 3591 |
3590 3592 o n
3591 3593 |
3592 3594 o
3593 3595 |
3594 3596 o line 1
3595 3597 line 2
3596 3598
3597 3599 Test word error messages for not enough and too many arguments
3598 3600
3599 3601 $ hg log -Gv -R a --template "{word('0')}"
3600 3602 hg: parse error: word expects two or three arguments, got 1
3601 3603 [255]
3602 3604
3603 3605 $ hg log -Gv -R a --template "{word('0', desc, 'o', 'h', 'b', 'o', 'y')}"
3604 3606 hg: parse error: word expects two or three arguments, got 7
3605 3607 [255]
3606 3608
3607 3609 Test word for integer literal
3608 3610
3609 3611 $ hg log -R a --template "{word(2, desc)}\n" -r0
3610 3612 line
3611 3613
3612 3614 Test word for invalid numbers
3613 3615
3614 3616 $ hg log -Gv -R a --template "{word('a', desc)}"
3615 3617 hg: parse error: word expects an integer index
3616 3618 [255]
3617 3619
3618 3620 Test word for out of range
3619 3621
3620 3622 $ hg log -R a --template "{word(10000, desc)}"
3621 3623 $ hg log -R a --template "{word(-10000, desc)}"
3622 3624
3623 3625 Test indent and not adding to empty lines
3624 3626
3625 3627 $ hg log -T "-----\n{indent(desc, '>> ', ' > ')}\n" -r 0:1 -R a
3626 3628 -----
3627 3629 > line 1
3628 3630 >> line 2
3629 3631 -----
3630 3632 > other 1
3631 3633 >> other 2
3632 3634
3633 3635 >> other 3
3634 3636
3635 3637 Test with non-strings like dates
3636 3638
3637 3639 $ hg log -T "{indent(date, ' ')}\n" -r 2:3 -R a
3638 3640 1200000.00
3639 3641 1300000.00
3640 3642
3641 3643 Test broken string escapes:
3642 3644
3643 3645 $ hg log -T "bogus\\" -R a
3644 3646 hg: parse error: trailing \ in string
3645 3647 [255]
3646 3648 $ hg log -T "\\xy" -R a
3647 3649 hg: parse error: invalid \x escape
3648 3650 [255]
3649 3651
3650 3652 json filter should escape HTML tags so that the output can be embedded in hgweb:
3651 3653
3652 3654 $ hg log -T "{'<foo@example.org>'|json}\n" -R a -l1
3653 3655 "\u003cfoo@example.org\u003e"
3654 3656
3655 3657 Set up repository for non-ascii encoding tests:
3656 3658
3657 3659 $ hg init nonascii
3658 3660 $ cd nonascii
3659 3661 $ python <<EOF
3660 3662 > open('latin1', 'w').write('\xe9')
3661 3663 > open('utf-8', 'w').write('\xc3\xa9')
3662 3664 > EOF
3663 3665 $ HGENCODING=utf-8 hg branch -q `cat utf-8`
3664 3666 $ HGENCODING=utf-8 hg ci -qAm "non-ascii branch: `cat utf-8`" utf-8
3665 3667
3666 3668 json filter should try round-trip conversion to utf-8:
3667 3669
3668 3670 $ HGENCODING=ascii hg log -T "{branch|json}\n" -r0
3669 3671 "\u00e9"
3670 3672 $ HGENCODING=ascii hg log -T "{desc|json}\n" -r0
3671 3673 "non-ascii branch: \u00e9"
3672 3674
3673 3675 json filter takes input as utf-8b:
3674 3676
3675 3677 $ HGENCODING=ascii hg log -T "{'`cat utf-8`'|json}\n" -l1
3676 3678 "\u00e9"
3677 3679 $ HGENCODING=ascii hg log -T "{'`cat latin1`'|json}\n" -l1
3678 3680 "\udce9"
3679 3681
3680 3682 utf8 filter:
3681 3683
3682 3684 $ HGENCODING=ascii hg log -T "round-trip: {branch|utf8|hex}\n" -r0
3683 3685 round-trip: c3a9
3684 3686 $ HGENCODING=latin1 hg log -T "decoded: {'`cat latin1`'|utf8|hex}\n" -l1
3685 3687 decoded: c3a9
3686 3688 $ HGENCODING=ascii hg log -T "replaced: {'`cat latin1`'|utf8|hex}\n" -l1
3687 3689 abort: decoding near * (glob)
3688 3690 [255]
3689 3691 $ hg log -T "invalid type: {rev|utf8}\n" -r0
3690 3692 abort: template filter 'utf8' is not compatible with keyword 'rev'
3691 3693 [255]
3692 3694
3693 3695 $ cd ..
General Comments 0
You need to be logged in to leave comments. Login now