##// END OF EJS Templates
revset: add support for p2(wdir()) to get second parent of working directory...
Pulkit Goyal -
r32440:c8fb2a82 default
parent child Browse files
Show More
@@ -1,2304 +1,2309
1 1 # revset.py - revision set queries for mercurial
2 2 #
3 3 # Copyright 2010 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 heapq
11 11 import re
12 12
13 13 from .i18n import _
14 14 from . import (
15 15 destutil,
16 16 encoding,
17 17 error,
18 18 hbisect,
19 19 match as matchmod,
20 20 node,
21 21 obsolete as obsmod,
22 22 pathutil,
23 23 phases,
24 24 registrar,
25 25 repoview,
26 26 revsetlang,
27 27 smartset,
28 28 util,
29 29 )
30 30
31 31 # helpers for processing parsed tree
32 32 getsymbol = revsetlang.getsymbol
33 33 getstring = revsetlang.getstring
34 34 getinteger = revsetlang.getinteger
35 35 getboolean = revsetlang.getboolean
36 36 getlist = revsetlang.getlist
37 37 getrange = revsetlang.getrange
38 38 getargs = revsetlang.getargs
39 39 getargsdict = revsetlang.getargsdict
40 40
41 41 # constants used as an argument of match() and matchany()
42 42 anyorder = revsetlang.anyorder
43 43 defineorder = revsetlang.defineorder
44 44 followorder = revsetlang.followorder
45 45
46 46 baseset = smartset.baseset
47 47 generatorset = smartset.generatorset
48 48 spanset = smartset.spanset
49 49 fullreposet = smartset.fullreposet
50 50
51 51 def _revancestors(repo, revs, followfirst):
52 52 """Like revlog.ancestors(), but supports followfirst."""
53 53 if followfirst:
54 54 cut = 1
55 55 else:
56 56 cut = None
57 57 cl = repo.changelog
58 58
59 59 def iterate():
60 60 revs.sort(reverse=True)
61 61 irevs = iter(revs)
62 62 h = []
63 63
64 64 inputrev = next(irevs, None)
65 65 if inputrev is not None:
66 66 heapq.heappush(h, -inputrev)
67 67
68 68 seen = set()
69 69 while h:
70 70 current = -heapq.heappop(h)
71 71 if current == inputrev:
72 72 inputrev = next(irevs, None)
73 73 if inputrev is not None:
74 74 heapq.heappush(h, -inputrev)
75 75 if current not in seen:
76 76 seen.add(current)
77 77 yield current
78 78 for parent in cl.parentrevs(current)[:cut]:
79 79 if parent != node.nullrev:
80 80 heapq.heappush(h, -parent)
81 81
82 82 return generatorset(iterate(), iterasc=False)
83 83
84 84 def _revdescendants(repo, revs, followfirst):
85 85 """Like revlog.descendants() but supports followfirst."""
86 86 if followfirst:
87 87 cut = 1
88 88 else:
89 89 cut = None
90 90
91 91 def iterate():
92 92 cl = repo.changelog
93 93 # XXX this should be 'parentset.min()' assuming 'parentset' is a
94 94 # smartset (and if it is not, it should.)
95 95 first = min(revs)
96 96 nullrev = node.nullrev
97 97 if first == nullrev:
98 98 # Are there nodes with a null first parent and a non-null
99 99 # second one? Maybe. Do we care? Probably not.
100 100 for i in cl:
101 101 yield i
102 102 else:
103 103 seen = set(revs)
104 104 for i in cl.revs(first + 1):
105 105 for x in cl.parentrevs(i)[:cut]:
106 106 if x != nullrev and x in seen:
107 107 seen.add(i)
108 108 yield i
109 109 break
110 110
111 111 return generatorset(iterate(), iterasc=True)
112 112
113 113 def _reachablerootspure(repo, minroot, roots, heads, includepath):
114 114 """return (heads(::<roots> and ::<heads>))
115 115
116 116 If includepath is True, return (<roots>::<heads>)."""
117 117 if not roots:
118 118 return []
119 119 parentrevs = repo.changelog.parentrevs
120 120 roots = set(roots)
121 121 visit = list(heads)
122 122 reachable = set()
123 123 seen = {}
124 124 # prefetch all the things! (because python is slow)
125 125 reached = reachable.add
126 126 dovisit = visit.append
127 127 nextvisit = visit.pop
128 128 # open-code the post-order traversal due to the tiny size of
129 129 # sys.getrecursionlimit()
130 130 while visit:
131 131 rev = nextvisit()
132 132 if rev in roots:
133 133 reached(rev)
134 134 if not includepath:
135 135 continue
136 136 parents = parentrevs(rev)
137 137 seen[rev] = parents
138 138 for parent in parents:
139 139 if parent >= minroot and parent not in seen:
140 140 dovisit(parent)
141 141 if not reachable:
142 142 return baseset()
143 143 if not includepath:
144 144 return reachable
145 145 for rev in sorted(seen):
146 146 for parent in seen[rev]:
147 147 if parent in reachable:
148 148 reached(rev)
149 149 return reachable
150 150
151 151 def reachableroots(repo, roots, heads, includepath=False):
152 152 """return (heads(::<roots> and ::<heads>))
153 153
154 154 If includepath is True, return (<roots>::<heads>)."""
155 155 if not roots:
156 156 return baseset()
157 157 minroot = roots.min()
158 158 roots = list(roots)
159 159 heads = list(heads)
160 160 try:
161 161 revs = repo.changelog.reachableroots(minroot, heads, roots, includepath)
162 162 except AttributeError:
163 163 revs = _reachablerootspure(repo, minroot, roots, heads, includepath)
164 164 revs = baseset(revs)
165 165 revs.sort()
166 166 return revs
167 167
168 168 # helpers
169 169
170 170 def getset(repo, subset, x):
171 171 if not x:
172 172 raise error.ParseError(_("missing argument"))
173 173 return methods[x[0]](repo, subset, *x[1:])
174 174
175 175 def _getrevsource(repo, r):
176 176 extra = repo[r].extra()
177 177 for label in ('source', 'transplant_source', 'rebase_source'):
178 178 if label in extra:
179 179 try:
180 180 return repo[extra[label]].rev()
181 181 except error.RepoLookupError:
182 182 pass
183 183 return None
184 184
185 185 # operator methods
186 186
187 187 def stringset(repo, subset, x):
188 188 x = repo[x].rev()
189 189 if (x in subset
190 190 or x == node.nullrev and isinstance(subset, fullreposet)):
191 191 return baseset([x])
192 192 return baseset()
193 193
194 194 def rangeset(repo, subset, x, y, order):
195 195 m = getset(repo, fullreposet(repo), x)
196 196 n = getset(repo, fullreposet(repo), y)
197 197
198 198 if not m or not n:
199 199 return baseset()
200 200 return _makerangeset(repo, subset, m.first(), n.last(), order)
201 201
202 202 def rangeall(repo, subset, x, order):
203 203 assert x is None
204 204 return _makerangeset(repo, subset, 0, len(repo) - 1, order)
205 205
206 206 def rangepre(repo, subset, y, order):
207 207 # ':y' can't be rewritten to '0:y' since '0' may be hidden
208 208 n = getset(repo, fullreposet(repo), y)
209 209 if not n:
210 210 return baseset()
211 211 return _makerangeset(repo, subset, 0, n.last(), order)
212 212
213 213 def rangepost(repo, subset, x, order):
214 214 m = getset(repo, fullreposet(repo), x)
215 215 if not m:
216 216 return baseset()
217 217 return _makerangeset(repo, subset, m.first(), len(repo) - 1, order)
218 218
219 219 def _makerangeset(repo, subset, m, n, order):
220 220 if m == n:
221 221 r = baseset([m])
222 222 elif n == node.wdirrev:
223 223 r = spanset(repo, m, len(repo)) + baseset([n])
224 224 elif m == node.wdirrev:
225 225 r = baseset([m]) + spanset(repo, len(repo) - 1, n - 1)
226 226 elif m < n:
227 227 r = spanset(repo, m, n + 1)
228 228 else:
229 229 r = spanset(repo, m, n - 1)
230 230
231 231 if order == defineorder:
232 232 return r & subset
233 233 else:
234 234 # carrying the sorting over when possible would be more efficient
235 235 return subset & r
236 236
237 237 def dagrange(repo, subset, x, y, order):
238 238 r = fullreposet(repo)
239 239 xs = reachableroots(repo, getset(repo, r, x), getset(repo, r, y),
240 240 includepath=True)
241 241 return subset & xs
242 242
243 243 def andset(repo, subset, x, y, order):
244 244 return getset(repo, getset(repo, subset, x), y)
245 245
246 246 def differenceset(repo, subset, x, y, order):
247 247 return getset(repo, subset, x) - getset(repo, subset, y)
248 248
249 249 def _orsetlist(repo, subset, xs):
250 250 assert xs
251 251 if len(xs) == 1:
252 252 return getset(repo, subset, xs[0])
253 253 p = len(xs) // 2
254 254 a = _orsetlist(repo, subset, xs[:p])
255 255 b = _orsetlist(repo, subset, xs[p:])
256 256 return a + b
257 257
258 258 def orset(repo, subset, x, order):
259 259 xs = getlist(x)
260 260 if order == followorder:
261 261 # slow path to take the subset order
262 262 return subset & _orsetlist(repo, fullreposet(repo), xs)
263 263 else:
264 264 return _orsetlist(repo, subset, xs)
265 265
266 266 def notset(repo, subset, x, order):
267 267 return subset - getset(repo, subset, x)
268 268
269 269 def listset(repo, subset, *xs):
270 270 raise error.ParseError(_("can't use a list in this context"),
271 271 hint=_('see hg help "revsets.x or y"'))
272 272
273 273 def keyvaluepair(repo, subset, k, v):
274 274 raise error.ParseError(_("can't use a key-value pair in this context"))
275 275
276 276 def func(repo, subset, a, b, order):
277 277 f = getsymbol(a)
278 278 if f in symbols:
279 279 func = symbols[f]
280 280 if getattr(func, '_takeorder', False):
281 281 return func(repo, subset, b, order)
282 282 return func(repo, subset, b)
283 283
284 284 keep = lambda fn: getattr(fn, '__doc__', None) is not None
285 285
286 286 syms = [s for (s, fn) in symbols.items() if keep(fn)]
287 287 raise error.UnknownIdentifier(f, syms)
288 288
289 289 # functions
290 290
291 291 # symbols are callables like:
292 292 # fn(repo, subset, x)
293 293 # with:
294 294 # repo - current repository instance
295 295 # subset - of revisions to be examined
296 296 # x - argument in tree form
297 297 symbols = {}
298 298
299 299 # symbols which can't be used for a DoS attack for any given input
300 300 # (e.g. those which accept regexes as plain strings shouldn't be included)
301 301 # functions that just return a lot of changesets (like all) don't count here
302 302 safesymbols = set()
303 303
304 304 predicate = registrar.revsetpredicate()
305 305
306 306 @predicate('_destupdate')
307 307 def _destupdate(repo, subset, x):
308 308 # experimental revset for update destination
309 309 args = getargsdict(x, 'limit', 'clean')
310 310 return subset & baseset([destutil.destupdate(repo, **args)[0]])
311 311
312 312 @predicate('_destmerge')
313 313 def _destmerge(repo, subset, x):
314 314 # experimental revset for merge destination
315 315 sourceset = None
316 316 if x is not None:
317 317 sourceset = getset(repo, fullreposet(repo), x)
318 318 return subset & baseset([destutil.destmerge(repo, sourceset=sourceset)])
319 319
320 320 @predicate('adds(pattern)', safe=True)
321 321 def adds(repo, subset, x):
322 322 """Changesets that add a file matching pattern.
323 323
324 324 The pattern without explicit kind like ``glob:`` is expected to be
325 325 relative to the current directory and match against a file or a
326 326 directory.
327 327 """
328 328 # i18n: "adds" is a keyword
329 329 pat = getstring(x, _("adds requires a pattern"))
330 330 return checkstatus(repo, subset, pat, 1)
331 331
332 332 @predicate('ancestor(*changeset)', safe=True)
333 333 def ancestor(repo, subset, x):
334 334 """A greatest common ancestor of the changesets.
335 335
336 336 Accepts 0 or more changesets.
337 337 Will return empty list when passed no args.
338 338 Greatest common ancestor of a single changeset is that changeset.
339 339 """
340 340 # i18n: "ancestor" is a keyword
341 341 l = getlist(x)
342 342 rl = fullreposet(repo)
343 343 anc = None
344 344
345 345 # (getset(repo, rl, i) for i in l) generates a list of lists
346 346 for revs in (getset(repo, rl, i) for i in l):
347 347 for r in revs:
348 348 if anc is None:
349 349 anc = repo[r]
350 350 else:
351 351 anc = anc.ancestor(repo[r])
352 352
353 353 if anc is not None and anc.rev() in subset:
354 354 return baseset([anc.rev()])
355 355 return baseset()
356 356
357 357 def _ancestors(repo, subset, x, followfirst=False):
358 358 heads = getset(repo, fullreposet(repo), x)
359 359 if not heads:
360 360 return baseset()
361 361 s = _revancestors(repo, heads, followfirst)
362 362 return subset & s
363 363
364 364 @predicate('ancestors(set)', safe=True)
365 365 def ancestors(repo, subset, x):
366 366 """Changesets that are ancestors of a changeset in set.
367 367 """
368 368 return _ancestors(repo, subset, x)
369 369
370 370 @predicate('_firstancestors', safe=True)
371 371 def _firstancestors(repo, subset, x):
372 372 # ``_firstancestors(set)``
373 373 # Like ``ancestors(set)`` but follows only the first parents.
374 374 return _ancestors(repo, subset, x, followfirst=True)
375 375
376 376 def ancestorspec(repo, subset, x, n, order):
377 377 """``set~n``
378 378 Changesets that are the Nth ancestor (first parents only) of a changeset
379 379 in set.
380 380 """
381 381 n = getinteger(n, _("~ expects a number"))
382 382 ps = set()
383 383 cl = repo.changelog
384 384 for r in getset(repo, fullreposet(repo), x):
385 385 for i in range(n):
386 386 r = cl.parentrevs(r)[0]
387 387 ps.add(r)
388 388 return subset & ps
389 389
390 390 @predicate('author(string)', safe=True)
391 391 def author(repo, subset, x):
392 392 """Alias for ``user(string)``.
393 393 """
394 394 # i18n: "author" is a keyword
395 395 n = getstring(x, _("author requires a string"))
396 396 kind, pattern, matcher = _substringmatcher(n, casesensitive=False)
397 397 return subset.filter(lambda x: matcher(repo[x].user()),
398 398 condrepr=('<user %r>', n))
399 399
400 400 @predicate('bisect(string)', safe=True)
401 401 def bisect(repo, subset, x):
402 402 """Changesets marked in the specified bisect status:
403 403
404 404 - ``good``, ``bad``, ``skip``: csets explicitly marked as good/bad/skip
405 405 - ``goods``, ``bads`` : csets topologically good/bad
406 406 - ``range`` : csets taking part in the bisection
407 407 - ``pruned`` : csets that are goods, bads or skipped
408 408 - ``untested`` : csets whose fate is yet unknown
409 409 - ``ignored`` : csets ignored due to DAG topology
410 410 - ``current`` : the cset currently being bisected
411 411 """
412 412 # i18n: "bisect" is a keyword
413 413 status = getstring(x, _("bisect requires a string")).lower()
414 414 state = set(hbisect.get(repo, status))
415 415 return subset & state
416 416
417 417 # Backward-compatibility
418 418 # - no help entry so that we do not advertise it any more
419 419 @predicate('bisected', safe=True)
420 420 def bisected(repo, subset, x):
421 421 return bisect(repo, subset, x)
422 422
423 423 @predicate('bookmark([name])', safe=True)
424 424 def bookmark(repo, subset, x):
425 425 """The named bookmark or all bookmarks.
426 426
427 427 Pattern matching is supported for `name`. See :hg:`help revisions.patterns`.
428 428 """
429 429 # i18n: "bookmark" is a keyword
430 430 args = getargs(x, 0, 1, _('bookmark takes one or no arguments'))
431 431 if args:
432 432 bm = getstring(args[0],
433 433 # i18n: "bookmark" is a keyword
434 434 _('the argument to bookmark must be a string'))
435 435 kind, pattern, matcher = util.stringmatcher(bm)
436 436 bms = set()
437 437 if kind == 'literal':
438 438 bmrev = repo._bookmarks.get(pattern, None)
439 439 if not bmrev:
440 440 raise error.RepoLookupError(_("bookmark '%s' does not exist")
441 441 % pattern)
442 442 bms.add(repo[bmrev].rev())
443 443 else:
444 444 matchrevs = set()
445 445 for name, bmrev in repo._bookmarks.iteritems():
446 446 if matcher(name):
447 447 matchrevs.add(bmrev)
448 448 if not matchrevs:
449 449 raise error.RepoLookupError(_("no bookmarks exist"
450 450 " that match '%s'") % pattern)
451 451 for bmrev in matchrevs:
452 452 bms.add(repo[bmrev].rev())
453 453 else:
454 454 bms = {repo[r].rev() for r in repo._bookmarks.values()}
455 455 bms -= {node.nullrev}
456 456 return subset & bms
457 457
458 458 @predicate('branch(string or set)', safe=True)
459 459 def branch(repo, subset, x):
460 460 """
461 461 All changesets belonging to the given branch or the branches of the given
462 462 changesets.
463 463
464 464 Pattern matching is supported for `string`. See
465 465 :hg:`help revisions.patterns`.
466 466 """
467 467 getbi = repo.revbranchcache().branchinfo
468 468
469 469 try:
470 470 b = getstring(x, '')
471 471 except error.ParseError:
472 472 # not a string, but another revspec, e.g. tip()
473 473 pass
474 474 else:
475 475 kind, pattern, matcher = util.stringmatcher(b)
476 476 if kind == 'literal':
477 477 # note: falls through to the revspec case if no branch with
478 478 # this name exists and pattern kind is not specified explicitly
479 479 if pattern in repo.branchmap():
480 480 return subset.filter(lambda r: matcher(getbi(r)[0]),
481 481 condrepr=('<branch %r>', b))
482 482 if b.startswith('literal:'):
483 483 raise error.RepoLookupError(_("branch '%s' does not exist")
484 484 % pattern)
485 485 else:
486 486 return subset.filter(lambda r: matcher(getbi(r)[0]),
487 487 condrepr=('<branch %r>', b))
488 488
489 489 s = getset(repo, fullreposet(repo), x)
490 490 b = set()
491 491 for r in s:
492 492 b.add(getbi(r)[0])
493 493 c = s.__contains__
494 494 return subset.filter(lambda r: c(r) or getbi(r)[0] in b,
495 495 condrepr=lambda: '<branch %r>' % sorted(b))
496 496
497 497 @predicate('bumped()', safe=True)
498 498 def bumped(repo, subset, x):
499 499 """Mutable changesets marked as successors of public changesets.
500 500
501 501 Only non-public and non-obsolete changesets can be `bumped`.
502 502 """
503 503 # i18n: "bumped" is a keyword
504 504 getargs(x, 0, 0, _("bumped takes no arguments"))
505 505 bumped = obsmod.getrevs(repo, 'bumped')
506 506 return subset & bumped
507 507
508 508 @predicate('bundle()', safe=True)
509 509 def bundle(repo, subset, x):
510 510 """Changesets in the bundle.
511 511
512 512 Bundle must be specified by the -R option."""
513 513
514 514 try:
515 515 bundlerevs = repo.changelog.bundlerevs
516 516 except AttributeError:
517 517 raise error.Abort(_("no bundle provided - specify with -R"))
518 518 return subset & bundlerevs
519 519
520 520 def checkstatus(repo, subset, pat, field):
521 521 hasset = matchmod.patkind(pat) == 'set'
522 522
523 523 mcache = [None]
524 524 def matches(x):
525 525 c = repo[x]
526 526 if not mcache[0] or hasset:
527 527 mcache[0] = matchmod.match(repo.root, repo.getcwd(), [pat], ctx=c)
528 528 m = mcache[0]
529 529 fname = None
530 530 if not m.anypats() and len(m.files()) == 1:
531 531 fname = m.files()[0]
532 532 if fname is not None:
533 533 if fname not in c.files():
534 534 return False
535 535 else:
536 536 for f in c.files():
537 537 if m(f):
538 538 break
539 539 else:
540 540 return False
541 541 files = repo.status(c.p1().node(), c.node())[field]
542 542 if fname is not None:
543 543 if fname in files:
544 544 return True
545 545 else:
546 546 for f in files:
547 547 if m(f):
548 548 return True
549 549
550 550 return subset.filter(matches, condrepr=('<status[%r] %r>', field, pat))
551 551
552 552 def _children(repo, subset, parentset):
553 553 if not parentset:
554 554 return baseset()
555 555 cs = set()
556 556 pr = repo.changelog.parentrevs
557 557 minrev = parentset.min()
558 558 nullrev = node.nullrev
559 559 for r in subset:
560 560 if r <= minrev:
561 561 continue
562 562 p1, p2 = pr(r)
563 563 if p1 in parentset:
564 564 cs.add(r)
565 565 if p2 != nullrev and p2 in parentset:
566 566 cs.add(r)
567 567 return baseset(cs)
568 568
569 569 @predicate('children(set)', safe=True)
570 570 def children(repo, subset, x):
571 571 """Child changesets of changesets in set.
572 572 """
573 573 s = getset(repo, fullreposet(repo), x)
574 574 cs = _children(repo, subset, s)
575 575 return subset & cs
576 576
577 577 @predicate('closed()', safe=True)
578 578 def closed(repo, subset, x):
579 579 """Changeset is closed.
580 580 """
581 581 # i18n: "closed" is a keyword
582 582 getargs(x, 0, 0, _("closed takes no arguments"))
583 583 return subset.filter(lambda r: repo[r].closesbranch(),
584 584 condrepr='<branch closed>')
585 585
586 586 @predicate('contains(pattern)')
587 587 def contains(repo, subset, x):
588 588 """The revision's manifest contains a file matching pattern (but might not
589 589 modify it). See :hg:`help patterns` for information about file patterns.
590 590
591 591 The pattern without explicit kind like ``glob:`` is expected to be
592 592 relative to the current directory and match against a file exactly
593 593 for efficiency.
594 594 """
595 595 # i18n: "contains" is a keyword
596 596 pat = getstring(x, _("contains requires a pattern"))
597 597
598 598 def matches(x):
599 599 if not matchmod.patkind(pat):
600 600 pats = pathutil.canonpath(repo.root, repo.getcwd(), pat)
601 601 if pats in repo[x]:
602 602 return True
603 603 else:
604 604 c = repo[x]
605 605 m = matchmod.match(repo.root, repo.getcwd(), [pat], ctx=c)
606 606 for f in c.manifest():
607 607 if m(f):
608 608 return True
609 609 return False
610 610
611 611 return subset.filter(matches, condrepr=('<contains %r>', pat))
612 612
613 613 @predicate('converted([id])', safe=True)
614 614 def converted(repo, subset, x):
615 615 """Changesets converted from the given identifier in the old repository if
616 616 present, or all converted changesets if no identifier is specified.
617 617 """
618 618
619 619 # There is exactly no chance of resolving the revision, so do a simple
620 620 # string compare and hope for the best
621 621
622 622 rev = None
623 623 # i18n: "converted" is a keyword
624 624 l = getargs(x, 0, 1, _('converted takes one or no arguments'))
625 625 if l:
626 626 # i18n: "converted" is a keyword
627 627 rev = getstring(l[0], _('converted requires a revision'))
628 628
629 629 def _matchvalue(r):
630 630 source = repo[r].extra().get('convert_revision', None)
631 631 return source is not None and (rev is None or source.startswith(rev))
632 632
633 633 return subset.filter(lambda r: _matchvalue(r),
634 634 condrepr=('<converted %r>', rev))
635 635
636 636 @predicate('date(interval)', safe=True)
637 637 def date(repo, subset, x):
638 638 """Changesets within the interval, see :hg:`help dates`.
639 639 """
640 640 # i18n: "date" is a keyword
641 641 ds = getstring(x, _("date requires a string"))
642 642 dm = util.matchdate(ds)
643 643 return subset.filter(lambda x: dm(repo[x].date()[0]),
644 644 condrepr=('<date %r>', ds))
645 645
646 646 @predicate('desc(string)', safe=True)
647 647 def desc(repo, subset, x):
648 648 """Search commit message for string. The match is case-insensitive.
649 649
650 650 Pattern matching is supported for `string`. See
651 651 :hg:`help revisions.patterns`.
652 652 """
653 653 # i18n: "desc" is a keyword
654 654 ds = getstring(x, _("desc requires a string"))
655 655
656 656 kind, pattern, matcher = _substringmatcher(ds, casesensitive=False)
657 657
658 658 return subset.filter(lambda r: matcher(repo[r].description()),
659 659 condrepr=('<desc %r>', ds))
660 660
661 661 def _descendants(repo, subset, x, followfirst=False):
662 662 roots = getset(repo, fullreposet(repo), x)
663 663 if not roots:
664 664 return baseset()
665 665 s = _revdescendants(repo, roots, followfirst)
666 666
667 667 # Both sets need to be ascending in order to lazily return the union
668 668 # in the correct order.
669 669 base = subset & roots
670 670 desc = subset & s
671 671 result = base + desc
672 672 if subset.isascending():
673 673 result.sort()
674 674 elif subset.isdescending():
675 675 result.sort(reverse=True)
676 676 else:
677 677 result = subset & result
678 678 return result
679 679
680 680 @predicate('descendants(set)', safe=True)
681 681 def descendants(repo, subset, x):
682 682 """Changesets which are descendants of changesets in set.
683 683 """
684 684 return _descendants(repo, subset, x)
685 685
686 686 @predicate('_firstdescendants', safe=True)
687 687 def _firstdescendants(repo, subset, x):
688 688 # ``_firstdescendants(set)``
689 689 # Like ``descendants(set)`` but follows only the first parents.
690 690 return _descendants(repo, subset, x, followfirst=True)
691 691
692 692 @predicate('destination([set])', safe=True)
693 693 def destination(repo, subset, x):
694 694 """Changesets that were created by a graft, transplant or rebase operation,
695 695 with the given revisions specified as the source. Omitting the optional set
696 696 is the same as passing all().
697 697 """
698 698 if x is not None:
699 699 sources = getset(repo, fullreposet(repo), x)
700 700 else:
701 701 sources = fullreposet(repo)
702 702
703 703 dests = set()
704 704
705 705 # subset contains all of the possible destinations that can be returned, so
706 706 # iterate over them and see if their source(s) were provided in the arg set.
707 707 # Even if the immediate src of r is not in the arg set, src's source (or
708 708 # further back) may be. Scanning back further than the immediate src allows
709 709 # transitive transplants and rebases to yield the same results as transitive
710 710 # grafts.
711 711 for r in subset:
712 712 src = _getrevsource(repo, r)
713 713 lineage = None
714 714
715 715 while src is not None:
716 716 if lineage is None:
717 717 lineage = list()
718 718
719 719 lineage.append(r)
720 720
721 721 # The visited lineage is a match if the current source is in the arg
722 722 # set. Since every candidate dest is visited by way of iterating
723 723 # subset, any dests further back in the lineage will be tested by a
724 724 # different iteration over subset. Likewise, if the src was already
725 725 # selected, the current lineage can be selected without going back
726 726 # further.
727 727 if src in sources or src in dests:
728 728 dests.update(lineage)
729 729 break
730 730
731 731 r = src
732 732 src = _getrevsource(repo, r)
733 733
734 734 return subset.filter(dests.__contains__,
735 735 condrepr=lambda: '<destination %r>' % sorted(dests))
736 736
737 737 @predicate('divergent()', safe=True)
738 738 def divergent(repo, subset, x):
739 739 """
740 740 Final successors of changesets with an alternative set of final successors.
741 741 """
742 742 # i18n: "divergent" is a keyword
743 743 getargs(x, 0, 0, _("divergent takes no arguments"))
744 744 divergent = obsmod.getrevs(repo, 'divergent')
745 745 return subset & divergent
746 746
747 747 @predicate('extinct()', safe=True)
748 748 def extinct(repo, subset, x):
749 749 """Obsolete changesets with obsolete descendants only.
750 750 """
751 751 # i18n: "extinct" is a keyword
752 752 getargs(x, 0, 0, _("extinct takes no arguments"))
753 753 extincts = obsmod.getrevs(repo, 'extinct')
754 754 return subset & extincts
755 755
756 756 @predicate('extra(label, [value])', safe=True)
757 757 def extra(repo, subset, x):
758 758 """Changesets with the given label in the extra metadata, with the given
759 759 optional value.
760 760
761 761 Pattern matching is supported for `value`. See
762 762 :hg:`help revisions.patterns`.
763 763 """
764 764 args = getargsdict(x, 'extra', 'label value')
765 765 if 'label' not in args:
766 766 # i18n: "extra" is a keyword
767 767 raise error.ParseError(_('extra takes at least 1 argument'))
768 768 # i18n: "extra" is a keyword
769 769 label = getstring(args['label'], _('first argument to extra must be '
770 770 'a string'))
771 771 value = None
772 772
773 773 if 'value' in args:
774 774 # i18n: "extra" is a keyword
775 775 value = getstring(args['value'], _('second argument to extra must be '
776 776 'a string'))
777 777 kind, value, matcher = util.stringmatcher(value)
778 778
779 779 def _matchvalue(r):
780 780 extra = repo[r].extra()
781 781 return label in extra and (value is None or matcher(extra[label]))
782 782
783 783 return subset.filter(lambda r: _matchvalue(r),
784 784 condrepr=('<extra[%r] %r>', label, value))
785 785
786 786 @predicate('filelog(pattern)', safe=True)
787 787 def filelog(repo, subset, x):
788 788 """Changesets connected to the specified filelog.
789 789
790 790 For performance reasons, visits only revisions mentioned in the file-level
791 791 filelog, rather than filtering through all changesets (much faster, but
792 792 doesn't include deletes or duplicate changes). For a slower, more accurate
793 793 result, use ``file()``.
794 794
795 795 The pattern without explicit kind like ``glob:`` is expected to be
796 796 relative to the current directory and match against a file exactly
797 797 for efficiency.
798 798
799 799 If some linkrev points to revisions filtered by the current repoview, we'll
800 800 work around it to return a non-filtered value.
801 801 """
802 802
803 803 # i18n: "filelog" is a keyword
804 804 pat = getstring(x, _("filelog requires a pattern"))
805 805 s = set()
806 806 cl = repo.changelog
807 807
808 808 if not matchmod.patkind(pat):
809 809 f = pathutil.canonpath(repo.root, repo.getcwd(), pat)
810 810 files = [f]
811 811 else:
812 812 m = matchmod.match(repo.root, repo.getcwd(), [pat], ctx=repo[None])
813 813 files = (f for f in repo[None] if m(f))
814 814
815 815 for f in files:
816 816 fl = repo.file(f)
817 817 known = {}
818 818 scanpos = 0
819 819 for fr in list(fl):
820 820 fn = fl.node(fr)
821 821 if fn in known:
822 822 s.add(known[fn])
823 823 continue
824 824
825 825 lr = fl.linkrev(fr)
826 826 if lr in cl:
827 827 s.add(lr)
828 828 elif scanpos is not None:
829 829 # lowest matching changeset is filtered, scan further
830 830 # ahead in changelog
831 831 start = max(lr, scanpos) + 1
832 832 scanpos = None
833 833 for r in cl.revs(start):
834 834 # minimize parsing of non-matching entries
835 835 if f in cl.revision(r) and f in cl.readfiles(r):
836 836 try:
837 837 # try to use manifest delta fastpath
838 838 n = repo[r].filenode(f)
839 839 if n not in known:
840 840 if n == fn:
841 841 s.add(r)
842 842 scanpos = r
843 843 break
844 844 else:
845 845 known[n] = r
846 846 except error.ManifestLookupError:
847 847 # deletion in changelog
848 848 continue
849 849
850 850 return subset & s
851 851
852 852 @predicate('first(set, [n])', safe=True)
853 853 def first(repo, subset, x):
854 854 """An alias for limit().
855 855 """
856 856 return limit(repo, subset, x)
857 857
858 858 def _follow(repo, subset, x, name, followfirst=False):
859 859 l = getargs(x, 0, 2, _("%s takes no arguments or a pattern "
860 860 "and an optional revset") % name)
861 861 c = repo['.']
862 862 if l:
863 863 x = getstring(l[0], _("%s expected a pattern") % name)
864 864 rev = None
865 865 if len(l) >= 2:
866 866 revs = getset(repo, fullreposet(repo), l[1])
867 867 if len(revs) != 1:
868 868 raise error.RepoLookupError(
869 869 _("%s expected one starting revision") % name)
870 870 rev = revs.last()
871 871 c = repo[rev]
872 872 matcher = matchmod.match(repo.root, repo.getcwd(), [x],
873 873 ctx=repo[rev], default='path')
874 874
875 875 files = c.manifest().walk(matcher)
876 876
877 877 s = set()
878 878 for fname in files:
879 879 fctx = c[fname]
880 880 s = s.union(set(c.rev() for c in fctx.ancestors(followfirst)))
881 881 # include the revision responsible for the most recent version
882 882 s.add(fctx.introrev())
883 883 else:
884 884 s = _revancestors(repo, baseset([c.rev()]), followfirst)
885 885
886 886 return subset & s
887 887
888 888 @predicate('follow([pattern[, startrev]])', safe=True)
889 889 def follow(repo, subset, x):
890 890 """
891 891 An alias for ``::.`` (ancestors of the working directory's first parent).
892 892 If pattern is specified, the histories of files matching given
893 893 pattern in the revision given by startrev are followed, including copies.
894 894 """
895 895 return _follow(repo, subset, x, 'follow')
896 896
897 897 @predicate('_followfirst', safe=True)
898 898 def _followfirst(repo, subset, x):
899 899 # ``followfirst([pattern[, startrev]])``
900 900 # Like ``follow([pattern[, startrev]])`` but follows only the first parent
901 901 # of every revisions or files revisions.
902 902 return _follow(repo, subset, x, '_followfirst', followfirst=True)
903 903
904 904 @predicate('followlines(file, fromline:toline[, startrev=., descend=False])',
905 905 safe=True)
906 906 def followlines(repo, subset, x):
907 907 """Changesets modifying `file` in line range ('fromline', 'toline').
908 908
909 909 Line range corresponds to 'file' content at 'startrev' and should hence be
910 910 consistent with file size. If startrev is not specified, working directory's
911 911 parent is used.
912 912
913 913 By default, ancestors of 'startrev' are returned. If 'descend' is True,
914 914 descendants of 'startrev' are returned though renames are (currently) not
915 915 followed in this direction.
916 916 """
917 917 from . import context # avoid circular import issues
918 918
919 919 args = getargsdict(x, 'followlines', 'file *lines startrev descend')
920 920 if len(args['lines']) != 1:
921 921 raise error.ParseError(_("followlines requires a line range"))
922 922
923 923 rev = '.'
924 924 if 'startrev' in args:
925 925 revs = getset(repo, fullreposet(repo), args['startrev'])
926 926 if len(revs) != 1:
927 927 raise error.ParseError(
928 928 # i18n: "followlines" is a keyword
929 929 _("followlines expects exactly one revision"))
930 930 rev = revs.last()
931 931
932 932 pat = getstring(args['file'], _("followlines requires a pattern"))
933 933 if not matchmod.patkind(pat):
934 934 fname = pathutil.canonpath(repo.root, repo.getcwd(), pat)
935 935 else:
936 936 m = matchmod.match(repo.root, repo.getcwd(), [pat], ctx=repo[rev])
937 937 files = [f for f in repo[rev] if m(f)]
938 938 if len(files) != 1:
939 939 # i18n: "followlines" is a keyword
940 940 raise error.ParseError(_("followlines expects exactly one file"))
941 941 fname = files[0]
942 942
943 943 # i18n: "followlines" is a keyword
944 944 lr = getrange(args['lines'][0], _("followlines expects a line range"))
945 945 fromline, toline = [getinteger(a, _("line range bounds must be integers"))
946 946 for a in lr]
947 947 fromline, toline = util.processlinerange(fromline, toline)
948 948
949 949 fctx = repo[rev].filectx(fname)
950 950 descend = False
951 951 if 'descend' in args:
952 952 descend = getboolean(args['descend'],
953 953 # i18n: "descend" is a keyword
954 954 _("descend argument must be a boolean"))
955 955 if descend:
956 956 rs = generatorset(
957 957 (c.rev() for c, _linerange
958 958 in context.blockdescendants(fctx, fromline, toline)),
959 959 iterasc=True)
960 960 else:
961 961 rs = generatorset(
962 962 (c.rev() for c, _linerange
963 963 in context.blockancestors(fctx, fromline, toline)),
964 964 iterasc=False)
965 965 return subset & rs
966 966
967 967 @predicate('all()', safe=True)
968 968 def getall(repo, subset, x):
969 969 """All changesets, the same as ``0:tip``.
970 970 """
971 971 # i18n: "all" is a keyword
972 972 getargs(x, 0, 0, _("all takes no arguments"))
973 973 return subset & spanset(repo) # drop "null" if any
974 974
975 975 @predicate('grep(regex)')
976 976 def grep(repo, subset, x):
977 977 """Like ``keyword(string)`` but accepts a regex. Use ``grep(r'...')``
978 978 to ensure special escape characters are handled correctly. Unlike
979 979 ``keyword(string)``, the match is case-sensitive.
980 980 """
981 981 try:
982 982 # i18n: "grep" is a keyword
983 983 gr = re.compile(getstring(x, _("grep requires a string")))
984 984 except re.error as e:
985 985 raise error.ParseError(_('invalid match pattern: %s') % e)
986 986
987 987 def matches(x):
988 988 c = repo[x]
989 989 for e in c.files() + [c.user(), c.description()]:
990 990 if gr.search(e):
991 991 return True
992 992 return False
993 993
994 994 return subset.filter(matches, condrepr=('<grep %r>', gr.pattern))
995 995
996 996 @predicate('_matchfiles', safe=True)
997 997 def _matchfiles(repo, subset, x):
998 998 # _matchfiles takes a revset list of prefixed arguments:
999 999 #
1000 1000 # [p:foo, i:bar, x:baz]
1001 1001 #
1002 1002 # builds a match object from them and filters subset. Allowed
1003 1003 # prefixes are 'p:' for regular patterns, 'i:' for include
1004 1004 # patterns and 'x:' for exclude patterns. Use 'r:' prefix to pass
1005 1005 # a revision identifier, or the empty string to reference the
1006 1006 # working directory, from which the match object is
1007 1007 # initialized. Use 'd:' to set the default matching mode, default
1008 1008 # to 'glob'. At most one 'r:' and 'd:' argument can be passed.
1009 1009
1010 1010 l = getargs(x, 1, -1, "_matchfiles requires at least one argument")
1011 1011 pats, inc, exc = [], [], []
1012 1012 rev, default = None, None
1013 1013 for arg in l:
1014 1014 s = getstring(arg, "_matchfiles requires string arguments")
1015 1015 prefix, value = s[:2], s[2:]
1016 1016 if prefix == 'p:':
1017 1017 pats.append(value)
1018 1018 elif prefix == 'i:':
1019 1019 inc.append(value)
1020 1020 elif prefix == 'x:':
1021 1021 exc.append(value)
1022 1022 elif prefix == 'r:':
1023 1023 if rev is not None:
1024 1024 raise error.ParseError('_matchfiles expected at most one '
1025 1025 'revision')
1026 1026 if value != '': # empty means working directory; leave rev as None
1027 1027 rev = value
1028 1028 elif prefix == 'd:':
1029 1029 if default is not None:
1030 1030 raise error.ParseError('_matchfiles expected at most one '
1031 1031 'default mode')
1032 1032 default = value
1033 1033 else:
1034 1034 raise error.ParseError('invalid _matchfiles prefix: %s' % prefix)
1035 1035 if not default:
1036 1036 default = 'glob'
1037 1037
1038 1038 m = matchmod.match(repo.root, repo.getcwd(), pats, include=inc,
1039 1039 exclude=exc, ctx=repo[rev], default=default)
1040 1040
1041 1041 # This directly read the changelog data as creating changectx for all
1042 1042 # revisions is quite expensive.
1043 1043 getfiles = repo.changelog.readfiles
1044 1044 wdirrev = node.wdirrev
1045 1045 def matches(x):
1046 1046 if x == wdirrev:
1047 1047 files = repo[x].files()
1048 1048 else:
1049 1049 files = getfiles(x)
1050 1050 for f in files:
1051 1051 if m(f):
1052 1052 return True
1053 1053 return False
1054 1054
1055 1055 return subset.filter(matches,
1056 1056 condrepr=('<matchfiles patterns=%r, include=%r '
1057 1057 'exclude=%r, default=%r, rev=%r>',
1058 1058 pats, inc, exc, default, rev))
1059 1059
1060 1060 @predicate('file(pattern)', safe=True)
1061 1061 def hasfile(repo, subset, x):
1062 1062 """Changesets affecting files matched by pattern.
1063 1063
1064 1064 For a faster but less accurate result, consider using ``filelog()``
1065 1065 instead.
1066 1066
1067 1067 This predicate uses ``glob:`` as the default kind of pattern.
1068 1068 """
1069 1069 # i18n: "file" is a keyword
1070 1070 pat = getstring(x, _("file requires a pattern"))
1071 1071 return _matchfiles(repo, subset, ('string', 'p:' + pat))
1072 1072
1073 1073 @predicate('head()', safe=True)
1074 1074 def head(repo, subset, x):
1075 1075 """Changeset is a named branch head.
1076 1076 """
1077 1077 # i18n: "head" is a keyword
1078 1078 getargs(x, 0, 0, _("head takes no arguments"))
1079 1079 hs = set()
1080 1080 cl = repo.changelog
1081 1081 for ls in repo.branchmap().itervalues():
1082 1082 hs.update(cl.rev(h) for h in ls)
1083 1083 return subset & baseset(hs)
1084 1084
1085 1085 @predicate('heads(set)', safe=True)
1086 1086 def heads(repo, subset, x):
1087 1087 """Members of set with no children in set.
1088 1088 """
1089 1089 s = getset(repo, subset, x)
1090 1090 ps = parents(repo, subset, x)
1091 1091 return s - ps
1092 1092
1093 1093 @predicate('hidden()', safe=True)
1094 1094 def hidden(repo, subset, x):
1095 1095 """Hidden changesets.
1096 1096 """
1097 1097 # i18n: "hidden" is a keyword
1098 1098 getargs(x, 0, 0, _("hidden takes no arguments"))
1099 1099 hiddenrevs = repoview.filterrevs(repo, 'visible')
1100 1100 return subset & hiddenrevs
1101 1101
1102 1102 @predicate('keyword(string)', safe=True)
1103 1103 def keyword(repo, subset, x):
1104 1104 """Search commit message, user name, and names of changed files for
1105 1105 string. The match is case-insensitive.
1106 1106
1107 1107 For a regular expression or case sensitive search of these fields, use
1108 1108 ``grep(regex)``.
1109 1109 """
1110 1110 # i18n: "keyword" is a keyword
1111 1111 kw = encoding.lower(getstring(x, _("keyword requires a string")))
1112 1112
1113 1113 def matches(r):
1114 1114 c = repo[r]
1115 1115 return any(kw in encoding.lower(t)
1116 1116 for t in c.files() + [c.user(), c.description()])
1117 1117
1118 1118 return subset.filter(matches, condrepr=('<keyword %r>', kw))
1119 1119
1120 1120 @predicate('limit(set[, n[, offset]])', safe=True)
1121 1121 def limit(repo, subset, x):
1122 1122 """First n members of set, defaulting to 1, starting from offset.
1123 1123 """
1124 1124 args = getargsdict(x, 'limit', 'set n offset')
1125 1125 if 'set' not in args:
1126 1126 # i18n: "limit" is a keyword
1127 1127 raise error.ParseError(_("limit requires one to three arguments"))
1128 1128 # i18n: "limit" is a keyword
1129 1129 lim = getinteger(args.get('n'), _("limit expects a number"), default=1)
1130 1130 # i18n: "limit" is a keyword
1131 1131 ofs = getinteger(args.get('offset'), _("limit expects a number"), default=0)
1132 1132 if ofs < 0:
1133 1133 raise error.ParseError(_("negative offset"))
1134 1134 os = getset(repo, fullreposet(repo), args['set'])
1135 1135 result = []
1136 1136 it = iter(os)
1137 1137 for x in xrange(ofs):
1138 1138 y = next(it, None)
1139 1139 if y is None:
1140 1140 break
1141 1141 for x in xrange(lim):
1142 1142 y = next(it, None)
1143 1143 if y is None:
1144 1144 break
1145 1145 elif y in subset:
1146 1146 result.append(y)
1147 1147 return baseset(result, datarepr=('<limit n=%d, offset=%d, %r, %r>',
1148 1148 lim, ofs, subset, os))
1149 1149
1150 1150 @predicate('last(set, [n])', safe=True)
1151 1151 def last(repo, subset, x):
1152 1152 """Last n members of set, defaulting to 1.
1153 1153 """
1154 1154 # i18n: "last" is a keyword
1155 1155 l = getargs(x, 1, 2, _("last requires one or two arguments"))
1156 1156 lim = 1
1157 1157 if len(l) == 2:
1158 1158 # i18n: "last" is a keyword
1159 1159 lim = getinteger(l[1], _("last expects a number"))
1160 1160 os = getset(repo, fullreposet(repo), l[0])
1161 1161 os.reverse()
1162 1162 result = []
1163 1163 it = iter(os)
1164 1164 for x in xrange(lim):
1165 1165 y = next(it, None)
1166 1166 if y is None:
1167 1167 break
1168 1168 elif y in subset:
1169 1169 result.append(y)
1170 1170 return baseset(result, datarepr=('<last n=%d, %r, %r>', lim, subset, os))
1171 1171
1172 1172 @predicate('max(set)', safe=True)
1173 1173 def maxrev(repo, subset, x):
1174 1174 """Changeset with highest revision number in set.
1175 1175 """
1176 1176 os = getset(repo, fullreposet(repo), x)
1177 1177 try:
1178 1178 m = os.max()
1179 1179 if m in subset:
1180 1180 return baseset([m], datarepr=('<max %r, %r>', subset, os))
1181 1181 except ValueError:
1182 1182 # os.max() throws a ValueError when the collection is empty.
1183 1183 # Same as python's max().
1184 1184 pass
1185 1185 return baseset(datarepr=('<max %r, %r>', subset, os))
1186 1186
1187 1187 @predicate('merge()', safe=True)
1188 1188 def merge(repo, subset, x):
1189 1189 """Changeset is a merge changeset.
1190 1190 """
1191 1191 # i18n: "merge" is a keyword
1192 1192 getargs(x, 0, 0, _("merge takes no arguments"))
1193 1193 cl = repo.changelog
1194 1194 return subset.filter(lambda r: cl.parentrevs(r)[1] != -1,
1195 1195 condrepr='<merge>')
1196 1196
1197 1197 @predicate('branchpoint()', safe=True)
1198 1198 def branchpoint(repo, subset, x):
1199 1199 """Changesets with more than one child.
1200 1200 """
1201 1201 # i18n: "branchpoint" is a keyword
1202 1202 getargs(x, 0, 0, _("branchpoint takes no arguments"))
1203 1203 cl = repo.changelog
1204 1204 if not subset:
1205 1205 return baseset()
1206 1206 # XXX this should be 'parentset.min()' assuming 'parentset' is a smartset
1207 1207 # (and if it is not, it should.)
1208 1208 baserev = min(subset)
1209 1209 parentscount = [0]*(len(repo) - baserev)
1210 1210 for r in cl.revs(start=baserev + 1):
1211 1211 for p in cl.parentrevs(r):
1212 1212 if p >= baserev:
1213 1213 parentscount[p - baserev] += 1
1214 1214 return subset.filter(lambda r: parentscount[r - baserev] > 1,
1215 1215 condrepr='<branchpoint>')
1216 1216
1217 1217 @predicate('min(set)', safe=True)
1218 1218 def minrev(repo, subset, x):
1219 1219 """Changeset with lowest revision number in set.
1220 1220 """
1221 1221 os = getset(repo, fullreposet(repo), x)
1222 1222 try:
1223 1223 m = os.min()
1224 1224 if m in subset:
1225 1225 return baseset([m], datarepr=('<min %r, %r>', subset, os))
1226 1226 except ValueError:
1227 1227 # os.min() throws a ValueError when the collection is empty.
1228 1228 # Same as python's min().
1229 1229 pass
1230 1230 return baseset(datarepr=('<min %r, %r>', subset, os))
1231 1231
1232 1232 @predicate('modifies(pattern)', safe=True)
1233 1233 def modifies(repo, subset, x):
1234 1234 """Changesets modifying files matched by pattern.
1235 1235
1236 1236 The pattern without explicit kind like ``glob:`` is expected to be
1237 1237 relative to the current directory and match against a file or a
1238 1238 directory.
1239 1239 """
1240 1240 # i18n: "modifies" is a keyword
1241 1241 pat = getstring(x, _("modifies requires a pattern"))
1242 1242 return checkstatus(repo, subset, pat, 0)
1243 1243
1244 1244 @predicate('named(namespace)')
1245 1245 def named(repo, subset, x):
1246 1246 """The changesets in a given namespace.
1247 1247
1248 1248 Pattern matching is supported for `namespace`. See
1249 1249 :hg:`help revisions.patterns`.
1250 1250 """
1251 1251 # i18n: "named" is a keyword
1252 1252 args = getargs(x, 1, 1, _('named requires a namespace argument'))
1253 1253
1254 1254 ns = getstring(args[0],
1255 1255 # i18n: "named" is a keyword
1256 1256 _('the argument to named must be a string'))
1257 1257 kind, pattern, matcher = util.stringmatcher(ns)
1258 1258 namespaces = set()
1259 1259 if kind == 'literal':
1260 1260 if pattern not in repo.names:
1261 1261 raise error.RepoLookupError(_("namespace '%s' does not exist")
1262 1262 % ns)
1263 1263 namespaces.add(repo.names[pattern])
1264 1264 else:
1265 1265 for name, ns in repo.names.iteritems():
1266 1266 if matcher(name):
1267 1267 namespaces.add(ns)
1268 1268 if not namespaces:
1269 1269 raise error.RepoLookupError(_("no namespace exists"
1270 1270 " that match '%s'") % pattern)
1271 1271
1272 1272 names = set()
1273 1273 for ns in namespaces:
1274 1274 for name in ns.listnames(repo):
1275 1275 if name not in ns.deprecated:
1276 1276 names.update(repo[n].rev() for n in ns.nodes(repo, name))
1277 1277
1278 1278 names -= {node.nullrev}
1279 1279 return subset & names
1280 1280
1281 1281 @predicate('id(string)', safe=True)
1282 1282 def node_(repo, subset, x):
1283 1283 """Revision non-ambiguously specified by the given hex string prefix.
1284 1284 """
1285 1285 # i18n: "id" is a keyword
1286 1286 l = getargs(x, 1, 1, _("id requires one argument"))
1287 1287 # i18n: "id" is a keyword
1288 1288 n = getstring(l[0], _("id requires a string"))
1289 1289 if len(n) == 40:
1290 1290 try:
1291 1291 rn = repo.changelog.rev(node.bin(n))
1292 1292 except (LookupError, TypeError):
1293 1293 rn = None
1294 1294 else:
1295 1295 rn = None
1296 1296 pm = repo.changelog._partialmatch(n)
1297 1297 if pm is not None:
1298 1298 rn = repo.changelog.rev(pm)
1299 1299
1300 1300 if rn is None:
1301 1301 return baseset()
1302 1302 result = baseset([rn])
1303 1303 return result & subset
1304 1304
1305 1305 @predicate('obsolete()', safe=True)
1306 1306 def obsolete(repo, subset, x):
1307 1307 """Mutable changeset with a newer version."""
1308 1308 # i18n: "obsolete" is a keyword
1309 1309 getargs(x, 0, 0, _("obsolete takes no arguments"))
1310 1310 obsoletes = obsmod.getrevs(repo, 'obsolete')
1311 1311 return subset & obsoletes
1312 1312
1313 1313 @predicate('only(set, [set])', safe=True)
1314 1314 def only(repo, subset, x):
1315 1315 """Changesets that are ancestors of the first set that are not ancestors
1316 1316 of any other head in the repo. If a second set is specified, the result
1317 1317 is ancestors of the first set that are not ancestors of the second set
1318 1318 (i.e. ::<set1> - ::<set2>).
1319 1319 """
1320 1320 cl = repo.changelog
1321 1321 # i18n: "only" is a keyword
1322 1322 args = getargs(x, 1, 2, _('only takes one or two arguments'))
1323 1323 include = getset(repo, fullreposet(repo), args[0])
1324 1324 if len(args) == 1:
1325 1325 if not include:
1326 1326 return baseset()
1327 1327
1328 1328 descendants = set(_revdescendants(repo, include, False))
1329 1329 exclude = [rev for rev in cl.headrevs()
1330 1330 if not rev in descendants and not rev in include]
1331 1331 else:
1332 1332 exclude = getset(repo, fullreposet(repo), args[1])
1333 1333
1334 1334 results = set(cl.findmissingrevs(common=exclude, heads=include))
1335 1335 # XXX we should turn this into a baseset instead of a set, smartset may do
1336 1336 # some optimizations from the fact this is a baseset.
1337 1337 return subset & results
1338 1338
1339 1339 @predicate('origin([set])', safe=True)
1340 1340 def origin(repo, subset, x):
1341 1341 """
1342 1342 Changesets that were specified as a source for the grafts, transplants or
1343 1343 rebases that created the given revisions. Omitting the optional set is the
1344 1344 same as passing all(). If a changeset created by these operations is itself
1345 1345 specified as a source for one of these operations, only the source changeset
1346 1346 for the first operation is selected.
1347 1347 """
1348 1348 if x is not None:
1349 1349 dests = getset(repo, fullreposet(repo), x)
1350 1350 else:
1351 1351 dests = fullreposet(repo)
1352 1352
1353 1353 def _firstsrc(rev):
1354 1354 src = _getrevsource(repo, rev)
1355 1355 if src is None:
1356 1356 return None
1357 1357
1358 1358 while True:
1359 1359 prev = _getrevsource(repo, src)
1360 1360
1361 1361 if prev is None:
1362 1362 return src
1363 1363 src = prev
1364 1364
1365 1365 o = {_firstsrc(r) for r in dests}
1366 1366 o -= {None}
1367 1367 # XXX we should turn this into a baseset instead of a set, smartset may do
1368 1368 # some optimizations from the fact this is a baseset.
1369 1369 return subset & o
1370 1370
1371 1371 @predicate('outgoing([path])', safe=False)
1372 1372 def outgoing(repo, subset, x):
1373 1373 """Changesets not found in the specified destination repository, or the
1374 1374 default push location.
1375 1375 """
1376 1376 # Avoid cycles.
1377 1377 from . import (
1378 1378 discovery,
1379 1379 hg,
1380 1380 )
1381 1381 # i18n: "outgoing" is a keyword
1382 1382 l = getargs(x, 0, 1, _("outgoing takes one or no arguments"))
1383 1383 # i18n: "outgoing" is a keyword
1384 1384 dest = l and getstring(l[0], _("outgoing requires a repository path")) or ''
1385 1385 dest = repo.ui.expandpath(dest or 'default-push', dest or 'default')
1386 1386 dest, branches = hg.parseurl(dest)
1387 1387 revs, checkout = hg.addbranchrevs(repo, repo, branches, [])
1388 1388 if revs:
1389 1389 revs = [repo.lookup(rev) for rev in revs]
1390 1390 other = hg.peer(repo, {}, dest)
1391 1391 repo.ui.pushbuffer()
1392 1392 outgoing = discovery.findcommonoutgoing(repo, other, onlyheads=revs)
1393 1393 repo.ui.popbuffer()
1394 1394 cl = repo.changelog
1395 1395 o = {cl.rev(r) for r in outgoing.missing}
1396 1396 return subset & o
1397 1397
1398 1398 @predicate('p1([set])', safe=True)
1399 1399 def p1(repo, subset, x):
1400 1400 """First parent of changesets in set, or the working directory.
1401 1401 """
1402 1402 if x is None:
1403 1403 p = repo[x].p1().rev()
1404 1404 if p >= 0:
1405 1405 return subset & baseset([p])
1406 1406 return baseset()
1407 1407
1408 1408 ps = set()
1409 1409 cl = repo.changelog
1410 1410 for r in getset(repo, fullreposet(repo), x):
1411 1411 try:
1412 1412 ps.add(cl.parentrevs(r)[0])
1413 1413 except error.WdirUnsupported:
1414 1414 ps.add(repo[r].parents()[0].rev())
1415 1415 ps -= {node.nullrev}
1416 1416 # XXX we should turn this into a baseset instead of a set, smartset may do
1417 1417 # some optimizations from the fact this is a baseset.
1418 1418 return subset & ps
1419 1419
1420 1420 @predicate('p2([set])', safe=True)
1421 1421 def p2(repo, subset, x):
1422 1422 """Second parent of changesets in set, or the working directory.
1423 1423 """
1424 1424 if x is None:
1425 1425 ps = repo[x].parents()
1426 1426 try:
1427 1427 p = ps[1].rev()
1428 1428 if p >= 0:
1429 1429 return subset & baseset([p])
1430 1430 return baseset()
1431 1431 except IndexError:
1432 1432 return baseset()
1433 1433
1434 1434 ps = set()
1435 1435 cl = repo.changelog
1436 1436 for r in getset(repo, fullreposet(repo), x):
1437 ps.add(cl.parentrevs(r)[1])
1437 try:
1438 ps.add(cl.parentrevs(r)[1])
1439 except error.WdirUnsupported:
1440 parents = repo[r].parents()
1441 if len(parents) == 2:
1442 ps.add(parents[1])
1438 1443 ps -= {node.nullrev}
1439 1444 # XXX we should turn this into a baseset instead of a set, smartset may do
1440 1445 # some optimizations from the fact this is a baseset.
1441 1446 return subset & ps
1442 1447
1443 1448 def parentpost(repo, subset, x, order):
1444 1449 return p1(repo, subset, x)
1445 1450
1446 1451 @predicate('parents([set])', safe=True)
1447 1452 def parents(repo, subset, x):
1448 1453 """
1449 1454 The set of all parents for all changesets in set, or the working directory.
1450 1455 """
1451 1456 if x is None:
1452 1457 ps = set(p.rev() for p in repo[x].parents())
1453 1458 else:
1454 1459 ps = set()
1455 1460 cl = repo.changelog
1456 1461 up = ps.update
1457 1462 parentrevs = cl.parentrevs
1458 1463 for r in getset(repo, fullreposet(repo), x):
1459 1464 try:
1460 1465 up(parentrevs(r))
1461 1466 except error.WdirUnsupported:
1462 1467 up(p.rev() for p in repo[r].parents())
1463 1468 ps -= {node.nullrev}
1464 1469 return subset & ps
1465 1470
1466 1471 def _phase(repo, subset, *targets):
1467 1472 """helper to select all rev in <targets> phases"""
1468 1473 s = repo._phasecache.getrevset(repo, targets)
1469 1474 return subset & s
1470 1475
1471 1476 @predicate('draft()', safe=True)
1472 1477 def draft(repo, subset, x):
1473 1478 """Changeset in draft phase."""
1474 1479 # i18n: "draft" is a keyword
1475 1480 getargs(x, 0, 0, _("draft takes no arguments"))
1476 1481 target = phases.draft
1477 1482 return _phase(repo, subset, target)
1478 1483
1479 1484 @predicate('secret()', safe=True)
1480 1485 def secret(repo, subset, x):
1481 1486 """Changeset in secret phase."""
1482 1487 # i18n: "secret" is a keyword
1483 1488 getargs(x, 0, 0, _("secret takes no arguments"))
1484 1489 target = phases.secret
1485 1490 return _phase(repo, subset, target)
1486 1491
1487 1492 def parentspec(repo, subset, x, n, order):
1488 1493 """``set^0``
1489 1494 The set.
1490 1495 ``set^1`` (or ``set^``), ``set^2``
1491 1496 First or second parent, respectively, of all changesets in set.
1492 1497 """
1493 1498 try:
1494 1499 n = int(n[1])
1495 1500 if n not in (0, 1, 2):
1496 1501 raise ValueError
1497 1502 except (TypeError, ValueError):
1498 1503 raise error.ParseError(_("^ expects a number 0, 1, or 2"))
1499 1504 ps = set()
1500 1505 cl = repo.changelog
1501 1506 for r in getset(repo, fullreposet(repo), x):
1502 1507 if n == 0:
1503 1508 ps.add(r)
1504 1509 elif n == 1:
1505 1510 try:
1506 1511 ps.add(cl.parentrevs(r)[0])
1507 1512 except error.WdirUnsupported:
1508 1513 ps.add(repo[r].parents()[0].rev())
1509 1514 else:
1510 1515 try:
1511 1516 parents = cl.parentrevs(r)
1512 1517 if parents[1] != node.nullrev:
1513 1518 ps.add(parents[1])
1514 1519 except error.WdirUnsupported:
1515 1520 parents = repo[r].parents()
1516 1521 if len(parents) == 2:
1517 1522 ps.add(parents[1].rev())
1518 1523 return subset & ps
1519 1524
1520 1525 @predicate('present(set)', safe=True)
1521 1526 def present(repo, subset, x):
1522 1527 """An empty set, if any revision in set isn't found; otherwise,
1523 1528 all revisions in set.
1524 1529
1525 1530 If any of specified revisions is not present in the local repository,
1526 1531 the query is normally aborted. But this predicate allows the query
1527 1532 to continue even in such cases.
1528 1533 """
1529 1534 try:
1530 1535 return getset(repo, subset, x)
1531 1536 except error.RepoLookupError:
1532 1537 return baseset()
1533 1538
1534 1539 # for internal use
1535 1540 @predicate('_notpublic', safe=True)
1536 1541 def _notpublic(repo, subset, x):
1537 1542 getargs(x, 0, 0, "_notpublic takes no arguments")
1538 1543 return _phase(repo, subset, phases.draft, phases.secret)
1539 1544
1540 1545 @predicate('public()', safe=True)
1541 1546 def public(repo, subset, x):
1542 1547 """Changeset in public phase."""
1543 1548 # i18n: "public" is a keyword
1544 1549 getargs(x, 0, 0, _("public takes no arguments"))
1545 1550 phase = repo._phasecache.phase
1546 1551 target = phases.public
1547 1552 condition = lambda r: phase(repo, r) == target
1548 1553 return subset.filter(condition, condrepr=('<phase %r>', target),
1549 1554 cache=False)
1550 1555
1551 1556 @predicate('remote([id [,path]])', safe=False)
1552 1557 def remote(repo, subset, x):
1553 1558 """Local revision that corresponds to the given identifier in a
1554 1559 remote repository, if present. Here, the '.' identifier is a
1555 1560 synonym for the current local branch.
1556 1561 """
1557 1562
1558 1563 from . import hg # avoid start-up nasties
1559 1564 # i18n: "remote" is a keyword
1560 1565 l = getargs(x, 0, 2, _("remote takes zero, one, or two arguments"))
1561 1566
1562 1567 q = '.'
1563 1568 if len(l) > 0:
1564 1569 # i18n: "remote" is a keyword
1565 1570 q = getstring(l[0], _("remote requires a string id"))
1566 1571 if q == '.':
1567 1572 q = repo['.'].branch()
1568 1573
1569 1574 dest = ''
1570 1575 if len(l) > 1:
1571 1576 # i18n: "remote" is a keyword
1572 1577 dest = getstring(l[1], _("remote requires a repository path"))
1573 1578 dest = repo.ui.expandpath(dest or 'default')
1574 1579 dest, branches = hg.parseurl(dest)
1575 1580 revs, checkout = hg.addbranchrevs(repo, repo, branches, [])
1576 1581 if revs:
1577 1582 revs = [repo.lookup(rev) for rev in revs]
1578 1583 other = hg.peer(repo, {}, dest)
1579 1584 n = other.lookup(q)
1580 1585 if n in repo:
1581 1586 r = repo[n].rev()
1582 1587 if r in subset:
1583 1588 return baseset([r])
1584 1589 return baseset()
1585 1590
1586 1591 @predicate('removes(pattern)', safe=True)
1587 1592 def removes(repo, subset, x):
1588 1593 """Changesets which remove files matching pattern.
1589 1594
1590 1595 The pattern without explicit kind like ``glob:`` is expected to be
1591 1596 relative to the current directory and match against a file or a
1592 1597 directory.
1593 1598 """
1594 1599 # i18n: "removes" is a keyword
1595 1600 pat = getstring(x, _("removes requires a pattern"))
1596 1601 return checkstatus(repo, subset, pat, 2)
1597 1602
1598 1603 @predicate('rev(number)', safe=True)
1599 1604 def rev(repo, subset, x):
1600 1605 """Revision with the given numeric identifier.
1601 1606 """
1602 1607 # i18n: "rev" is a keyword
1603 1608 l = getargs(x, 1, 1, _("rev requires one argument"))
1604 1609 try:
1605 1610 # i18n: "rev" is a keyword
1606 1611 l = int(getstring(l[0], _("rev requires a number")))
1607 1612 except (TypeError, ValueError):
1608 1613 # i18n: "rev" is a keyword
1609 1614 raise error.ParseError(_("rev expects a number"))
1610 1615 if l not in repo.changelog and l != node.nullrev:
1611 1616 return baseset()
1612 1617 return subset & baseset([l])
1613 1618
1614 1619 @predicate('matching(revision [, field])', safe=True)
1615 1620 def matching(repo, subset, x):
1616 1621 """Changesets in which a given set of fields match the set of fields in the
1617 1622 selected revision or set.
1618 1623
1619 1624 To match more than one field pass the list of fields to match separated
1620 1625 by spaces (e.g. ``author description``).
1621 1626
1622 1627 Valid fields are most regular revision fields and some special fields.
1623 1628
1624 1629 Regular revision fields are ``description``, ``author``, ``branch``,
1625 1630 ``date``, ``files``, ``phase``, ``parents``, ``substate``, ``user``
1626 1631 and ``diff``.
1627 1632 Note that ``author`` and ``user`` are synonyms. ``diff`` refers to the
1628 1633 contents of the revision. Two revisions matching their ``diff`` will
1629 1634 also match their ``files``.
1630 1635
1631 1636 Special fields are ``summary`` and ``metadata``:
1632 1637 ``summary`` matches the first line of the description.
1633 1638 ``metadata`` is equivalent to matching ``description user date``
1634 1639 (i.e. it matches the main metadata fields).
1635 1640
1636 1641 ``metadata`` is the default field which is used when no fields are
1637 1642 specified. You can match more than one field at a time.
1638 1643 """
1639 1644 # i18n: "matching" is a keyword
1640 1645 l = getargs(x, 1, 2, _("matching takes 1 or 2 arguments"))
1641 1646
1642 1647 revs = getset(repo, fullreposet(repo), l[0])
1643 1648
1644 1649 fieldlist = ['metadata']
1645 1650 if len(l) > 1:
1646 1651 fieldlist = getstring(l[1],
1647 1652 # i18n: "matching" is a keyword
1648 1653 _("matching requires a string "
1649 1654 "as its second argument")).split()
1650 1655
1651 1656 # Make sure that there are no repeated fields,
1652 1657 # expand the 'special' 'metadata' field type
1653 1658 # and check the 'files' whenever we check the 'diff'
1654 1659 fields = []
1655 1660 for field in fieldlist:
1656 1661 if field == 'metadata':
1657 1662 fields += ['user', 'description', 'date']
1658 1663 elif field == 'diff':
1659 1664 # a revision matching the diff must also match the files
1660 1665 # since matching the diff is very costly, make sure to
1661 1666 # also match the files first
1662 1667 fields += ['files', 'diff']
1663 1668 else:
1664 1669 if field == 'author':
1665 1670 field = 'user'
1666 1671 fields.append(field)
1667 1672 fields = set(fields)
1668 1673 if 'summary' in fields and 'description' in fields:
1669 1674 # If a revision matches its description it also matches its summary
1670 1675 fields.discard('summary')
1671 1676
1672 1677 # We may want to match more than one field
1673 1678 # Not all fields take the same amount of time to be matched
1674 1679 # Sort the selected fields in order of increasing matching cost
1675 1680 fieldorder = ['phase', 'parents', 'user', 'date', 'branch', 'summary',
1676 1681 'files', 'description', 'substate', 'diff']
1677 1682 def fieldkeyfunc(f):
1678 1683 try:
1679 1684 return fieldorder.index(f)
1680 1685 except ValueError:
1681 1686 # assume an unknown field is very costly
1682 1687 return len(fieldorder)
1683 1688 fields = list(fields)
1684 1689 fields.sort(key=fieldkeyfunc)
1685 1690
1686 1691 # Each field will be matched with its own "getfield" function
1687 1692 # which will be added to the getfieldfuncs array of functions
1688 1693 getfieldfuncs = []
1689 1694 _funcs = {
1690 1695 'user': lambda r: repo[r].user(),
1691 1696 'branch': lambda r: repo[r].branch(),
1692 1697 'date': lambda r: repo[r].date(),
1693 1698 'description': lambda r: repo[r].description(),
1694 1699 'files': lambda r: repo[r].files(),
1695 1700 'parents': lambda r: repo[r].parents(),
1696 1701 'phase': lambda r: repo[r].phase(),
1697 1702 'substate': lambda r: repo[r].substate,
1698 1703 'summary': lambda r: repo[r].description().splitlines()[0],
1699 1704 'diff': lambda r: list(repo[r].diff(git=True),)
1700 1705 }
1701 1706 for info in fields:
1702 1707 getfield = _funcs.get(info, None)
1703 1708 if getfield is None:
1704 1709 raise error.ParseError(
1705 1710 # i18n: "matching" is a keyword
1706 1711 _("unexpected field name passed to matching: %s") % info)
1707 1712 getfieldfuncs.append(getfield)
1708 1713 # convert the getfield array of functions into a "getinfo" function
1709 1714 # which returns an array of field values (or a single value if there
1710 1715 # is only one field to match)
1711 1716 getinfo = lambda r: [f(r) for f in getfieldfuncs]
1712 1717
1713 1718 def matches(x):
1714 1719 for rev in revs:
1715 1720 target = getinfo(rev)
1716 1721 match = True
1717 1722 for n, f in enumerate(getfieldfuncs):
1718 1723 if target[n] != f(x):
1719 1724 match = False
1720 1725 if match:
1721 1726 return True
1722 1727 return False
1723 1728
1724 1729 return subset.filter(matches, condrepr=('<matching%r %r>', fields, revs))
1725 1730
1726 1731 @predicate('reverse(set)', safe=True, takeorder=True)
1727 1732 def reverse(repo, subset, x, order):
1728 1733 """Reverse order of set.
1729 1734 """
1730 1735 l = getset(repo, subset, x)
1731 1736 if order == defineorder:
1732 1737 l.reverse()
1733 1738 return l
1734 1739
1735 1740 @predicate('roots(set)', safe=True)
1736 1741 def roots(repo, subset, x):
1737 1742 """Changesets in set with no parent changeset in set.
1738 1743 """
1739 1744 s = getset(repo, fullreposet(repo), x)
1740 1745 parents = repo.changelog.parentrevs
1741 1746 def filter(r):
1742 1747 for p in parents(r):
1743 1748 if 0 <= p and p in s:
1744 1749 return False
1745 1750 return True
1746 1751 return subset & s.filter(filter, condrepr='<roots>')
1747 1752
1748 1753 _sortkeyfuncs = {
1749 1754 'rev': lambda c: c.rev(),
1750 1755 'branch': lambda c: c.branch(),
1751 1756 'desc': lambda c: c.description(),
1752 1757 'user': lambda c: c.user(),
1753 1758 'author': lambda c: c.user(),
1754 1759 'date': lambda c: c.date()[0],
1755 1760 }
1756 1761
1757 1762 def _getsortargs(x):
1758 1763 """Parse sort options into (set, [(key, reverse)], opts)"""
1759 1764 args = getargsdict(x, 'sort', 'set keys topo.firstbranch')
1760 1765 if 'set' not in args:
1761 1766 # i18n: "sort" is a keyword
1762 1767 raise error.ParseError(_('sort requires one or two arguments'))
1763 1768 keys = "rev"
1764 1769 if 'keys' in args:
1765 1770 # i18n: "sort" is a keyword
1766 1771 keys = getstring(args['keys'], _("sort spec must be a string"))
1767 1772
1768 1773 keyflags = []
1769 1774 for k in keys.split():
1770 1775 fk = k
1771 1776 reverse = (k[0] == '-')
1772 1777 if reverse:
1773 1778 k = k[1:]
1774 1779 if k not in _sortkeyfuncs and k != 'topo':
1775 1780 raise error.ParseError(_("unknown sort key %r") % fk)
1776 1781 keyflags.append((k, reverse))
1777 1782
1778 1783 if len(keyflags) > 1 and any(k == 'topo' for k, reverse in keyflags):
1779 1784 # i18n: "topo" is a keyword
1780 1785 raise error.ParseError(_('topo sort order cannot be combined '
1781 1786 'with other sort keys'))
1782 1787
1783 1788 opts = {}
1784 1789 if 'topo.firstbranch' in args:
1785 1790 if any(k == 'topo' for k, reverse in keyflags):
1786 1791 opts['topo.firstbranch'] = args['topo.firstbranch']
1787 1792 else:
1788 1793 # i18n: "topo" and "topo.firstbranch" are keywords
1789 1794 raise error.ParseError(_('topo.firstbranch can only be used '
1790 1795 'when using the topo sort key'))
1791 1796
1792 1797 return args['set'], keyflags, opts
1793 1798
1794 1799 @predicate('sort(set[, [-]key... [, ...]])', safe=True, takeorder=True)
1795 1800 def sort(repo, subset, x, order):
1796 1801 """Sort set by keys. The default sort order is ascending, specify a key
1797 1802 as ``-key`` to sort in descending order.
1798 1803
1799 1804 The keys can be:
1800 1805
1801 1806 - ``rev`` for the revision number,
1802 1807 - ``branch`` for the branch name,
1803 1808 - ``desc`` for the commit message (description),
1804 1809 - ``user`` for user name (``author`` can be used as an alias),
1805 1810 - ``date`` for the commit date
1806 1811 - ``topo`` for a reverse topographical sort
1807 1812
1808 1813 The ``topo`` sort order cannot be combined with other sort keys. This sort
1809 1814 takes one optional argument, ``topo.firstbranch``, which takes a revset that
1810 1815 specifies what topographical branches to prioritize in the sort.
1811 1816
1812 1817 """
1813 1818 s, keyflags, opts = _getsortargs(x)
1814 1819 revs = getset(repo, subset, s)
1815 1820
1816 1821 if not keyflags or order != defineorder:
1817 1822 return revs
1818 1823 if len(keyflags) == 1 and keyflags[0][0] == "rev":
1819 1824 revs.sort(reverse=keyflags[0][1])
1820 1825 return revs
1821 1826 elif keyflags[0][0] == "topo":
1822 1827 firstbranch = ()
1823 1828 if 'topo.firstbranch' in opts:
1824 1829 firstbranch = getset(repo, subset, opts['topo.firstbranch'])
1825 1830 revs = baseset(_toposort(revs, repo.changelog.parentrevs, firstbranch),
1826 1831 istopo=True)
1827 1832 if keyflags[0][1]:
1828 1833 revs.reverse()
1829 1834 return revs
1830 1835
1831 1836 # sort() is guaranteed to be stable
1832 1837 ctxs = [repo[r] for r in revs]
1833 1838 for k, reverse in reversed(keyflags):
1834 1839 ctxs.sort(key=_sortkeyfuncs[k], reverse=reverse)
1835 1840 return baseset([c.rev() for c in ctxs])
1836 1841
1837 1842 def _toposort(revs, parentsfunc, firstbranch=()):
1838 1843 """Yield revisions from heads to roots one (topo) branch at a time.
1839 1844
1840 1845 This function aims to be used by a graph generator that wishes to minimize
1841 1846 the number of parallel branches and their interleaving.
1842 1847
1843 1848 Example iteration order (numbers show the "true" order in a changelog):
1844 1849
1845 1850 o 4
1846 1851 |
1847 1852 o 1
1848 1853 |
1849 1854 | o 3
1850 1855 | |
1851 1856 | o 2
1852 1857 |/
1853 1858 o 0
1854 1859
1855 1860 Note that the ancestors of merges are understood by the current
1856 1861 algorithm to be on the same branch. This means no reordering will
1857 1862 occur behind a merge.
1858 1863 """
1859 1864
1860 1865 ### Quick summary of the algorithm
1861 1866 #
1862 1867 # This function is based around a "retention" principle. We keep revisions
1863 1868 # in memory until we are ready to emit a whole branch that immediately
1864 1869 # "merges" into an existing one. This reduces the number of parallel
1865 1870 # branches with interleaved revisions.
1866 1871 #
1867 1872 # During iteration revs are split into two groups:
1868 1873 # A) revision already emitted
1869 1874 # B) revision in "retention". They are stored as different subgroups.
1870 1875 #
1871 1876 # for each REV, we do the following logic:
1872 1877 #
1873 1878 # 1) if REV is a parent of (A), we will emit it. If there is a
1874 1879 # retention group ((B) above) that is blocked on REV being
1875 1880 # available, we emit all the revisions out of that retention
1876 1881 # group first.
1877 1882 #
1878 1883 # 2) else, we'll search for a subgroup in (B) awaiting for REV to be
1879 1884 # available, if such subgroup exist, we add REV to it and the subgroup is
1880 1885 # now awaiting for REV.parents() to be available.
1881 1886 #
1882 1887 # 3) finally if no such group existed in (B), we create a new subgroup.
1883 1888 #
1884 1889 #
1885 1890 # To bootstrap the algorithm, we emit the tipmost revision (which
1886 1891 # puts it in group (A) from above).
1887 1892
1888 1893 revs.sort(reverse=True)
1889 1894
1890 1895 # Set of parents of revision that have been emitted. They can be considered
1891 1896 # unblocked as the graph generator is already aware of them so there is no
1892 1897 # need to delay the revisions that reference them.
1893 1898 #
1894 1899 # If someone wants to prioritize a branch over the others, pre-filling this
1895 1900 # set will force all other branches to wait until this branch is ready to be
1896 1901 # emitted.
1897 1902 unblocked = set(firstbranch)
1898 1903
1899 1904 # list of groups waiting to be displayed, each group is defined by:
1900 1905 #
1901 1906 # (revs: lists of revs waiting to be displayed,
1902 1907 # blocked: set of that cannot be displayed before those in 'revs')
1903 1908 #
1904 1909 # The second value ('blocked') correspond to parents of any revision in the
1905 1910 # group ('revs') that is not itself contained in the group. The main idea
1906 1911 # of this algorithm is to delay as much as possible the emission of any
1907 1912 # revision. This means waiting for the moment we are about to display
1908 1913 # these parents to display the revs in a group.
1909 1914 #
1910 1915 # This first implementation is smart until it encounters a merge: it will
1911 1916 # emit revs as soon as any parent is about to be emitted and can grow an
1912 1917 # arbitrary number of revs in 'blocked'. In practice this mean we properly
1913 1918 # retains new branches but gives up on any special ordering for ancestors
1914 1919 # of merges. The implementation can be improved to handle this better.
1915 1920 #
1916 1921 # The first subgroup is special. It corresponds to all the revision that
1917 1922 # were already emitted. The 'revs' lists is expected to be empty and the
1918 1923 # 'blocked' set contains the parents revisions of already emitted revision.
1919 1924 #
1920 1925 # You could pre-seed the <parents> set of groups[0] to a specific
1921 1926 # changesets to select what the first emitted branch should be.
1922 1927 groups = [([], unblocked)]
1923 1928 pendingheap = []
1924 1929 pendingset = set()
1925 1930
1926 1931 heapq.heapify(pendingheap)
1927 1932 heappop = heapq.heappop
1928 1933 heappush = heapq.heappush
1929 1934 for currentrev in revs:
1930 1935 # Heap works with smallest element, we want highest so we invert
1931 1936 if currentrev not in pendingset:
1932 1937 heappush(pendingheap, -currentrev)
1933 1938 pendingset.add(currentrev)
1934 1939 # iterates on pending rev until after the current rev have been
1935 1940 # processed.
1936 1941 rev = None
1937 1942 while rev != currentrev:
1938 1943 rev = -heappop(pendingheap)
1939 1944 pendingset.remove(rev)
1940 1945
1941 1946 # Seek for a subgroup blocked, waiting for the current revision.
1942 1947 matching = [i for i, g in enumerate(groups) if rev in g[1]]
1943 1948
1944 1949 if matching:
1945 1950 # The main idea is to gather together all sets that are blocked
1946 1951 # on the same revision.
1947 1952 #
1948 1953 # Groups are merged when a common blocking ancestor is
1949 1954 # observed. For example, given two groups:
1950 1955 #
1951 1956 # revs [5, 4] waiting for 1
1952 1957 # revs [3, 2] waiting for 1
1953 1958 #
1954 1959 # These two groups will be merged when we process
1955 1960 # 1. In theory, we could have merged the groups when
1956 1961 # we added 2 to the group it is now in (we could have
1957 1962 # noticed the groups were both blocked on 1 then), but
1958 1963 # the way it works now makes the algorithm simpler.
1959 1964 #
1960 1965 # We also always keep the oldest subgroup first. We can
1961 1966 # probably improve the behavior by having the longest set
1962 1967 # first. That way, graph algorithms could minimise the length
1963 1968 # of parallel lines their drawing. This is currently not done.
1964 1969 targetidx = matching.pop(0)
1965 1970 trevs, tparents = groups[targetidx]
1966 1971 for i in matching:
1967 1972 gr = groups[i]
1968 1973 trevs.extend(gr[0])
1969 1974 tparents |= gr[1]
1970 1975 # delete all merged subgroups (except the one we kept)
1971 1976 # (starting from the last subgroup for performance and
1972 1977 # sanity reasons)
1973 1978 for i in reversed(matching):
1974 1979 del groups[i]
1975 1980 else:
1976 1981 # This is a new head. We create a new subgroup for it.
1977 1982 targetidx = len(groups)
1978 1983 groups.append(([], {rev}))
1979 1984
1980 1985 gr = groups[targetidx]
1981 1986
1982 1987 # We now add the current nodes to this subgroups. This is done
1983 1988 # after the subgroup merging because all elements from a subgroup
1984 1989 # that relied on this rev must precede it.
1985 1990 #
1986 1991 # we also update the <parents> set to include the parents of the
1987 1992 # new nodes.
1988 1993 if rev == currentrev: # only display stuff in rev
1989 1994 gr[0].append(rev)
1990 1995 gr[1].remove(rev)
1991 1996 parents = [p for p in parentsfunc(rev) if p > node.nullrev]
1992 1997 gr[1].update(parents)
1993 1998 for p in parents:
1994 1999 if p not in pendingset:
1995 2000 pendingset.add(p)
1996 2001 heappush(pendingheap, -p)
1997 2002
1998 2003 # Look for a subgroup to display
1999 2004 #
2000 2005 # When unblocked is empty (if clause), we were not waiting for any
2001 2006 # revisions during the first iteration (if no priority was given) or
2002 2007 # if we emitted a whole disconnected set of the graph (reached a
2003 2008 # root). In that case we arbitrarily take the oldest known
2004 2009 # subgroup. The heuristic could probably be better.
2005 2010 #
2006 2011 # Otherwise (elif clause) if the subgroup is blocked on
2007 2012 # a revision we just emitted, we can safely emit it as
2008 2013 # well.
2009 2014 if not unblocked:
2010 2015 if len(groups) > 1: # display other subset
2011 2016 targetidx = 1
2012 2017 gr = groups[1]
2013 2018 elif not gr[1] & unblocked:
2014 2019 gr = None
2015 2020
2016 2021 if gr is not None:
2017 2022 # update the set of awaited revisions with the one from the
2018 2023 # subgroup
2019 2024 unblocked |= gr[1]
2020 2025 # output all revisions in the subgroup
2021 2026 for r in gr[0]:
2022 2027 yield r
2023 2028 # delete the subgroup that you just output
2024 2029 # unless it is groups[0] in which case you just empty it.
2025 2030 if targetidx:
2026 2031 del groups[targetidx]
2027 2032 else:
2028 2033 gr[0][:] = []
2029 2034 # Check if we have some subgroup waiting for revisions we are not going to
2030 2035 # iterate over
2031 2036 for g in groups:
2032 2037 for r in g[0]:
2033 2038 yield r
2034 2039
2035 2040 @predicate('subrepo([pattern])')
2036 2041 def subrepo(repo, subset, x):
2037 2042 """Changesets that add, modify or remove the given subrepo. If no subrepo
2038 2043 pattern is named, any subrepo changes are returned.
2039 2044 """
2040 2045 # i18n: "subrepo" is a keyword
2041 2046 args = getargs(x, 0, 1, _('subrepo takes at most one argument'))
2042 2047 pat = None
2043 2048 if len(args) != 0:
2044 2049 pat = getstring(args[0], _("subrepo requires a pattern"))
2045 2050
2046 2051 m = matchmod.exact(repo.root, repo.root, ['.hgsubstate'])
2047 2052
2048 2053 def submatches(names):
2049 2054 k, p, m = util.stringmatcher(pat)
2050 2055 for name in names:
2051 2056 if m(name):
2052 2057 yield name
2053 2058
2054 2059 def matches(x):
2055 2060 c = repo[x]
2056 2061 s = repo.status(c.p1().node(), c.node(), match=m)
2057 2062
2058 2063 if pat is None:
2059 2064 return s.added or s.modified or s.removed
2060 2065
2061 2066 if s.added:
2062 2067 return any(submatches(c.substate.keys()))
2063 2068
2064 2069 if s.modified:
2065 2070 subs = set(c.p1().substate.keys())
2066 2071 subs.update(c.substate.keys())
2067 2072
2068 2073 for path in submatches(subs):
2069 2074 if c.p1().substate.get(path) != c.substate.get(path):
2070 2075 return True
2071 2076
2072 2077 if s.removed:
2073 2078 return any(submatches(c.p1().substate.keys()))
2074 2079
2075 2080 return False
2076 2081
2077 2082 return subset.filter(matches, condrepr=('<subrepo %r>', pat))
2078 2083
2079 2084 def _substringmatcher(pattern, casesensitive=True):
2080 2085 kind, pattern, matcher = util.stringmatcher(pattern,
2081 2086 casesensitive=casesensitive)
2082 2087 if kind == 'literal':
2083 2088 if not casesensitive:
2084 2089 pattern = encoding.lower(pattern)
2085 2090 matcher = lambda s: pattern in encoding.lower(s)
2086 2091 else:
2087 2092 matcher = lambda s: pattern in s
2088 2093 return kind, pattern, matcher
2089 2094
2090 2095 @predicate('tag([name])', safe=True)
2091 2096 def tag(repo, subset, x):
2092 2097 """The specified tag by name, or all tagged revisions if no name is given.
2093 2098
2094 2099 Pattern matching is supported for `name`. See
2095 2100 :hg:`help revisions.patterns`.
2096 2101 """
2097 2102 # i18n: "tag" is a keyword
2098 2103 args = getargs(x, 0, 1, _("tag takes one or no arguments"))
2099 2104 cl = repo.changelog
2100 2105 if args:
2101 2106 pattern = getstring(args[0],
2102 2107 # i18n: "tag" is a keyword
2103 2108 _('the argument to tag must be a string'))
2104 2109 kind, pattern, matcher = util.stringmatcher(pattern)
2105 2110 if kind == 'literal':
2106 2111 # avoid resolving all tags
2107 2112 tn = repo._tagscache.tags.get(pattern, None)
2108 2113 if tn is None:
2109 2114 raise error.RepoLookupError(_("tag '%s' does not exist")
2110 2115 % pattern)
2111 2116 s = {repo[tn].rev()}
2112 2117 else:
2113 2118 s = {cl.rev(n) for t, n in repo.tagslist() if matcher(t)}
2114 2119 else:
2115 2120 s = {cl.rev(n) for t, n in repo.tagslist() if t != 'tip'}
2116 2121 return subset & s
2117 2122
2118 2123 @predicate('tagged', safe=True)
2119 2124 def tagged(repo, subset, x):
2120 2125 return tag(repo, subset, x)
2121 2126
2122 2127 @predicate('unstable()', safe=True)
2123 2128 def unstable(repo, subset, x):
2124 2129 """Non-obsolete changesets with obsolete ancestors.
2125 2130 """
2126 2131 # i18n: "unstable" is a keyword
2127 2132 getargs(x, 0, 0, _("unstable takes no arguments"))
2128 2133 unstables = obsmod.getrevs(repo, 'unstable')
2129 2134 return subset & unstables
2130 2135
2131 2136
2132 2137 @predicate('user(string)', safe=True)
2133 2138 def user(repo, subset, x):
2134 2139 """User name contains string. The match is case-insensitive.
2135 2140
2136 2141 Pattern matching is supported for `string`. See
2137 2142 :hg:`help revisions.patterns`.
2138 2143 """
2139 2144 return author(repo, subset, x)
2140 2145
2141 2146 @predicate('wdir()', safe=True)
2142 2147 def wdir(repo, subset, x):
2143 2148 """Working directory. (EXPERIMENTAL)"""
2144 2149 # i18n: "wdir" is a keyword
2145 2150 getargs(x, 0, 0, _("wdir takes no arguments"))
2146 2151 if node.wdirrev in subset or isinstance(subset, fullreposet):
2147 2152 return baseset([node.wdirrev])
2148 2153 return baseset()
2149 2154
2150 2155 def _orderedlist(repo, subset, x):
2151 2156 s = getstring(x, "internal error")
2152 2157 if not s:
2153 2158 return baseset()
2154 2159 # remove duplicates here. it's difficult for caller to deduplicate sets
2155 2160 # because different symbols can point to the same rev.
2156 2161 cl = repo.changelog
2157 2162 ls = []
2158 2163 seen = set()
2159 2164 for t in s.split('\0'):
2160 2165 try:
2161 2166 # fast path for integer revision
2162 2167 r = int(t)
2163 2168 if str(r) != t or r not in cl:
2164 2169 raise ValueError
2165 2170 revs = [r]
2166 2171 except ValueError:
2167 2172 revs = stringset(repo, subset, t)
2168 2173
2169 2174 for r in revs:
2170 2175 if r in seen:
2171 2176 continue
2172 2177 if (r in subset
2173 2178 or r == node.nullrev and isinstance(subset, fullreposet)):
2174 2179 ls.append(r)
2175 2180 seen.add(r)
2176 2181 return baseset(ls)
2177 2182
2178 2183 # for internal use
2179 2184 @predicate('_list', safe=True, takeorder=True)
2180 2185 def _list(repo, subset, x, order):
2181 2186 if order == followorder:
2182 2187 # slow path to take the subset order
2183 2188 return subset & _orderedlist(repo, fullreposet(repo), x)
2184 2189 else:
2185 2190 return _orderedlist(repo, subset, x)
2186 2191
2187 2192 def _orderedintlist(repo, subset, x):
2188 2193 s = getstring(x, "internal error")
2189 2194 if not s:
2190 2195 return baseset()
2191 2196 ls = [int(r) for r in s.split('\0')]
2192 2197 s = subset
2193 2198 return baseset([r for r in ls if r in s])
2194 2199
2195 2200 # for internal use
2196 2201 @predicate('_intlist', safe=True, takeorder=True)
2197 2202 def _intlist(repo, subset, x, order):
2198 2203 if order == followorder:
2199 2204 # slow path to take the subset order
2200 2205 return subset & _orderedintlist(repo, fullreposet(repo), x)
2201 2206 else:
2202 2207 return _orderedintlist(repo, subset, x)
2203 2208
2204 2209 def _orderedhexlist(repo, subset, x):
2205 2210 s = getstring(x, "internal error")
2206 2211 if not s:
2207 2212 return baseset()
2208 2213 cl = repo.changelog
2209 2214 ls = [cl.rev(node.bin(r)) for r in s.split('\0')]
2210 2215 s = subset
2211 2216 return baseset([r for r in ls if r in s])
2212 2217
2213 2218 # for internal use
2214 2219 @predicate('_hexlist', safe=True, takeorder=True)
2215 2220 def _hexlist(repo, subset, x, order):
2216 2221 if order == followorder:
2217 2222 # slow path to take the subset order
2218 2223 return subset & _orderedhexlist(repo, fullreposet(repo), x)
2219 2224 else:
2220 2225 return _orderedhexlist(repo, subset, x)
2221 2226
2222 2227 methods = {
2223 2228 "range": rangeset,
2224 2229 "rangeall": rangeall,
2225 2230 "rangepre": rangepre,
2226 2231 "rangepost": rangepost,
2227 2232 "dagrange": dagrange,
2228 2233 "string": stringset,
2229 2234 "symbol": stringset,
2230 2235 "and": andset,
2231 2236 "or": orset,
2232 2237 "not": notset,
2233 2238 "difference": differenceset,
2234 2239 "list": listset,
2235 2240 "keyvalue": keyvaluepair,
2236 2241 "func": func,
2237 2242 "ancestor": ancestorspec,
2238 2243 "parent": parentspec,
2239 2244 "parentpost": parentpost,
2240 2245 }
2241 2246
2242 2247 def posttreebuilthook(tree, repo):
2243 2248 # hook for extensions to execute code on the optimized tree
2244 2249 pass
2245 2250
2246 2251 def match(ui, spec, repo=None, order=defineorder):
2247 2252 """Create a matcher for a single revision spec
2248 2253
2249 2254 If order=followorder, a matcher takes the ordering specified by the input
2250 2255 set.
2251 2256 """
2252 2257 return matchany(ui, [spec], repo=repo, order=order)
2253 2258
2254 2259 def matchany(ui, specs, repo=None, order=defineorder):
2255 2260 """Create a matcher that will include any revisions matching one of the
2256 2261 given specs
2257 2262
2258 2263 If order=followorder, a matcher takes the ordering specified by the input
2259 2264 set.
2260 2265 """
2261 2266 if not specs:
2262 2267 def mfunc(repo, subset=None):
2263 2268 return baseset()
2264 2269 return mfunc
2265 2270 if not all(specs):
2266 2271 raise error.ParseError(_("empty query"))
2267 2272 lookup = None
2268 2273 if repo:
2269 2274 lookup = repo.__contains__
2270 2275 if len(specs) == 1:
2271 2276 tree = revsetlang.parse(specs[0], lookup)
2272 2277 else:
2273 2278 tree = ('or',
2274 2279 ('list',) + tuple(revsetlang.parse(s, lookup) for s in specs))
2275 2280
2276 2281 if ui:
2277 2282 tree = revsetlang.expandaliases(ui, tree)
2278 2283 tree = revsetlang.foldconcat(tree)
2279 2284 tree = revsetlang.analyze(tree, order)
2280 2285 tree = revsetlang.optimize(tree)
2281 2286 posttreebuilthook(tree, repo)
2282 2287 return makematcher(tree)
2283 2288
2284 2289 def makematcher(tree):
2285 2290 """Create a matcher from an evaluatable tree"""
2286 2291 def mfunc(repo, subset=None):
2287 2292 if subset is None:
2288 2293 subset = fullreposet(repo)
2289 2294 return getset(repo, subset, tree)
2290 2295 return mfunc
2291 2296
2292 2297 def loadpredicate(ui, extname, registrarobj):
2293 2298 """Load revset predicates from specified registrarobj
2294 2299 """
2295 2300 for name, func in registrarobj._table.iteritems():
2296 2301 symbols[name] = func
2297 2302 if func._safe:
2298 2303 safesymbols.add(name)
2299 2304
2300 2305 # load built-in predicates explicitly to setup safesymbols
2301 2306 loadpredicate(None, None, predicate)
2302 2307
2303 2308 # tell hggettext to extract docstrings from these functions:
2304 2309 i18nfunctions = symbols.values()
@@ -1,3743 +1,3744
1 1 $ HGENCODING=utf-8
2 2 $ export HGENCODING
3 3 $ cat > testrevset.py << EOF
4 4 > import mercurial.revset
5 5 >
6 6 > baseset = mercurial.revset.baseset
7 7 >
8 8 > def r3232(repo, subset, x):
9 9 > """"simple revset that return [3,2,3,2]
10 10 >
11 11 > revisions duplicated on purpose.
12 12 > """
13 13 > if 3 not in subset:
14 14 > if 2 in subset:
15 15 > return baseset([2,2])
16 16 > return baseset()
17 17 > return baseset([3,3,2,2])
18 18 >
19 19 > mercurial.revset.symbols['r3232'] = r3232
20 20 > EOF
21 21 $ cat >> $HGRCPATH << EOF
22 22 > [extensions]
23 23 > testrevset=$TESTTMP/testrevset.py
24 24 > EOF
25 25
26 26 $ try() {
27 27 > hg debugrevspec --debug "$@"
28 28 > }
29 29
30 30 $ log() {
31 31 > hg log --template '{rev}\n' -r "$1"
32 32 > }
33 33
34 34 extension to build '_intlist()' and '_hexlist()', which is necessary because
35 35 these predicates use '\0' as a separator:
36 36
37 37 $ cat <<EOF > debugrevlistspec.py
38 38 > from __future__ import absolute_import
39 39 > from mercurial import (
40 40 > node as nodemod,
41 41 > registrar,
42 42 > revset,
43 43 > revsetlang,
44 44 > smartset,
45 45 > )
46 46 > cmdtable = {}
47 47 > command = registrar.command(cmdtable)
48 48 > @command('debugrevlistspec',
49 49 > [('', 'optimize', None, 'print parsed tree after optimizing'),
50 50 > ('', 'bin', None, 'unhexlify arguments')])
51 51 > def debugrevlistspec(ui, repo, fmt, *args, **opts):
52 52 > if opts['bin']:
53 53 > args = map(nodemod.bin, args)
54 54 > expr = revsetlang.formatspec(fmt, list(args))
55 55 > if ui.verbose:
56 56 > tree = revsetlang.parse(expr, lookup=repo.__contains__)
57 57 > ui.note(revsetlang.prettyformat(tree), "\n")
58 58 > if opts["optimize"]:
59 59 > opttree = revsetlang.optimize(revsetlang.analyze(tree))
60 60 > ui.note("* optimized:\n", revsetlang.prettyformat(opttree),
61 61 > "\n")
62 62 > func = revset.match(ui, expr, repo)
63 63 > revs = func(repo)
64 64 > if ui.verbose:
65 65 > ui.note("* set:\n", smartset.prettyformat(revs), "\n")
66 66 > for c in revs:
67 67 > ui.write("%s\n" % c)
68 68 > EOF
69 69 $ cat <<EOF >> $HGRCPATH
70 70 > [extensions]
71 71 > debugrevlistspec = $TESTTMP/debugrevlistspec.py
72 72 > EOF
73 73 $ trylist() {
74 74 > hg debugrevlistspec --debug "$@"
75 75 > }
76 76
77 77 $ hg init repo
78 78 $ cd repo
79 79
80 80 $ echo a > a
81 81 $ hg branch a
82 82 marked working directory as branch a
83 83 (branches are permanent and global, did you want a bookmark?)
84 84 $ hg ci -Aqm0
85 85
86 86 $ echo b > b
87 87 $ hg branch b
88 88 marked working directory as branch b
89 89 $ hg ci -Aqm1
90 90
91 91 $ rm a
92 92 $ hg branch a-b-c-
93 93 marked working directory as branch a-b-c-
94 94 $ hg ci -Aqm2 -u Bob
95 95
96 96 $ hg log -r "extra('branch', 'a-b-c-')" --template '{rev}\n'
97 97 2
98 98 $ hg log -r "extra('branch')" --template '{rev}\n'
99 99 0
100 100 1
101 101 2
102 102 $ hg log -r "extra('branch', 're:a')" --template '{rev} {branch}\n'
103 103 0 a
104 104 2 a-b-c-
105 105
106 106 $ hg co 1
107 107 1 files updated, 0 files merged, 0 files removed, 0 files unresolved
108 108 $ hg branch +a+b+c+
109 109 marked working directory as branch +a+b+c+
110 110 $ hg ci -Aqm3
111 111
112 112 $ hg co 2 # interleave
113 113 0 files updated, 0 files merged, 1 files removed, 0 files unresolved
114 114 $ echo bb > b
115 115 $ hg branch -- -a-b-c-
116 116 marked working directory as branch -a-b-c-
117 117 $ hg ci -Aqm4 -d "May 12 2005"
118 118
119 119 $ hg co 3
120 120 2 files updated, 0 files merged, 0 files removed, 0 files unresolved
121 121 $ hg branch !a/b/c/
122 122 marked working directory as branch !a/b/c/
123 123 $ hg ci -Aqm"5 bug"
124 124
125 125 $ hg merge 4
126 126 1 files updated, 0 files merged, 1 files removed, 0 files unresolved
127 127 (branch merge, don't forget to commit)
128 128 $ hg branch _a_b_c_
129 129 marked working directory as branch _a_b_c_
130 130 $ hg ci -Aqm"6 issue619"
131 131
132 132 $ hg branch .a.b.c.
133 133 marked working directory as branch .a.b.c.
134 134 $ hg ci -Aqm7
135 135
136 136 $ hg branch all
137 137 marked working directory as branch all
138 138
139 139 $ hg co 4
140 140 0 files updated, 0 files merged, 0 files removed, 0 files unresolved
141 141 $ hg branch Γ©
142 142 marked working directory as branch \xc3\xa9 (esc)
143 143 $ hg ci -Aqm9
144 144
145 145 $ hg tag -r6 1.0
146 146 $ hg bookmark -r6 xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx
147 147
148 148 $ hg clone --quiet -U -r 7 . ../remote1
149 149 $ hg clone --quiet -U -r 8 . ../remote2
150 150 $ echo "[paths]" >> .hg/hgrc
151 151 $ echo "default = ../remote1" >> .hg/hgrc
152 152
153 153 trivial
154 154
155 155 $ try 0:1
156 156 (range
157 157 ('symbol', '0')
158 158 ('symbol', '1'))
159 159 * set:
160 160 <spanset+ 0:1>
161 161 0
162 162 1
163 163 $ try --optimize :
164 164 (rangeall
165 165 None)
166 166 * optimized:
167 167 (rangeall
168 168 None
169 169 define)
170 170 * set:
171 171 <spanset+ 0:9>
172 172 0
173 173 1
174 174 2
175 175 3
176 176 4
177 177 5
178 178 6
179 179 7
180 180 8
181 181 9
182 182 $ try 3::6
183 183 (dagrange
184 184 ('symbol', '3')
185 185 ('symbol', '6'))
186 186 * set:
187 187 <baseset+ [3, 5, 6]>
188 188 3
189 189 5
190 190 6
191 191 $ try '0|1|2'
192 192 (or
193 193 (list
194 194 ('symbol', '0')
195 195 ('symbol', '1')
196 196 ('symbol', '2')))
197 197 * set:
198 198 <baseset [0, 1, 2]>
199 199 0
200 200 1
201 201 2
202 202
203 203 names that should work without quoting
204 204
205 205 $ try a
206 206 ('symbol', 'a')
207 207 * set:
208 208 <baseset [0]>
209 209 0
210 210 $ try b-a
211 211 (minus
212 212 ('symbol', 'b')
213 213 ('symbol', 'a'))
214 214 * set:
215 215 <filteredset
216 216 <baseset [1]>,
217 217 <not
218 218 <baseset [0]>>>
219 219 1
220 220 $ try _a_b_c_
221 221 ('symbol', '_a_b_c_')
222 222 * set:
223 223 <baseset [6]>
224 224 6
225 225 $ try _a_b_c_-a
226 226 (minus
227 227 ('symbol', '_a_b_c_')
228 228 ('symbol', 'a'))
229 229 * set:
230 230 <filteredset
231 231 <baseset [6]>,
232 232 <not
233 233 <baseset [0]>>>
234 234 6
235 235 $ try .a.b.c.
236 236 ('symbol', '.a.b.c.')
237 237 * set:
238 238 <baseset [7]>
239 239 7
240 240 $ try .a.b.c.-a
241 241 (minus
242 242 ('symbol', '.a.b.c.')
243 243 ('symbol', 'a'))
244 244 * set:
245 245 <filteredset
246 246 <baseset [7]>,
247 247 <not
248 248 <baseset [0]>>>
249 249 7
250 250
251 251 names that should be caught by fallback mechanism
252 252
253 253 $ try -- '-a-b-c-'
254 254 ('symbol', '-a-b-c-')
255 255 * set:
256 256 <baseset [4]>
257 257 4
258 258 $ log -a-b-c-
259 259 4
260 260 $ try '+a+b+c+'
261 261 ('symbol', '+a+b+c+')
262 262 * set:
263 263 <baseset [3]>
264 264 3
265 265 $ try '+a+b+c+:'
266 266 (rangepost
267 267 ('symbol', '+a+b+c+'))
268 268 * set:
269 269 <spanset+ 3:9>
270 270 3
271 271 4
272 272 5
273 273 6
274 274 7
275 275 8
276 276 9
277 277 $ try ':+a+b+c+'
278 278 (rangepre
279 279 ('symbol', '+a+b+c+'))
280 280 * set:
281 281 <spanset+ 0:3>
282 282 0
283 283 1
284 284 2
285 285 3
286 286 $ try -- '-a-b-c-:+a+b+c+'
287 287 (range
288 288 ('symbol', '-a-b-c-')
289 289 ('symbol', '+a+b+c+'))
290 290 * set:
291 291 <spanset- 3:4>
292 292 4
293 293 3
294 294 $ log '-a-b-c-:+a+b+c+'
295 295 4
296 296 3
297 297
298 298 $ try -- -a-b-c--a # complains
299 299 (minus
300 300 (minus
301 301 (minus
302 302 (negate
303 303 ('symbol', 'a'))
304 304 ('symbol', 'b'))
305 305 ('symbol', 'c'))
306 306 (negate
307 307 ('symbol', 'a')))
308 308 abort: unknown revision '-a'!
309 309 [255]
310 310 $ try Γ©
311 311 ('symbol', '\xc3\xa9')
312 312 * set:
313 313 <baseset [9]>
314 314 9
315 315
316 316 no quoting needed
317 317
318 318 $ log ::a-b-c-
319 319 0
320 320 1
321 321 2
322 322
323 323 quoting needed
324 324
325 325 $ try '"-a-b-c-"-a'
326 326 (minus
327 327 ('string', '-a-b-c-')
328 328 ('symbol', 'a'))
329 329 * set:
330 330 <filteredset
331 331 <baseset [4]>,
332 332 <not
333 333 <baseset [0]>>>
334 334 4
335 335
336 336 $ log '1 or 2'
337 337 1
338 338 2
339 339 $ log '1|2'
340 340 1
341 341 2
342 342 $ log '1 and 2'
343 343 $ log '1&2'
344 344 $ try '1&2|3' # precedence - and is higher
345 345 (or
346 346 (list
347 347 (and
348 348 ('symbol', '1')
349 349 ('symbol', '2'))
350 350 ('symbol', '3')))
351 351 * set:
352 352 <addset
353 353 <baseset []>,
354 354 <baseset [3]>>
355 355 3
356 356 $ try '1|2&3'
357 357 (or
358 358 (list
359 359 ('symbol', '1')
360 360 (and
361 361 ('symbol', '2')
362 362 ('symbol', '3'))))
363 363 * set:
364 364 <addset
365 365 <baseset [1]>,
366 366 <baseset []>>
367 367 1
368 368 $ try '1&2&3' # associativity
369 369 (and
370 370 (and
371 371 ('symbol', '1')
372 372 ('symbol', '2'))
373 373 ('symbol', '3'))
374 374 * set:
375 375 <baseset []>
376 376 $ try '1|(2|3)'
377 377 (or
378 378 (list
379 379 ('symbol', '1')
380 380 (group
381 381 (or
382 382 (list
383 383 ('symbol', '2')
384 384 ('symbol', '3'))))))
385 385 * set:
386 386 <addset
387 387 <baseset [1]>,
388 388 <baseset [2, 3]>>
389 389 1
390 390 2
391 391 3
392 392 $ log '1.0' # tag
393 393 6
394 394 $ log 'a' # branch
395 395 0
396 396 $ log '2785f51ee'
397 397 0
398 398 $ log 'date(2005)'
399 399 4
400 400 $ log 'date(this is a test)'
401 401 hg: parse error at 10: unexpected token: symbol
402 402 [255]
403 403 $ log 'date()'
404 404 hg: parse error: date requires a string
405 405 [255]
406 406 $ log 'date'
407 407 abort: unknown revision 'date'!
408 408 [255]
409 409 $ log 'date('
410 410 hg: parse error at 5: not a prefix: end
411 411 [255]
412 412 $ log 'date("\xy")'
413 413 hg: parse error: invalid \x escape
414 414 [255]
415 415 $ log 'date(tip)'
416 416 abort: invalid date: 'tip'
417 417 [255]
418 418 $ log '0:date'
419 419 abort: unknown revision 'date'!
420 420 [255]
421 421 $ log '::"date"'
422 422 abort: unknown revision 'date'!
423 423 [255]
424 424 $ hg book date -r 4
425 425 $ log '0:date'
426 426 0
427 427 1
428 428 2
429 429 3
430 430 4
431 431 $ log '::date'
432 432 0
433 433 1
434 434 2
435 435 4
436 436 $ log '::"date"'
437 437 0
438 438 1
439 439 2
440 440 4
441 441 $ log 'date(2005) and 1::'
442 442 4
443 443 $ hg book -d date
444 444
445 445 function name should be a symbol
446 446
447 447 $ log '"date"(2005)'
448 448 hg: parse error: not a symbol
449 449 [255]
450 450
451 451 keyword arguments
452 452
453 453 $ log 'extra(branch, value=a)'
454 454 0
455 455
456 456 $ log 'extra(branch, a, b)'
457 457 hg: parse error: extra takes at most 2 positional arguments
458 458 [255]
459 459 $ log 'extra(a, label=b)'
460 460 hg: parse error: extra got multiple values for keyword argument 'label'
461 461 [255]
462 462 $ log 'extra(label=branch, default)'
463 463 hg: parse error: extra got an invalid argument
464 464 [255]
465 465 $ log 'extra(branch, foo+bar=baz)'
466 466 hg: parse error: extra got an invalid argument
467 467 [255]
468 468 $ log 'extra(unknown=branch)'
469 469 hg: parse error: extra got an unexpected keyword argument 'unknown'
470 470 [255]
471 471
472 472 $ try 'foo=bar|baz'
473 473 (keyvalue
474 474 ('symbol', 'foo')
475 475 (or
476 476 (list
477 477 ('symbol', 'bar')
478 478 ('symbol', 'baz'))))
479 479 hg: parse error: can't use a key-value pair in this context
480 480 [255]
481 481
482 482 right-hand side should be optimized recursively
483 483
484 484 $ try --optimize 'foo=(not public())'
485 485 (keyvalue
486 486 ('symbol', 'foo')
487 487 (group
488 488 (not
489 489 (func
490 490 ('symbol', 'public')
491 491 None))))
492 492 * optimized:
493 493 (keyvalue
494 494 ('symbol', 'foo')
495 495 (func
496 496 ('symbol', '_notpublic')
497 497 None
498 498 any))
499 499 hg: parse error: can't use a key-value pair in this context
500 500 [255]
501 501
502 502 parsed tree at stages:
503 503
504 504 $ hg debugrevspec -p all '()'
505 505 * parsed:
506 506 (group
507 507 None)
508 508 * expanded:
509 509 (group
510 510 None)
511 511 * concatenated:
512 512 (group
513 513 None)
514 514 * analyzed:
515 515 None
516 516 * optimized:
517 517 None
518 518 hg: parse error: missing argument
519 519 [255]
520 520
521 521 $ hg debugrevspec --no-optimized -p all '()'
522 522 * parsed:
523 523 (group
524 524 None)
525 525 * expanded:
526 526 (group
527 527 None)
528 528 * concatenated:
529 529 (group
530 530 None)
531 531 * analyzed:
532 532 None
533 533 hg: parse error: missing argument
534 534 [255]
535 535
536 536 $ hg debugrevspec -p parsed -p analyzed -p optimized '(0|1)-1'
537 537 * parsed:
538 538 (minus
539 539 (group
540 540 (or
541 541 (list
542 542 ('symbol', '0')
543 543 ('symbol', '1'))))
544 544 ('symbol', '1'))
545 545 * analyzed:
546 546 (and
547 547 (or
548 548 (list
549 549 ('symbol', '0')
550 550 ('symbol', '1'))
551 551 define)
552 552 (not
553 553 ('symbol', '1')
554 554 follow)
555 555 define)
556 556 * optimized:
557 557 (difference
558 558 (func
559 559 ('symbol', '_list')
560 560 ('string', '0\x001')
561 561 define)
562 562 ('symbol', '1')
563 563 define)
564 564 0
565 565
566 566 $ hg debugrevspec -p unknown '0'
567 567 abort: invalid stage name: unknown
568 568 [255]
569 569
570 570 $ hg debugrevspec -p all --optimize '0'
571 571 abort: cannot use --optimize with --show-stage
572 572 [255]
573 573
574 574 verify optimized tree:
575 575
576 576 $ hg debugrevspec --verify '0|1'
577 577
578 578 $ hg debugrevspec --verify -v -p analyzed -p optimized 'r3232() & 2'
579 579 * analyzed:
580 580 (and
581 581 (func
582 582 ('symbol', 'r3232')
583 583 None
584 584 define)
585 585 ('symbol', '2')
586 586 define)
587 587 * optimized:
588 588 (and
589 589 ('symbol', '2')
590 590 (func
591 591 ('symbol', 'r3232')
592 592 None
593 593 define)
594 594 define)
595 595 * analyzed set:
596 596 <baseset [2]>
597 597 * optimized set:
598 598 <baseset [2, 2]>
599 599 --- analyzed
600 600 +++ optimized
601 601 2
602 602 +2
603 603 [1]
604 604
605 605 $ hg debugrevspec --no-optimized --verify-optimized '0'
606 606 abort: cannot use --verify-optimized with --no-optimized
607 607 [255]
608 608
609 609 Test that symbols only get parsed as functions if there's an opening
610 610 parenthesis.
611 611
612 612 $ hg book only -r 9
613 613 $ log 'only(only)' # Outer "only" is a function, inner "only" is the bookmark
614 614 8
615 615 9
616 616
617 617 ':y' behaves like '0:y', but can't be rewritten as such since the revision '0'
618 618 may be hidden (issue5385)
619 619
620 620 $ try -p parsed -p analyzed ':'
621 621 * parsed:
622 622 (rangeall
623 623 None)
624 624 * analyzed:
625 625 (rangeall
626 626 None
627 627 define)
628 628 * set:
629 629 <spanset+ 0:9>
630 630 0
631 631 1
632 632 2
633 633 3
634 634 4
635 635 5
636 636 6
637 637 7
638 638 8
639 639 9
640 640 $ try -p analyzed ':1'
641 641 * analyzed:
642 642 (rangepre
643 643 ('symbol', '1')
644 644 define)
645 645 * set:
646 646 <spanset+ 0:1>
647 647 0
648 648 1
649 649 $ try -p analyzed ':(1|2)'
650 650 * analyzed:
651 651 (rangepre
652 652 (or
653 653 (list
654 654 ('symbol', '1')
655 655 ('symbol', '2'))
656 656 define)
657 657 define)
658 658 * set:
659 659 <spanset+ 0:2>
660 660 0
661 661 1
662 662 2
663 663 $ try -p analyzed ':(1&2)'
664 664 * analyzed:
665 665 (rangepre
666 666 (and
667 667 ('symbol', '1')
668 668 ('symbol', '2')
669 669 define)
670 670 define)
671 671 * set:
672 672 <baseset []>
673 673
674 674 infix/suffix resolution of ^ operator (issue2884):
675 675
676 676 x^:y means (x^):y
677 677
678 678 $ try '1^:2'
679 679 (range
680 680 (parentpost
681 681 ('symbol', '1'))
682 682 ('symbol', '2'))
683 683 * set:
684 684 <spanset+ 0:2>
685 685 0
686 686 1
687 687 2
688 688
689 689 $ try '1^::2'
690 690 (dagrange
691 691 (parentpost
692 692 ('symbol', '1'))
693 693 ('symbol', '2'))
694 694 * set:
695 695 <baseset+ [0, 1, 2]>
696 696 0
697 697 1
698 698 2
699 699
700 700 $ try '9^:'
701 701 (rangepost
702 702 (parentpost
703 703 ('symbol', '9')))
704 704 * set:
705 705 <spanset+ 8:9>
706 706 8
707 707 9
708 708
709 709 x^:y should be resolved before omitting group operators
710 710
711 711 $ try '1^(:2)'
712 712 (parent
713 713 ('symbol', '1')
714 714 (group
715 715 (rangepre
716 716 ('symbol', '2'))))
717 717 hg: parse error: ^ expects a number 0, 1, or 2
718 718 [255]
719 719
720 720 x^:y should be resolved recursively
721 721
722 722 $ try 'sort(1^:2)'
723 723 (func
724 724 ('symbol', 'sort')
725 725 (range
726 726 (parentpost
727 727 ('symbol', '1'))
728 728 ('symbol', '2')))
729 729 * set:
730 730 <spanset+ 0:2>
731 731 0
732 732 1
733 733 2
734 734
735 735 $ try '(3^:4)^:2'
736 736 (range
737 737 (parentpost
738 738 (group
739 739 (range
740 740 (parentpost
741 741 ('symbol', '3'))
742 742 ('symbol', '4'))))
743 743 ('symbol', '2'))
744 744 * set:
745 745 <spanset+ 0:2>
746 746 0
747 747 1
748 748 2
749 749
750 750 $ try '(3^::4)^::2'
751 751 (dagrange
752 752 (parentpost
753 753 (group
754 754 (dagrange
755 755 (parentpost
756 756 ('symbol', '3'))
757 757 ('symbol', '4'))))
758 758 ('symbol', '2'))
759 759 * set:
760 760 <baseset+ [0, 1, 2]>
761 761 0
762 762 1
763 763 2
764 764
765 765 $ try '(9^:)^:'
766 766 (rangepost
767 767 (parentpost
768 768 (group
769 769 (rangepost
770 770 (parentpost
771 771 ('symbol', '9'))))))
772 772 * set:
773 773 <spanset+ 4:9>
774 774 4
775 775 5
776 776 6
777 777 7
778 778 8
779 779 9
780 780
781 781 x^ in alias should also be resolved
782 782
783 783 $ try 'A' --config 'revsetalias.A=1^:2'
784 784 ('symbol', 'A')
785 785 * expanded:
786 786 (range
787 787 (parentpost
788 788 ('symbol', '1'))
789 789 ('symbol', '2'))
790 790 * set:
791 791 <spanset+ 0:2>
792 792 0
793 793 1
794 794 2
795 795
796 796 $ try 'A:2' --config 'revsetalias.A=1^'
797 797 (range
798 798 ('symbol', 'A')
799 799 ('symbol', '2'))
800 800 * expanded:
801 801 (range
802 802 (parentpost
803 803 ('symbol', '1'))
804 804 ('symbol', '2'))
805 805 * set:
806 806 <spanset+ 0:2>
807 807 0
808 808 1
809 809 2
810 810
811 811 but not beyond the boundary of alias expansion, because the resolution should
812 812 be made at the parsing stage
813 813
814 814 $ try '1^A' --config 'revsetalias.A=:2'
815 815 (parent
816 816 ('symbol', '1')
817 817 ('symbol', 'A'))
818 818 * expanded:
819 819 (parent
820 820 ('symbol', '1')
821 821 (rangepre
822 822 ('symbol', '2')))
823 823 hg: parse error: ^ expects a number 0, 1, or 2
824 824 [255]
825 825
826 826 ancestor can accept 0 or more arguments
827 827
828 828 $ log 'ancestor()'
829 829 $ log 'ancestor(1)'
830 830 1
831 831 $ log 'ancestor(4,5)'
832 832 1
833 833 $ log 'ancestor(4,5) and 4'
834 834 $ log 'ancestor(0,0,1,3)'
835 835 0
836 836 $ log 'ancestor(3,1,5,3,5,1)'
837 837 1
838 838 $ log 'ancestor(0,1,3,5)'
839 839 0
840 840 $ log 'ancestor(1,2,3,4,5)'
841 841 1
842 842
843 843 test ancestors
844 844
845 845 $ log 'ancestors(5)'
846 846 0
847 847 1
848 848 3
849 849 5
850 850 $ log 'ancestor(ancestors(5))'
851 851 0
852 852 $ log '::r3232()'
853 853 0
854 854 1
855 855 2
856 856 3
857 857
858 858 $ log 'author(bob)'
859 859 2
860 860 $ log 'author("re:bob|test")'
861 861 0
862 862 1
863 863 2
864 864 3
865 865 4
866 866 5
867 867 6
868 868 7
869 869 8
870 870 9
871 871 $ log 'author(r"re:\S")'
872 872 0
873 873 1
874 874 2
875 875 3
876 876 4
877 877 5
878 878 6
879 879 7
880 880 8
881 881 9
882 882 $ log 'branch(Γ©)'
883 883 8
884 884 9
885 885 $ log 'branch(a)'
886 886 0
887 887 $ hg log -r 'branch("re:a")' --template '{rev} {branch}\n'
888 888 0 a
889 889 2 a-b-c-
890 890 3 +a+b+c+
891 891 4 -a-b-c-
892 892 5 !a/b/c/
893 893 6 _a_b_c_
894 894 7 .a.b.c.
895 895 $ log 'children(ancestor(4,5))'
896 896 2
897 897 3
898 898
899 899 $ log 'children(4)'
900 900 6
901 901 8
902 902 $ log 'children(null)'
903 903 0
904 904
905 905 $ log 'closed()'
906 906 $ log 'contains(a)'
907 907 0
908 908 1
909 909 3
910 910 5
911 911 $ log 'contains("../repo/a")'
912 912 0
913 913 1
914 914 3
915 915 5
916 916 $ log 'desc(B)'
917 917 5
918 918 $ hg log -r 'desc(r"re:S?u")' --template "{rev} {desc|firstline}\n"
919 919 5 5 bug
920 920 6 6 issue619
921 921 $ log 'descendants(2 or 3)'
922 922 2
923 923 3
924 924 4
925 925 5
926 926 6
927 927 7
928 928 8
929 929 9
930 930 $ log 'file("b*")'
931 931 1
932 932 4
933 933 $ log 'filelog("b")'
934 934 1
935 935 4
936 936 $ log 'filelog("../repo/b")'
937 937 1
938 938 4
939 939 $ log 'follow()'
940 940 0
941 941 1
942 942 2
943 943 4
944 944 8
945 945 9
946 946 $ log 'grep("issue\d+")'
947 947 6
948 948 $ try 'grep("(")' # invalid regular expression
949 949 (func
950 950 ('symbol', 'grep')
951 951 ('string', '('))
952 952 hg: parse error: invalid match pattern: unbalanced parenthesis
953 953 [255]
954 954 $ try 'grep("\bissue\d+")'
955 955 (func
956 956 ('symbol', 'grep')
957 957 ('string', '\x08issue\\d+'))
958 958 * set:
959 959 <filteredset
960 960 <fullreposet+ 0:9>,
961 961 <grep '\x08issue\\d+'>>
962 962 $ try 'grep(r"\bissue\d+")'
963 963 (func
964 964 ('symbol', 'grep')
965 965 ('string', '\\bissue\\d+'))
966 966 * set:
967 967 <filteredset
968 968 <fullreposet+ 0:9>,
969 969 <grep '\\bissue\\d+'>>
970 970 6
971 971 $ try 'grep(r"\")'
972 972 hg: parse error at 7: unterminated string
973 973 [255]
974 974 $ log 'head()'
975 975 0
976 976 1
977 977 2
978 978 3
979 979 4
980 980 5
981 981 6
982 982 7
983 983 9
984 984 $ log 'heads(6::)'
985 985 7
986 986 $ log 'keyword(issue)'
987 987 6
988 988 $ log 'keyword("test a")'
989 989 $ log 'limit(head(), 1)'
990 990 0
991 991 $ log 'limit(author("re:bob|test"), 3, 5)'
992 992 5
993 993 6
994 994 7
995 995 $ log 'limit(author("re:bob|test"), offset=6)'
996 996 6
997 997 $ log 'limit(author("re:bob|test"), offset=10)'
998 998 $ log 'limit(all(), 1, -1)'
999 999 hg: parse error: negative offset
1000 1000 [255]
1001 1001 $ log 'matching(6)'
1002 1002 6
1003 1003 $ log 'matching(6:7, "phase parents user date branch summary files description substate")'
1004 1004 6
1005 1005 7
1006 1006
1007 1007 Testing min and max
1008 1008
1009 1009 max: simple
1010 1010
1011 1011 $ log 'max(contains(a))'
1012 1012 5
1013 1013
1014 1014 max: simple on unordered set)
1015 1015
1016 1016 $ log 'max((4+0+2+5+7) and contains(a))'
1017 1017 5
1018 1018
1019 1019 max: no result
1020 1020
1021 1021 $ log 'max(contains(stringthatdoesnotappearanywhere))'
1022 1022
1023 1023 max: no result on unordered set
1024 1024
1025 1025 $ log 'max((4+0+2+5+7) and contains(stringthatdoesnotappearanywhere))'
1026 1026
1027 1027 min: simple
1028 1028
1029 1029 $ log 'min(contains(a))'
1030 1030 0
1031 1031
1032 1032 min: simple on unordered set
1033 1033
1034 1034 $ log 'min((4+0+2+5+7) and contains(a))'
1035 1035 0
1036 1036
1037 1037 min: empty
1038 1038
1039 1039 $ log 'min(contains(stringthatdoesnotappearanywhere))'
1040 1040
1041 1041 min: empty on unordered set
1042 1042
1043 1043 $ log 'min((4+0+2+5+7) and contains(stringthatdoesnotappearanywhere))'
1044 1044
1045 1045
1046 1046 $ log 'merge()'
1047 1047 6
1048 1048 $ log 'branchpoint()'
1049 1049 1
1050 1050 4
1051 1051 $ log 'modifies(b)'
1052 1052 4
1053 1053 $ log 'modifies("path:b")'
1054 1054 4
1055 1055 $ log 'modifies("*")'
1056 1056 4
1057 1057 6
1058 1058 $ log 'modifies("set:modified()")'
1059 1059 4
1060 1060 $ log 'id(5)'
1061 1061 2
1062 1062 $ log 'only(9)'
1063 1063 8
1064 1064 9
1065 1065 $ log 'only(8)'
1066 1066 8
1067 1067 $ log 'only(9, 5)'
1068 1068 2
1069 1069 4
1070 1070 8
1071 1071 9
1072 1072 $ log 'only(7 + 9, 5 + 2)'
1073 1073 4
1074 1074 6
1075 1075 7
1076 1076 8
1077 1077 9
1078 1078
1079 1079 Test empty set input
1080 1080 $ log 'only(p2())'
1081 1081 $ log 'only(p1(), p2())'
1082 1082 0
1083 1083 1
1084 1084 2
1085 1085 4
1086 1086 8
1087 1087 9
1088 1088
1089 1089 Test '%' operator
1090 1090
1091 1091 $ log '9%'
1092 1092 8
1093 1093 9
1094 1094 $ log '9%5'
1095 1095 2
1096 1096 4
1097 1097 8
1098 1098 9
1099 1099 $ log '(7 + 9)%(5 + 2)'
1100 1100 4
1101 1101 6
1102 1102 7
1103 1103 8
1104 1104 9
1105 1105
1106 1106 Test operand of '%' is optimized recursively (issue4670)
1107 1107
1108 1108 $ try --optimize '8:9-8%'
1109 1109 (onlypost
1110 1110 (minus
1111 1111 (range
1112 1112 ('symbol', '8')
1113 1113 ('symbol', '9'))
1114 1114 ('symbol', '8')))
1115 1115 * optimized:
1116 1116 (func
1117 1117 ('symbol', 'only')
1118 1118 (difference
1119 1119 (range
1120 1120 ('symbol', '8')
1121 1121 ('symbol', '9')
1122 1122 define)
1123 1123 ('symbol', '8')
1124 1124 define)
1125 1125 define)
1126 1126 * set:
1127 1127 <baseset+ [8, 9]>
1128 1128 8
1129 1129 9
1130 1130 $ try --optimize '(9)%(5)'
1131 1131 (only
1132 1132 (group
1133 1133 ('symbol', '9'))
1134 1134 (group
1135 1135 ('symbol', '5')))
1136 1136 * optimized:
1137 1137 (func
1138 1138 ('symbol', 'only')
1139 1139 (list
1140 1140 ('symbol', '9')
1141 1141 ('symbol', '5'))
1142 1142 define)
1143 1143 * set:
1144 1144 <baseset+ [2, 4, 8, 9]>
1145 1145 2
1146 1146 4
1147 1147 8
1148 1148 9
1149 1149
1150 1150 Test the order of operations
1151 1151
1152 1152 $ log '7 + 9%5 + 2'
1153 1153 7
1154 1154 2
1155 1155 4
1156 1156 8
1157 1157 9
1158 1158
1159 1159 Test explicit numeric revision
1160 1160 $ log 'rev(-2)'
1161 1161 $ log 'rev(-1)'
1162 1162 -1
1163 1163 $ log 'rev(0)'
1164 1164 0
1165 1165 $ log 'rev(9)'
1166 1166 9
1167 1167 $ log 'rev(10)'
1168 1168 $ log 'rev(tip)'
1169 1169 hg: parse error: rev expects a number
1170 1170 [255]
1171 1171
1172 1172 Test hexadecimal revision
1173 1173 $ log 'id(2)'
1174 1174 abort: 00changelog.i@2: ambiguous identifier!
1175 1175 [255]
1176 1176 $ log 'id(23268)'
1177 1177 4
1178 1178 $ log 'id(2785f51eece)'
1179 1179 0
1180 1180 $ log 'id(d5d0dcbdc4d9ff5dbb2d336f32f0bb561c1a532c)'
1181 1181 8
1182 1182 $ log 'id(d5d0dcbdc4a)'
1183 1183 $ log 'id(d5d0dcbdc4w)'
1184 1184 $ log 'id(d5d0dcbdc4d9ff5dbb2d336f32f0bb561c1a532d)'
1185 1185 $ log 'id(d5d0dcbdc4d9ff5dbb2d336f32f0bb561c1a532q)'
1186 1186 $ log 'id(1.0)'
1187 1187 $ log 'id(xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx)'
1188 1188
1189 1189 Test null revision
1190 1190 $ log '(null)'
1191 1191 -1
1192 1192 $ log '(null:0)'
1193 1193 -1
1194 1194 0
1195 1195 $ log '(0:null)'
1196 1196 0
1197 1197 -1
1198 1198 $ log 'null::0'
1199 1199 -1
1200 1200 0
1201 1201 $ log 'null:tip - 0:'
1202 1202 -1
1203 1203 $ log 'null: and null::' | head -1
1204 1204 -1
1205 1205 $ log 'null: or 0:' | head -2
1206 1206 -1
1207 1207 0
1208 1208 $ log 'ancestors(null)'
1209 1209 -1
1210 1210 $ log 'reverse(null:)' | tail -2
1211 1211 0
1212 1212 -1
1213 1213 BROKEN: should be '-1'
1214 1214 $ log 'first(null:)'
1215 1215 BROKEN: should be '-1'
1216 1216 $ log 'min(null:)'
1217 1217 $ log 'tip:null and all()' | tail -2
1218 1218 1
1219 1219 0
1220 1220
1221 1221 Test working-directory revision
1222 1222 $ hg debugrevspec 'wdir()'
1223 1223 2147483647
1224 1224 $ hg debugrevspec 'wdir()^'
1225 1225 9
1226 1226 $ hg up 7
1227 1227 0 files updated, 0 files merged, 1 files removed, 0 files unresolved
1228 1228 $ hg debugrevspec 'wdir()^'
1229 1229 7
1230 1230 $ hg debugrevspec 'wdir()^0'
1231 1231 2147483647
1232 1232 $ hg debugrevspec 'wdir()~0'
1233 1233 2147483647
1234 1234 $ hg debugrevspec 'p1(wdir())'
1235 1235 7
1236 $ hg debugrevspec 'p2(wdir())'
1236 1237 $ hg debugrevspec 'parents(wdir())'
1237 1238 7
1238 1239 $ hg debugrevspec 'wdir()^1'
1239 1240 7
1240 1241 $ hg debugrevspec 'wdir()^2'
1241 1242 $ hg debugrevspec 'wdir()^3'
1242 1243 hg: parse error: ^ expects a number 0, 1, or 2
1243 1244 [255]
1244 1245 For tests consistency
1245 1246 $ hg up 9
1246 1247 1 files updated, 0 files merged, 0 files removed, 0 files unresolved
1247 1248 $ hg debugrevspec 'tip or wdir()'
1248 1249 9
1249 1250 2147483647
1250 1251 $ hg debugrevspec '0:tip and wdir()'
1251 1252 $ log '0:wdir()' | tail -3
1252 1253 8
1253 1254 9
1254 1255 2147483647
1255 1256 $ log 'wdir():0' | head -3
1256 1257 2147483647
1257 1258 9
1258 1259 8
1259 1260 $ log 'wdir():wdir()'
1260 1261 2147483647
1261 1262 $ log '(all() + wdir()) & min(. + wdir())'
1262 1263 9
1263 1264 $ log '(all() + wdir()) & max(. + wdir())'
1264 1265 2147483647
1265 1266 $ log '(all() + wdir()) & first(wdir() + .)'
1266 1267 2147483647
1267 1268 $ log '(all() + wdir()) & last(. + wdir())'
1268 1269 2147483647
1269 1270
1270 1271 $ log 'outgoing()'
1271 1272 8
1272 1273 9
1273 1274 $ log 'outgoing("../remote1")'
1274 1275 8
1275 1276 9
1276 1277 $ log 'outgoing("../remote2")'
1277 1278 3
1278 1279 5
1279 1280 6
1280 1281 7
1281 1282 9
1282 1283 $ log 'p1(merge())'
1283 1284 5
1284 1285 $ log 'p2(merge())'
1285 1286 4
1286 1287 $ log 'parents(merge())'
1287 1288 4
1288 1289 5
1289 1290 $ log 'p1(branchpoint())'
1290 1291 0
1291 1292 2
1292 1293 $ log 'p2(branchpoint())'
1293 1294 $ log 'parents(branchpoint())'
1294 1295 0
1295 1296 2
1296 1297 $ log 'removes(a)'
1297 1298 2
1298 1299 6
1299 1300 $ log 'roots(all())'
1300 1301 0
1301 1302 $ log 'reverse(2 or 3 or 4 or 5)'
1302 1303 5
1303 1304 4
1304 1305 3
1305 1306 2
1306 1307 $ log 'reverse(all())'
1307 1308 9
1308 1309 8
1309 1310 7
1310 1311 6
1311 1312 5
1312 1313 4
1313 1314 3
1314 1315 2
1315 1316 1
1316 1317 0
1317 1318 $ log 'reverse(all()) & filelog(b)'
1318 1319 4
1319 1320 1
1320 1321 $ log 'rev(5)'
1321 1322 5
1322 1323 $ log 'sort(limit(reverse(all()), 3))'
1323 1324 7
1324 1325 8
1325 1326 9
1326 1327 $ log 'sort(2 or 3 or 4 or 5, date)'
1327 1328 2
1328 1329 3
1329 1330 5
1330 1331 4
1331 1332 $ log 'tagged()'
1332 1333 6
1333 1334 $ log 'tag()'
1334 1335 6
1335 1336 $ log 'tag(1.0)'
1336 1337 6
1337 1338 $ log 'tag(tip)'
1338 1339 9
1339 1340
1340 1341 Test order of revisions in compound expression
1341 1342 ----------------------------------------------
1342 1343
1343 1344 The general rule is that only the outermost (= leftmost) predicate can
1344 1345 enforce its ordering requirement. The other predicates should take the
1345 1346 ordering defined by it.
1346 1347
1347 1348 'A & B' should follow the order of 'A':
1348 1349
1349 1350 $ log '2:0 & 0::2'
1350 1351 2
1351 1352 1
1352 1353 0
1353 1354
1354 1355 'head()' combines sets in right order:
1355 1356
1356 1357 $ log '2:0 & head()'
1357 1358 2
1358 1359 1
1359 1360 0
1360 1361
1361 1362 'x:y' takes ordering parameter into account:
1362 1363
1363 1364 $ try -p optimized '3:0 & 0:3 & not 2:1'
1364 1365 * optimized:
1365 1366 (difference
1366 1367 (and
1367 1368 (range
1368 1369 ('symbol', '3')
1369 1370 ('symbol', '0')
1370 1371 define)
1371 1372 (range
1372 1373 ('symbol', '0')
1373 1374 ('symbol', '3')
1374 1375 follow)
1375 1376 define)
1376 1377 (range
1377 1378 ('symbol', '2')
1378 1379 ('symbol', '1')
1379 1380 any)
1380 1381 define)
1381 1382 * set:
1382 1383 <filteredset
1383 1384 <filteredset
1384 1385 <spanset- 0:3>,
1385 1386 <spanset+ 0:3>>,
1386 1387 <not
1387 1388 <spanset+ 1:2>>>
1388 1389 3
1389 1390 0
1390 1391
1391 1392 'a + b', which is optimized to '_list(a b)', should take the ordering of
1392 1393 the left expression:
1393 1394
1394 1395 $ try --optimize '2:0 & (0 + 1 + 2)'
1395 1396 (and
1396 1397 (range
1397 1398 ('symbol', '2')
1398 1399 ('symbol', '0'))
1399 1400 (group
1400 1401 (or
1401 1402 (list
1402 1403 ('symbol', '0')
1403 1404 ('symbol', '1')
1404 1405 ('symbol', '2')))))
1405 1406 * optimized:
1406 1407 (and
1407 1408 (range
1408 1409 ('symbol', '2')
1409 1410 ('symbol', '0')
1410 1411 define)
1411 1412 (func
1412 1413 ('symbol', '_list')
1413 1414 ('string', '0\x001\x002')
1414 1415 follow)
1415 1416 define)
1416 1417 * set:
1417 1418 <filteredset
1418 1419 <spanset- 0:2>,
1419 1420 <baseset [0, 1, 2]>>
1420 1421 2
1421 1422 1
1422 1423 0
1423 1424
1424 1425 'A + B' should take the ordering of the left expression:
1425 1426
1426 1427 $ try --optimize '2:0 & (0:1 + 2)'
1427 1428 (and
1428 1429 (range
1429 1430 ('symbol', '2')
1430 1431 ('symbol', '0'))
1431 1432 (group
1432 1433 (or
1433 1434 (list
1434 1435 (range
1435 1436 ('symbol', '0')
1436 1437 ('symbol', '1'))
1437 1438 ('symbol', '2')))))
1438 1439 * optimized:
1439 1440 (and
1440 1441 (range
1441 1442 ('symbol', '2')
1442 1443 ('symbol', '0')
1443 1444 define)
1444 1445 (or
1445 1446 (list
1446 1447 ('symbol', '2')
1447 1448 (range
1448 1449 ('symbol', '0')
1449 1450 ('symbol', '1')
1450 1451 follow))
1451 1452 follow)
1452 1453 define)
1453 1454 * set:
1454 1455 <filteredset
1455 1456 <spanset- 0:2>,
1456 1457 <addset
1457 1458 <baseset [2]>,
1458 1459 <spanset+ 0:1>>>
1459 1460 2
1460 1461 1
1461 1462 0
1462 1463
1463 1464 '_intlist(a b)' should behave like 'a + b':
1464 1465
1465 1466 $ trylist --optimize '2:0 & %ld' 0 1 2
1466 1467 (and
1467 1468 (range
1468 1469 ('symbol', '2')
1469 1470 ('symbol', '0'))
1470 1471 (func
1471 1472 ('symbol', '_intlist')
1472 1473 ('string', '0\x001\x002')))
1473 1474 * optimized:
1474 1475 (and
1475 1476 (func
1476 1477 ('symbol', '_intlist')
1477 1478 ('string', '0\x001\x002')
1478 1479 follow)
1479 1480 (range
1480 1481 ('symbol', '2')
1481 1482 ('symbol', '0')
1482 1483 define)
1483 1484 define)
1484 1485 * set:
1485 1486 <filteredset
1486 1487 <spanset- 0:2>,
1487 1488 <baseset+ [0, 1, 2]>>
1488 1489 2
1489 1490 1
1490 1491 0
1491 1492
1492 1493 $ trylist --optimize '%ld & 2:0' 0 2 1
1493 1494 (and
1494 1495 (func
1495 1496 ('symbol', '_intlist')
1496 1497 ('string', '0\x002\x001'))
1497 1498 (range
1498 1499 ('symbol', '2')
1499 1500 ('symbol', '0')))
1500 1501 * optimized:
1501 1502 (and
1502 1503 (func
1503 1504 ('symbol', '_intlist')
1504 1505 ('string', '0\x002\x001')
1505 1506 define)
1506 1507 (range
1507 1508 ('symbol', '2')
1508 1509 ('symbol', '0')
1509 1510 follow)
1510 1511 define)
1511 1512 * set:
1512 1513 <filteredset
1513 1514 <baseset [0, 2, 1]>,
1514 1515 <spanset- 0:2>>
1515 1516 0
1516 1517 2
1517 1518 1
1518 1519
1519 1520 '_hexlist(a b)' should behave like 'a + b':
1520 1521
1521 1522 $ trylist --optimize --bin '2:0 & %ln' `hg log -T '{node} ' -r0:2`
1522 1523 (and
1523 1524 (range
1524 1525 ('symbol', '2')
1525 1526 ('symbol', '0'))
1526 1527 (func
1527 1528 ('symbol', '_hexlist')
1528 1529 ('string', '*'))) (glob)
1529 1530 * optimized:
1530 1531 (and
1531 1532 (range
1532 1533 ('symbol', '2')
1533 1534 ('symbol', '0')
1534 1535 define)
1535 1536 (func
1536 1537 ('symbol', '_hexlist')
1537 1538 ('string', '*') (glob)
1538 1539 follow)
1539 1540 define)
1540 1541 * set:
1541 1542 <filteredset
1542 1543 <spanset- 0:2>,
1543 1544 <baseset [0, 1, 2]>>
1544 1545 2
1545 1546 1
1546 1547 0
1547 1548
1548 1549 $ trylist --optimize --bin '%ln & 2:0' `hg log -T '{node} ' -r0+2+1`
1549 1550 (and
1550 1551 (func
1551 1552 ('symbol', '_hexlist')
1552 1553 ('string', '*')) (glob)
1553 1554 (range
1554 1555 ('symbol', '2')
1555 1556 ('symbol', '0')))
1556 1557 * optimized:
1557 1558 (and
1558 1559 (range
1559 1560 ('symbol', '2')
1560 1561 ('symbol', '0')
1561 1562 follow)
1562 1563 (func
1563 1564 ('symbol', '_hexlist')
1564 1565 ('string', '*') (glob)
1565 1566 define)
1566 1567 define)
1567 1568 * set:
1568 1569 <baseset [0, 2, 1]>
1569 1570 0
1570 1571 2
1571 1572 1
1572 1573
1573 1574 '_list' should not go through the slow follow-order path if order doesn't
1574 1575 matter:
1575 1576
1576 1577 $ try -p optimized '2:0 & not (0 + 1)'
1577 1578 * optimized:
1578 1579 (difference
1579 1580 (range
1580 1581 ('symbol', '2')
1581 1582 ('symbol', '0')
1582 1583 define)
1583 1584 (func
1584 1585 ('symbol', '_list')
1585 1586 ('string', '0\x001')
1586 1587 any)
1587 1588 define)
1588 1589 * set:
1589 1590 <filteredset
1590 1591 <spanset- 0:2>,
1591 1592 <not
1592 1593 <baseset [0, 1]>>>
1593 1594 2
1594 1595
1595 1596 $ try -p optimized '2:0 & not (0:2 & (0 + 1))'
1596 1597 * optimized:
1597 1598 (difference
1598 1599 (range
1599 1600 ('symbol', '2')
1600 1601 ('symbol', '0')
1601 1602 define)
1602 1603 (and
1603 1604 (range
1604 1605 ('symbol', '0')
1605 1606 ('symbol', '2')
1606 1607 any)
1607 1608 (func
1608 1609 ('symbol', '_list')
1609 1610 ('string', '0\x001')
1610 1611 any)
1611 1612 any)
1612 1613 define)
1613 1614 * set:
1614 1615 <filteredset
1615 1616 <spanset- 0:2>,
1616 1617 <not
1617 1618 <baseset [0, 1]>>>
1618 1619 2
1619 1620
1620 1621 because 'present()' does nothing other than suppressing an error, the
1621 1622 ordering requirement should be forwarded to the nested expression
1622 1623
1623 1624 $ try -p optimized 'present(2 + 0 + 1)'
1624 1625 * optimized:
1625 1626 (func
1626 1627 ('symbol', 'present')
1627 1628 (func
1628 1629 ('symbol', '_list')
1629 1630 ('string', '2\x000\x001')
1630 1631 define)
1631 1632 define)
1632 1633 * set:
1633 1634 <baseset [2, 0, 1]>
1634 1635 2
1635 1636 0
1636 1637 1
1637 1638
1638 1639 $ try --optimize '2:0 & present(0 + 1 + 2)'
1639 1640 (and
1640 1641 (range
1641 1642 ('symbol', '2')
1642 1643 ('symbol', '0'))
1643 1644 (func
1644 1645 ('symbol', 'present')
1645 1646 (or
1646 1647 (list
1647 1648 ('symbol', '0')
1648 1649 ('symbol', '1')
1649 1650 ('symbol', '2')))))
1650 1651 * optimized:
1651 1652 (and
1652 1653 (range
1653 1654 ('symbol', '2')
1654 1655 ('symbol', '0')
1655 1656 define)
1656 1657 (func
1657 1658 ('symbol', 'present')
1658 1659 (func
1659 1660 ('symbol', '_list')
1660 1661 ('string', '0\x001\x002')
1661 1662 follow)
1662 1663 follow)
1663 1664 define)
1664 1665 * set:
1665 1666 <filteredset
1666 1667 <spanset- 0:2>,
1667 1668 <baseset [0, 1, 2]>>
1668 1669 2
1669 1670 1
1670 1671 0
1671 1672
1672 1673 'reverse()' should take effect only if it is the outermost expression:
1673 1674
1674 1675 $ try --optimize '0:2 & reverse(all())'
1675 1676 (and
1676 1677 (range
1677 1678 ('symbol', '0')
1678 1679 ('symbol', '2'))
1679 1680 (func
1680 1681 ('symbol', 'reverse')
1681 1682 (func
1682 1683 ('symbol', 'all')
1683 1684 None)))
1684 1685 * optimized:
1685 1686 (and
1686 1687 (range
1687 1688 ('symbol', '0')
1688 1689 ('symbol', '2')
1689 1690 define)
1690 1691 (func
1691 1692 ('symbol', 'reverse')
1692 1693 (func
1693 1694 ('symbol', 'all')
1694 1695 None
1695 1696 define)
1696 1697 follow)
1697 1698 define)
1698 1699 * set:
1699 1700 <filteredset
1700 1701 <spanset+ 0:2>,
1701 1702 <spanset+ 0:9>>
1702 1703 0
1703 1704 1
1704 1705 2
1705 1706
1706 1707 'sort()' should take effect only if it is the outermost expression:
1707 1708
1708 1709 $ try --optimize '0:2 & sort(all(), -rev)'
1709 1710 (and
1710 1711 (range
1711 1712 ('symbol', '0')
1712 1713 ('symbol', '2'))
1713 1714 (func
1714 1715 ('symbol', 'sort')
1715 1716 (list
1716 1717 (func
1717 1718 ('symbol', 'all')
1718 1719 None)
1719 1720 (negate
1720 1721 ('symbol', 'rev')))))
1721 1722 * optimized:
1722 1723 (and
1723 1724 (range
1724 1725 ('symbol', '0')
1725 1726 ('symbol', '2')
1726 1727 define)
1727 1728 (func
1728 1729 ('symbol', 'sort')
1729 1730 (list
1730 1731 (func
1731 1732 ('symbol', 'all')
1732 1733 None
1733 1734 define)
1734 1735 ('string', '-rev'))
1735 1736 follow)
1736 1737 define)
1737 1738 * set:
1738 1739 <filteredset
1739 1740 <spanset+ 0:2>,
1740 1741 <spanset+ 0:9>>
1741 1742 0
1742 1743 1
1743 1744 2
1744 1745
1745 1746 invalid argument passed to noop sort():
1746 1747
1747 1748 $ log '0:2 & sort()'
1748 1749 hg: parse error: sort requires one or two arguments
1749 1750 [255]
1750 1751 $ log '0:2 & sort(all(), -invalid)'
1751 1752 hg: parse error: unknown sort key '-invalid'
1752 1753 [255]
1753 1754
1754 1755 for 'A & f(B)', 'B' should not be affected by the order of 'A':
1755 1756
1756 1757 $ try --optimize '2:0 & first(1 + 0 + 2)'
1757 1758 (and
1758 1759 (range
1759 1760 ('symbol', '2')
1760 1761 ('symbol', '0'))
1761 1762 (func
1762 1763 ('symbol', 'first')
1763 1764 (or
1764 1765 (list
1765 1766 ('symbol', '1')
1766 1767 ('symbol', '0')
1767 1768 ('symbol', '2')))))
1768 1769 * optimized:
1769 1770 (and
1770 1771 (range
1771 1772 ('symbol', '2')
1772 1773 ('symbol', '0')
1773 1774 define)
1774 1775 (func
1775 1776 ('symbol', 'first')
1776 1777 (func
1777 1778 ('symbol', '_list')
1778 1779 ('string', '1\x000\x002')
1779 1780 define)
1780 1781 follow)
1781 1782 define)
1782 1783 * set:
1783 1784 <baseset
1784 1785 <limit n=1, offset=0,
1785 1786 <spanset- 0:2>,
1786 1787 <baseset [1, 0, 2]>>>
1787 1788 1
1788 1789
1789 1790 $ try --optimize '2:0 & not last(0 + 2 + 1)'
1790 1791 (and
1791 1792 (range
1792 1793 ('symbol', '2')
1793 1794 ('symbol', '0'))
1794 1795 (not
1795 1796 (func
1796 1797 ('symbol', 'last')
1797 1798 (or
1798 1799 (list
1799 1800 ('symbol', '0')
1800 1801 ('symbol', '2')
1801 1802 ('symbol', '1'))))))
1802 1803 * optimized:
1803 1804 (difference
1804 1805 (range
1805 1806 ('symbol', '2')
1806 1807 ('symbol', '0')
1807 1808 define)
1808 1809 (func
1809 1810 ('symbol', 'last')
1810 1811 (func
1811 1812 ('symbol', '_list')
1812 1813 ('string', '0\x002\x001')
1813 1814 define)
1814 1815 any)
1815 1816 define)
1816 1817 * set:
1817 1818 <filteredset
1818 1819 <spanset- 0:2>,
1819 1820 <not
1820 1821 <baseset
1821 1822 <last n=1,
1822 1823 <fullreposet+ 0:9>,
1823 1824 <baseset [1, 2, 0]>>>>>
1824 1825 2
1825 1826 0
1826 1827
1827 1828 for 'A & (op)(B)', 'B' should not be affected by the order of 'A':
1828 1829
1829 1830 $ try --optimize '2:0 & (1 + 0 + 2):(0 + 2 + 1)'
1830 1831 (and
1831 1832 (range
1832 1833 ('symbol', '2')
1833 1834 ('symbol', '0'))
1834 1835 (range
1835 1836 (group
1836 1837 (or
1837 1838 (list
1838 1839 ('symbol', '1')
1839 1840 ('symbol', '0')
1840 1841 ('symbol', '2'))))
1841 1842 (group
1842 1843 (or
1843 1844 (list
1844 1845 ('symbol', '0')
1845 1846 ('symbol', '2')
1846 1847 ('symbol', '1'))))))
1847 1848 * optimized:
1848 1849 (and
1849 1850 (range
1850 1851 ('symbol', '2')
1851 1852 ('symbol', '0')
1852 1853 define)
1853 1854 (range
1854 1855 (func
1855 1856 ('symbol', '_list')
1856 1857 ('string', '1\x000\x002')
1857 1858 define)
1858 1859 (func
1859 1860 ('symbol', '_list')
1860 1861 ('string', '0\x002\x001')
1861 1862 define)
1862 1863 follow)
1863 1864 define)
1864 1865 * set:
1865 1866 <filteredset
1866 1867 <spanset- 0:2>,
1867 1868 <baseset [1]>>
1868 1869 1
1869 1870
1870 1871 'A & B' can be rewritten as 'B & A' by weight, but that's fine as long as
1871 1872 the ordering rule is determined before the rewrite; in this example,
1872 1873 'B' follows the order of the initial set, which is the same order as 'A'
1873 1874 since 'A' also follows the order:
1874 1875
1875 1876 $ try --optimize 'contains("glob:*") & (2 + 0 + 1)'
1876 1877 (and
1877 1878 (func
1878 1879 ('symbol', 'contains')
1879 1880 ('string', 'glob:*'))
1880 1881 (group
1881 1882 (or
1882 1883 (list
1883 1884 ('symbol', '2')
1884 1885 ('symbol', '0')
1885 1886 ('symbol', '1')))))
1886 1887 * optimized:
1887 1888 (and
1888 1889 (func
1889 1890 ('symbol', '_list')
1890 1891 ('string', '2\x000\x001')
1891 1892 follow)
1892 1893 (func
1893 1894 ('symbol', 'contains')
1894 1895 ('string', 'glob:*')
1895 1896 define)
1896 1897 define)
1897 1898 * set:
1898 1899 <filteredset
1899 1900 <baseset+ [0, 1, 2]>,
1900 1901 <contains 'glob:*'>>
1901 1902 0
1902 1903 1
1903 1904 2
1904 1905
1905 1906 and in this example, 'A & B' is rewritten as 'B & A', but 'A' overrides
1906 1907 the order appropriately:
1907 1908
1908 1909 $ try --optimize 'reverse(contains("glob:*")) & (0 + 2 + 1)'
1909 1910 (and
1910 1911 (func
1911 1912 ('symbol', 'reverse')
1912 1913 (func
1913 1914 ('symbol', 'contains')
1914 1915 ('string', 'glob:*')))
1915 1916 (group
1916 1917 (or
1917 1918 (list
1918 1919 ('symbol', '0')
1919 1920 ('symbol', '2')
1920 1921 ('symbol', '1')))))
1921 1922 * optimized:
1922 1923 (and
1923 1924 (func
1924 1925 ('symbol', '_list')
1925 1926 ('string', '0\x002\x001')
1926 1927 follow)
1927 1928 (func
1928 1929 ('symbol', 'reverse')
1929 1930 (func
1930 1931 ('symbol', 'contains')
1931 1932 ('string', 'glob:*')
1932 1933 define)
1933 1934 define)
1934 1935 define)
1935 1936 * set:
1936 1937 <filteredset
1937 1938 <baseset- [0, 1, 2]>,
1938 1939 <contains 'glob:*'>>
1939 1940 2
1940 1941 1
1941 1942 0
1942 1943
1943 1944 'A + B' can be rewritten to 'B + A' by weight only when the order doesn't
1944 1945 matter (e.g. 'X & (A + B)' can be 'X & (B + A)', but '(A + B) & X' can't):
1945 1946
1946 1947 $ try -p optimized '0:2 & (reverse(contains("a")) + 2)'
1947 1948 * optimized:
1948 1949 (and
1949 1950 (range
1950 1951 ('symbol', '0')
1951 1952 ('symbol', '2')
1952 1953 define)
1953 1954 (or
1954 1955 (list
1955 1956 ('symbol', '2')
1956 1957 (func
1957 1958 ('symbol', 'reverse')
1958 1959 (func
1959 1960 ('symbol', 'contains')
1960 1961 ('string', 'a')
1961 1962 define)
1962 1963 follow))
1963 1964 follow)
1964 1965 define)
1965 1966 * set:
1966 1967 <filteredset
1967 1968 <spanset+ 0:2>,
1968 1969 <addset
1969 1970 <baseset [2]>,
1970 1971 <filteredset
1971 1972 <fullreposet+ 0:9>,
1972 1973 <contains 'a'>>>>
1973 1974 0
1974 1975 1
1975 1976 2
1976 1977
1977 1978 $ try -p optimized '(reverse(contains("a")) + 2) & 0:2'
1978 1979 * optimized:
1979 1980 (and
1980 1981 (range
1981 1982 ('symbol', '0')
1982 1983 ('symbol', '2')
1983 1984 follow)
1984 1985 (or
1985 1986 (list
1986 1987 (func
1987 1988 ('symbol', 'reverse')
1988 1989 (func
1989 1990 ('symbol', 'contains')
1990 1991 ('string', 'a')
1991 1992 define)
1992 1993 define)
1993 1994 ('symbol', '2'))
1994 1995 define)
1995 1996 define)
1996 1997 * set:
1997 1998 <addset
1998 1999 <filteredset
1999 2000 <spanset- 0:2>,
2000 2001 <contains 'a'>>,
2001 2002 <baseset [2]>>
2002 2003 1
2003 2004 0
2004 2005 2
2005 2006
2006 2007 test sort revset
2007 2008 --------------------------------------------
2008 2009
2009 2010 test when adding two unordered revsets
2010 2011
2011 2012 $ log 'sort(keyword(issue) or modifies(b))'
2012 2013 4
2013 2014 6
2014 2015
2015 2016 test when sorting a reversed collection in the same way it is
2016 2017
2017 2018 $ log 'sort(reverse(all()), -rev)'
2018 2019 9
2019 2020 8
2020 2021 7
2021 2022 6
2022 2023 5
2023 2024 4
2024 2025 3
2025 2026 2
2026 2027 1
2027 2028 0
2028 2029
2029 2030 test when sorting a reversed collection
2030 2031
2031 2032 $ log 'sort(reverse(all()), rev)'
2032 2033 0
2033 2034 1
2034 2035 2
2035 2036 3
2036 2037 4
2037 2038 5
2038 2039 6
2039 2040 7
2040 2041 8
2041 2042 9
2042 2043
2043 2044
2044 2045 test sorting two sorted collections in different orders
2045 2046
2046 2047 $ log 'sort(outgoing() or reverse(removes(a)), rev)'
2047 2048 2
2048 2049 6
2049 2050 8
2050 2051 9
2051 2052
2052 2053 test sorting two sorted collections in different orders backwards
2053 2054
2054 2055 $ log 'sort(outgoing() or reverse(removes(a)), -rev)'
2055 2056 9
2056 2057 8
2057 2058 6
2058 2059 2
2059 2060
2060 2061 test empty sort key which is noop
2061 2062
2062 2063 $ log 'sort(0 + 2 + 1, "")'
2063 2064 0
2064 2065 2
2065 2066 1
2066 2067
2067 2068 test invalid sort keys
2068 2069
2069 2070 $ log 'sort(all(), -invalid)'
2070 2071 hg: parse error: unknown sort key '-invalid'
2071 2072 [255]
2072 2073
2073 2074 $ cd ..
2074 2075
2075 2076 test sorting by multiple keys including variable-length strings
2076 2077
2077 2078 $ hg init sorting
2078 2079 $ cd sorting
2079 2080 $ cat <<EOF >> .hg/hgrc
2080 2081 > [ui]
2081 2082 > logtemplate = '{rev} {branch|p5}{desc|p5}{author|p5}{date|hgdate}\n'
2082 2083 > [templatealias]
2083 2084 > p5(s) = pad(s, 5)
2084 2085 > EOF
2085 2086 $ hg branch -qf b12
2086 2087 $ hg ci -m m111 -u u112 -d '111 10800'
2087 2088 $ hg branch -qf b11
2088 2089 $ hg ci -m m12 -u u111 -d '112 7200'
2089 2090 $ hg branch -qf b111
2090 2091 $ hg ci -m m11 -u u12 -d '111 3600'
2091 2092 $ hg branch -qf b112
2092 2093 $ hg ci -m m111 -u u11 -d '120 0'
2093 2094 $ hg branch -qf b111
2094 2095 $ hg ci -m m112 -u u111 -d '110 14400'
2095 2096 created new head
2096 2097
2097 2098 compare revisions (has fast path):
2098 2099
2099 2100 $ hg log -r 'sort(all(), rev)'
2100 2101 0 b12 m111 u112 111 10800
2101 2102 1 b11 m12 u111 112 7200
2102 2103 2 b111 m11 u12 111 3600
2103 2104 3 b112 m111 u11 120 0
2104 2105 4 b111 m112 u111 110 14400
2105 2106
2106 2107 $ hg log -r 'sort(all(), -rev)'
2107 2108 4 b111 m112 u111 110 14400
2108 2109 3 b112 m111 u11 120 0
2109 2110 2 b111 m11 u12 111 3600
2110 2111 1 b11 m12 u111 112 7200
2111 2112 0 b12 m111 u112 111 10800
2112 2113
2113 2114 compare variable-length strings (issue5218):
2114 2115
2115 2116 $ hg log -r 'sort(all(), branch)'
2116 2117 1 b11 m12 u111 112 7200
2117 2118 2 b111 m11 u12 111 3600
2118 2119 4 b111 m112 u111 110 14400
2119 2120 3 b112 m111 u11 120 0
2120 2121 0 b12 m111 u112 111 10800
2121 2122
2122 2123 $ hg log -r 'sort(all(), -branch)'
2123 2124 0 b12 m111 u112 111 10800
2124 2125 3 b112 m111 u11 120 0
2125 2126 2 b111 m11 u12 111 3600
2126 2127 4 b111 m112 u111 110 14400
2127 2128 1 b11 m12 u111 112 7200
2128 2129
2129 2130 $ hg log -r 'sort(all(), desc)'
2130 2131 2 b111 m11 u12 111 3600
2131 2132 0 b12 m111 u112 111 10800
2132 2133 3 b112 m111 u11 120 0
2133 2134 4 b111 m112 u111 110 14400
2134 2135 1 b11 m12 u111 112 7200
2135 2136
2136 2137 $ hg log -r 'sort(all(), -desc)'
2137 2138 1 b11 m12 u111 112 7200
2138 2139 4 b111 m112 u111 110 14400
2139 2140 0 b12 m111 u112 111 10800
2140 2141 3 b112 m111 u11 120 0
2141 2142 2 b111 m11 u12 111 3600
2142 2143
2143 2144 $ hg log -r 'sort(all(), user)'
2144 2145 3 b112 m111 u11 120 0
2145 2146 1 b11 m12 u111 112 7200
2146 2147 4 b111 m112 u111 110 14400
2147 2148 0 b12 m111 u112 111 10800
2148 2149 2 b111 m11 u12 111 3600
2149 2150
2150 2151 $ hg log -r 'sort(all(), -user)'
2151 2152 2 b111 m11 u12 111 3600
2152 2153 0 b12 m111 u112 111 10800
2153 2154 1 b11 m12 u111 112 7200
2154 2155 4 b111 m112 u111 110 14400
2155 2156 3 b112 m111 u11 120 0
2156 2157
2157 2158 compare dates (tz offset should have no effect):
2158 2159
2159 2160 $ hg log -r 'sort(all(), date)'
2160 2161 4 b111 m112 u111 110 14400
2161 2162 0 b12 m111 u112 111 10800
2162 2163 2 b111 m11 u12 111 3600
2163 2164 1 b11 m12 u111 112 7200
2164 2165 3 b112 m111 u11 120 0
2165 2166
2166 2167 $ hg log -r 'sort(all(), -date)'
2167 2168 3 b112 m111 u11 120 0
2168 2169 1 b11 m12 u111 112 7200
2169 2170 0 b12 m111 u112 111 10800
2170 2171 2 b111 m11 u12 111 3600
2171 2172 4 b111 m112 u111 110 14400
2172 2173
2173 2174 be aware that 'sort(x, -k)' is not exactly the same as 'reverse(sort(x, k))'
2174 2175 because '-k' reverses the comparison, not the list itself:
2175 2176
2176 2177 $ hg log -r 'sort(0 + 2, date)'
2177 2178 0 b12 m111 u112 111 10800
2178 2179 2 b111 m11 u12 111 3600
2179 2180
2180 2181 $ hg log -r 'sort(0 + 2, -date)'
2181 2182 0 b12 m111 u112 111 10800
2182 2183 2 b111 m11 u12 111 3600
2183 2184
2184 2185 $ hg log -r 'reverse(sort(0 + 2, date))'
2185 2186 2 b111 m11 u12 111 3600
2186 2187 0 b12 m111 u112 111 10800
2187 2188
2188 2189 sort by multiple keys:
2189 2190
2190 2191 $ hg log -r 'sort(all(), "branch -rev")'
2191 2192 1 b11 m12 u111 112 7200
2192 2193 4 b111 m112 u111 110 14400
2193 2194 2 b111 m11 u12 111 3600
2194 2195 3 b112 m111 u11 120 0
2195 2196 0 b12 m111 u112 111 10800
2196 2197
2197 2198 $ hg log -r 'sort(all(), "-desc -date")'
2198 2199 1 b11 m12 u111 112 7200
2199 2200 4 b111 m112 u111 110 14400
2200 2201 3 b112 m111 u11 120 0
2201 2202 0 b12 m111 u112 111 10800
2202 2203 2 b111 m11 u12 111 3600
2203 2204
2204 2205 $ hg log -r 'sort(all(), "user -branch date rev")'
2205 2206 3 b112 m111 u11 120 0
2206 2207 4 b111 m112 u111 110 14400
2207 2208 1 b11 m12 u111 112 7200
2208 2209 0 b12 m111 u112 111 10800
2209 2210 2 b111 m11 u12 111 3600
2210 2211
2211 2212 toposort prioritises graph branches
2212 2213
2213 2214 $ hg up 2
2214 2215 0 files updated, 0 files merged, 0 files removed, 0 files unresolved
2215 2216 $ touch a
2216 2217 $ hg addremove
2217 2218 adding a
2218 2219 $ hg ci -m 't1' -u 'tu' -d '130 0'
2219 2220 created new head
2220 2221 $ echo 'a' >> a
2221 2222 $ hg ci -m 't2' -u 'tu' -d '130 0'
2222 2223 $ hg book book1
2223 2224 $ hg up 4
2224 2225 0 files updated, 0 files merged, 1 files removed, 0 files unresolved
2225 2226 (leaving bookmark book1)
2226 2227 $ touch a
2227 2228 $ hg addremove
2228 2229 adding a
2229 2230 $ hg ci -m 't3' -u 'tu' -d '130 0'
2230 2231
2231 2232 $ hg log -r 'sort(all(), topo)'
2232 2233 7 b111 t3 tu 130 0
2233 2234 4 b111 m112 u111 110 14400
2234 2235 3 b112 m111 u11 120 0
2235 2236 6 b111 t2 tu 130 0
2236 2237 5 b111 t1 tu 130 0
2237 2238 2 b111 m11 u12 111 3600
2238 2239 1 b11 m12 u111 112 7200
2239 2240 0 b12 m111 u112 111 10800
2240 2241
2241 2242 $ hg log -r 'sort(all(), -topo)'
2242 2243 0 b12 m111 u112 111 10800
2243 2244 1 b11 m12 u111 112 7200
2244 2245 2 b111 m11 u12 111 3600
2245 2246 5 b111 t1 tu 130 0
2246 2247 6 b111 t2 tu 130 0
2247 2248 3 b112 m111 u11 120 0
2248 2249 4 b111 m112 u111 110 14400
2249 2250 7 b111 t3 tu 130 0
2250 2251
2251 2252 $ hg log -r 'sort(all(), topo, topo.firstbranch=book1)'
2252 2253 6 b111 t2 tu 130 0
2253 2254 5 b111 t1 tu 130 0
2254 2255 7 b111 t3 tu 130 0
2255 2256 4 b111 m112 u111 110 14400
2256 2257 3 b112 m111 u11 120 0
2257 2258 2 b111 m11 u12 111 3600
2258 2259 1 b11 m12 u111 112 7200
2259 2260 0 b12 m111 u112 111 10800
2260 2261
2261 2262 topographical sorting can't be combined with other sort keys, and you can't
2262 2263 use the topo.firstbranch option when topo sort is not active:
2263 2264
2264 2265 $ hg log -r 'sort(all(), "topo user")'
2265 2266 hg: parse error: topo sort order cannot be combined with other sort keys
2266 2267 [255]
2267 2268
2268 2269 $ hg log -r 'sort(all(), user, topo.firstbranch=book1)'
2269 2270 hg: parse error: topo.firstbranch can only be used when using the topo sort key
2270 2271 [255]
2271 2272
2272 2273 topo.firstbranch should accept any kind of expressions:
2273 2274
2274 2275 $ hg log -r 'sort(0, topo, topo.firstbranch=(book1))'
2275 2276 0 b12 m111 u112 111 10800
2276 2277
2277 2278 $ cd ..
2278 2279 $ cd repo
2279 2280
2280 2281 test subtracting something from an addset
2281 2282
2282 2283 $ log '(outgoing() or removes(a)) - removes(a)'
2283 2284 8
2284 2285 9
2285 2286
2286 2287 test intersecting something with an addset
2287 2288
2288 2289 $ log 'parents(outgoing() or removes(a))'
2289 2290 1
2290 2291 4
2291 2292 5
2292 2293 8
2293 2294
2294 2295 test that `or` operation combines elements in the right order:
2295 2296
2296 2297 $ log '3:4 or 2:5'
2297 2298 3
2298 2299 4
2299 2300 2
2300 2301 5
2301 2302 $ log '3:4 or 5:2'
2302 2303 3
2303 2304 4
2304 2305 5
2305 2306 2
2306 2307 $ log 'sort(3:4 or 2:5)'
2307 2308 2
2308 2309 3
2309 2310 4
2310 2311 5
2311 2312 $ log 'sort(3:4 or 5:2)'
2312 2313 2
2313 2314 3
2314 2315 4
2315 2316 5
2316 2317
2317 2318 test that more than one `-r`s are combined in the right order and deduplicated:
2318 2319
2319 2320 $ hg log -T '{rev}\n' -r 3 -r 3 -r 4 -r 5:2 -r 'ancestors(4)'
2320 2321 3
2321 2322 4
2322 2323 5
2323 2324 2
2324 2325 0
2325 2326 1
2326 2327
2327 2328 test that `or` operation skips duplicated revisions from right-hand side
2328 2329
2329 2330 $ try 'reverse(1::5) or ancestors(4)'
2330 2331 (or
2331 2332 (list
2332 2333 (func
2333 2334 ('symbol', 'reverse')
2334 2335 (dagrange
2335 2336 ('symbol', '1')
2336 2337 ('symbol', '5')))
2337 2338 (func
2338 2339 ('symbol', 'ancestors')
2339 2340 ('symbol', '4'))))
2340 2341 * set:
2341 2342 <addset
2342 2343 <baseset- [1, 3, 5]>,
2343 2344 <generatorset+>>
2344 2345 5
2345 2346 3
2346 2347 1
2347 2348 0
2348 2349 2
2349 2350 4
2350 2351 $ try 'sort(ancestors(4) or reverse(1::5))'
2351 2352 (func
2352 2353 ('symbol', 'sort')
2353 2354 (or
2354 2355 (list
2355 2356 (func
2356 2357 ('symbol', 'ancestors')
2357 2358 ('symbol', '4'))
2358 2359 (func
2359 2360 ('symbol', 'reverse')
2360 2361 (dagrange
2361 2362 ('symbol', '1')
2362 2363 ('symbol', '5'))))))
2363 2364 * set:
2364 2365 <addset+
2365 2366 <generatorset+>,
2366 2367 <baseset- [1, 3, 5]>>
2367 2368 0
2368 2369 1
2369 2370 2
2370 2371 3
2371 2372 4
2372 2373 5
2373 2374
2374 2375 test optimization of trivial `or` operation
2375 2376
2376 2377 $ try --optimize '0|(1)|"2"|-2|tip|null'
2377 2378 (or
2378 2379 (list
2379 2380 ('symbol', '0')
2380 2381 (group
2381 2382 ('symbol', '1'))
2382 2383 ('string', '2')
2383 2384 (negate
2384 2385 ('symbol', '2'))
2385 2386 ('symbol', 'tip')
2386 2387 ('symbol', 'null')))
2387 2388 * optimized:
2388 2389 (func
2389 2390 ('symbol', '_list')
2390 2391 ('string', '0\x001\x002\x00-2\x00tip\x00null')
2391 2392 define)
2392 2393 * set:
2393 2394 <baseset [0, 1, 2, 8, 9, -1]>
2394 2395 0
2395 2396 1
2396 2397 2
2397 2398 8
2398 2399 9
2399 2400 -1
2400 2401
2401 2402 $ try --optimize '0|1|2:3'
2402 2403 (or
2403 2404 (list
2404 2405 ('symbol', '0')
2405 2406 ('symbol', '1')
2406 2407 (range
2407 2408 ('symbol', '2')
2408 2409 ('symbol', '3'))))
2409 2410 * optimized:
2410 2411 (or
2411 2412 (list
2412 2413 (func
2413 2414 ('symbol', '_list')
2414 2415 ('string', '0\x001')
2415 2416 define)
2416 2417 (range
2417 2418 ('symbol', '2')
2418 2419 ('symbol', '3')
2419 2420 define))
2420 2421 define)
2421 2422 * set:
2422 2423 <addset
2423 2424 <baseset [0, 1]>,
2424 2425 <spanset+ 2:3>>
2425 2426 0
2426 2427 1
2427 2428 2
2428 2429 3
2429 2430
2430 2431 $ try --optimize '0:1|2|3:4|5|6'
2431 2432 (or
2432 2433 (list
2433 2434 (range
2434 2435 ('symbol', '0')
2435 2436 ('symbol', '1'))
2436 2437 ('symbol', '2')
2437 2438 (range
2438 2439 ('symbol', '3')
2439 2440 ('symbol', '4'))
2440 2441 ('symbol', '5')
2441 2442 ('symbol', '6')))
2442 2443 * optimized:
2443 2444 (or
2444 2445 (list
2445 2446 (range
2446 2447 ('symbol', '0')
2447 2448 ('symbol', '1')
2448 2449 define)
2449 2450 ('symbol', '2')
2450 2451 (range
2451 2452 ('symbol', '3')
2452 2453 ('symbol', '4')
2453 2454 define)
2454 2455 (func
2455 2456 ('symbol', '_list')
2456 2457 ('string', '5\x006')
2457 2458 define))
2458 2459 define)
2459 2460 * set:
2460 2461 <addset
2461 2462 <addset
2462 2463 <spanset+ 0:1>,
2463 2464 <baseset [2]>>,
2464 2465 <addset
2465 2466 <spanset+ 3:4>,
2466 2467 <baseset [5, 6]>>>
2467 2468 0
2468 2469 1
2469 2470 2
2470 2471 3
2471 2472 4
2472 2473 5
2473 2474 6
2474 2475
2475 2476 unoptimized `or` looks like this
2476 2477
2477 2478 $ try --no-optimized -p analyzed '0|1|2|3|4'
2478 2479 * analyzed:
2479 2480 (or
2480 2481 (list
2481 2482 ('symbol', '0')
2482 2483 ('symbol', '1')
2483 2484 ('symbol', '2')
2484 2485 ('symbol', '3')
2485 2486 ('symbol', '4'))
2486 2487 define)
2487 2488 * set:
2488 2489 <addset
2489 2490 <addset
2490 2491 <baseset [0]>,
2491 2492 <baseset [1]>>,
2492 2493 <addset
2493 2494 <baseset [2]>,
2494 2495 <addset
2495 2496 <baseset [3]>,
2496 2497 <baseset [4]>>>>
2497 2498 0
2498 2499 1
2499 2500 2
2500 2501 3
2501 2502 4
2502 2503
2503 2504 test that `_list` should be narrowed by provided `subset`
2504 2505
2505 2506 $ log '0:2 and (null|1|2|3)'
2506 2507 1
2507 2508 2
2508 2509
2509 2510 test that `_list` should remove duplicates
2510 2511
2511 2512 $ log '0|1|2|1|2|-1|tip'
2512 2513 0
2513 2514 1
2514 2515 2
2515 2516 9
2516 2517
2517 2518 test unknown revision in `_list`
2518 2519
2519 2520 $ log '0|unknown'
2520 2521 abort: unknown revision 'unknown'!
2521 2522 [255]
2522 2523
2523 2524 test integer range in `_list`
2524 2525
2525 2526 $ log '-1|-10'
2526 2527 9
2527 2528 0
2528 2529
2529 2530 $ log '-10|-11'
2530 2531 abort: unknown revision '-11'!
2531 2532 [255]
2532 2533
2533 2534 $ log '9|10'
2534 2535 abort: unknown revision '10'!
2535 2536 [255]
2536 2537
2537 2538 test '0000' != '0' in `_list`
2538 2539
2539 2540 $ log '0|0000'
2540 2541 0
2541 2542 -1
2542 2543
2543 2544 test ',' in `_list`
2544 2545 $ log '0,1'
2545 2546 hg: parse error: can't use a list in this context
2546 2547 (see hg help "revsets.x or y")
2547 2548 [255]
2548 2549 $ try '0,1,2'
2549 2550 (list
2550 2551 ('symbol', '0')
2551 2552 ('symbol', '1')
2552 2553 ('symbol', '2'))
2553 2554 hg: parse error: can't use a list in this context
2554 2555 (see hg help "revsets.x or y")
2555 2556 [255]
2556 2557
2557 2558 test that chained `or` operations make balanced addsets
2558 2559
2559 2560 $ try '0:1|1:2|2:3|3:4|4:5'
2560 2561 (or
2561 2562 (list
2562 2563 (range
2563 2564 ('symbol', '0')
2564 2565 ('symbol', '1'))
2565 2566 (range
2566 2567 ('symbol', '1')
2567 2568 ('symbol', '2'))
2568 2569 (range
2569 2570 ('symbol', '2')
2570 2571 ('symbol', '3'))
2571 2572 (range
2572 2573 ('symbol', '3')
2573 2574 ('symbol', '4'))
2574 2575 (range
2575 2576 ('symbol', '4')
2576 2577 ('symbol', '5'))))
2577 2578 * set:
2578 2579 <addset
2579 2580 <addset
2580 2581 <spanset+ 0:1>,
2581 2582 <spanset+ 1:2>>,
2582 2583 <addset
2583 2584 <spanset+ 2:3>,
2584 2585 <addset
2585 2586 <spanset+ 3:4>,
2586 2587 <spanset+ 4:5>>>>
2587 2588 0
2588 2589 1
2589 2590 2
2590 2591 3
2591 2592 4
2592 2593 5
2593 2594
2594 2595 no crash by empty group "()" while optimizing `or` operations
2595 2596
2596 2597 $ try --optimize '0|()'
2597 2598 (or
2598 2599 (list
2599 2600 ('symbol', '0')
2600 2601 (group
2601 2602 None)))
2602 2603 * optimized:
2603 2604 (or
2604 2605 (list
2605 2606 ('symbol', '0')
2606 2607 None)
2607 2608 define)
2608 2609 hg: parse error: missing argument
2609 2610 [255]
2610 2611
2611 2612 test that chained `or` operations never eat up stack (issue4624)
2612 2613 (uses `0:1` instead of `0` to avoid future optimization of trivial revisions)
2613 2614
2614 2615 $ hg log -T '{rev}\n' -r `python -c "print '+'.join(['0:1'] * 500)"`
2615 2616 0
2616 2617 1
2617 2618
2618 2619 test that repeated `-r` options never eat up stack (issue4565)
2619 2620 (uses `-r 0::1` to avoid possible optimization at old-style parser)
2620 2621
2621 2622 $ hg log -T '{rev}\n' `python -c "for i in xrange(500): print '-r 0::1 ',"`
2622 2623 0
2623 2624 1
2624 2625
2625 2626 check that conversion to only works
2626 2627 $ try --optimize '::3 - ::1'
2627 2628 (minus
2628 2629 (dagrangepre
2629 2630 ('symbol', '3'))
2630 2631 (dagrangepre
2631 2632 ('symbol', '1')))
2632 2633 * optimized:
2633 2634 (func
2634 2635 ('symbol', 'only')
2635 2636 (list
2636 2637 ('symbol', '3')
2637 2638 ('symbol', '1'))
2638 2639 define)
2639 2640 * set:
2640 2641 <baseset+ [3]>
2641 2642 3
2642 2643 $ try --optimize 'ancestors(1) - ancestors(3)'
2643 2644 (minus
2644 2645 (func
2645 2646 ('symbol', 'ancestors')
2646 2647 ('symbol', '1'))
2647 2648 (func
2648 2649 ('symbol', 'ancestors')
2649 2650 ('symbol', '3')))
2650 2651 * optimized:
2651 2652 (func
2652 2653 ('symbol', 'only')
2653 2654 (list
2654 2655 ('symbol', '1')
2655 2656 ('symbol', '3'))
2656 2657 define)
2657 2658 * set:
2658 2659 <baseset+ []>
2659 2660 $ try --optimize 'not ::2 and ::6'
2660 2661 (and
2661 2662 (not
2662 2663 (dagrangepre
2663 2664 ('symbol', '2')))
2664 2665 (dagrangepre
2665 2666 ('symbol', '6')))
2666 2667 * optimized:
2667 2668 (func
2668 2669 ('symbol', 'only')
2669 2670 (list
2670 2671 ('symbol', '6')
2671 2672 ('symbol', '2'))
2672 2673 define)
2673 2674 * set:
2674 2675 <baseset+ [3, 4, 5, 6]>
2675 2676 3
2676 2677 4
2677 2678 5
2678 2679 6
2679 2680 $ try --optimize 'ancestors(6) and not ancestors(4)'
2680 2681 (and
2681 2682 (func
2682 2683 ('symbol', 'ancestors')
2683 2684 ('symbol', '6'))
2684 2685 (not
2685 2686 (func
2686 2687 ('symbol', 'ancestors')
2687 2688 ('symbol', '4'))))
2688 2689 * optimized:
2689 2690 (func
2690 2691 ('symbol', 'only')
2691 2692 (list
2692 2693 ('symbol', '6')
2693 2694 ('symbol', '4'))
2694 2695 define)
2695 2696 * set:
2696 2697 <baseset+ [3, 5, 6]>
2697 2698 3
2698 2699 5
2699 2700 6
2700 2701
2701 2702 no crash by empty group "()" while optimizing to "only()"
2702 2703
2703 2704 $ try --optimize '::1 and ()'
2704 2705 (and
2705 2706 (dagrangepre
2706 2707 ('symbol', '1'))
2707 2708 (group
2708 2709 None))
2709 2710 * optimized:
2710 2711 (and
2711 2712 None
2712 2713 (func
2713 2714 ('symbol', 'ancestors')
2714 2715 ('symbol', '1')
2715 2716 define)
2716 2717 define)
2717 2718 hg: parse error: missing argument
2718 2719 [255]
2719 2720
2720 2721 invalid function call should not be optimized to only()
2721 2722
2722 2723 $ log '"ancestors"(6) and not ancestors(4)'
2723 2724 hg: parse error: not a symbol
2724 2725 [255]
2725 2726
2726 2727 $ log 'ancestors(6) and not "ancestors"(4)'
2727 2728 hg: parse error: not a symbol
2728 2729 [255]
2729 2730
2730 2731 we can use patterns when searching for tags
2731 2732
2732 2733 $ log 'tag("1..*")'
2733 2734 abort: tag '1..*' does not exist!
2734 2735 [255]
2735 2736 $ log 'tag("re:1..*")'
2736 2737 6
2737 2738 $ log 'tag("re:[0-9].[0-9]")'
2738 2739 6
2739 2740 $ log 'tag("literal:1.0")'
2740 2741 6
2741 2742 $ log 'tag("re:0..*")'
2742 2743
2743 2744 $ log 'tag(unknown)'
2744 2745 abort: tag 'unknown' does not exist!
2745 2746 [255]
2746 2747 $ log 'tag("re:unknown")'
2747 2748 $ log 'present(tag("unknown"))'
2748 2749 $ log 'present(tag("re:unknown"))'
2749 2750 $ log 'branch(unknown)'
2750 2751 abort: unknown revision 'unknown'!
2751 2752 [255]
2752 2753 $ log 'branch("literal:unknown")'
2753 2754 abort: branch 'unknown' does not exist!
2754 2755 [255]
2755 2756 $ log 'branch("re:unknown")'
2756 2757 $ log 'present(branch("unknown"))'
2757 2758 $ log 'present(branch("re:unknown"))'
2758 2759 $ log 'user(bob)'
2759 2760 2
2760 2761
2761 2762 $ log '4::8'
2762 2763 4
2763 2764 8
2764 2765 $ log '4:8'
2765 2766 4
2766 2767 5
2767 2768 6
2768 2769 7
2769 2770 8
2770 2771
2771 2772 $ log 'sort(!merge() & (modifies(b) | user(bob) | keyword(bug) | keyword(issue) & 1::9), "-date")'
2772 2773 4
2773 2774 2
2774 2775 5
2775 2776
2776 2777 $ log 'not 0 and 0:2'
2777 2778 1
2778 2779 2
2779 2780 $ log 'not 1 and 0:2'
2780 2781 0
2781 2782 2
2782 2783 $ log 'not 2 and 0:2'
2783 2784 0
2784 2785 1
2785 2786 $ log '(1 and 2)::'
2786 2787 $ log '(1 and 2):'
2787 2788 $ log '(1 and 2):3'
2788 2789 $ log 'sort(head(), -rev)'
2789 2790 9
2790 2791 7
2791 2792 6
2792 2793 5
2793 2794 4
2794 2795 3
2795 2796 2
2796 2797 1
2797 2798 0
2798 2799 $ log '4::8 - 8'
2799 2800 4
2800 2801
2801 2802 matching() should preserve the order of the input set:
2802 2803
2803 2804 $ log '(2 or 3 or 1) and matching(1 or 2 or 3)'
2804 2805 2
2805 2806 3
2806 2807 1
2807 2808
2808 2809 $ log 'named("unknown")'
2809 2810 abort: namespace 'unknown' does not exist!
2810 2811 [255]
2811 2812 $ log 'named("re:unknown")'
2812 2813 abort: no namespace exists that match 'unknown'!
2813 2814 [255]
2814 2815 $ log 'present(named("unknown"))'
2815 2816 $ log 'present(named("re:unknown"))'
2816 2817
2817 2818 $ log 'tag()'
2818 2819 6
2819 2820 $ log 'named("tags")'
2820 2821 6
2821 2822
2822 2823 issue2437
2823 2824
2824 2825 $ log '3 and p1(5)'
2825 2826 3
2826 2827 $ log '4 and p2(6)'
2827 2828 4
2828 2829 $ log '1 and parents(:2)'
2829 2830 1
2830 2831 $ log '2 and children(1:)'
2831 2832 2
2832 2833 $ log 'roots(all()) or roots(all())'
2833 2834 0
2834 2835 $ hg debugrevspec 'roots(all()) or roots(all())'
2835 2836 0
2836 2837 $ log 'heads(branch(Γ©)) or heads(branch(Γ©))'
2837 2838 9
2838 2839 $ log 'ancestors(8) and (heads(branch("-a-b-c-")) or heads(branch(Γ©)))'
2839 2840 4
2840 2841
2841 2842 issue2654: report a parse error if the revset was not completely parsed
2842 2843
2843 2844 $ log '1 OR 2'
2844 2845 hg: parse error at 2: invalid token
2845 2846 [255]
2846 2847
2847 2848 or operator should preserve ordering:
2848 2849 $ log 'reverse(2::4) or tip'
2849 2850 4
2850 2851 2
2851 2852 9
2852 2853
2853 2854 parentrevspec
2854 2855
2855 2856 $ log 'merge()^0'
2856 2857 6
2857 2858 $ log 'merge()^'
2858 2859 5
2859 2860 $ log 'merge()^1'
2860 2861 5
2861 2862 $ log 'merge()^2'
2862 2863 4
2863 2864 $ log '(not merge())^2'
2864 2865 $ log 'merge()^^'
2865 2866 3
2866 2867 $ log 'merge()^1^'
2867 2868 3
2868 2869 $ log 'merge()^^^'
2869 2870 1
2870 2871
2871 2872 $ log 'merge()~0'
2872 2873 6
2873 2874 $ log 'merge()~1'
2874 2875 5
2875 2876 $ log 'merge()~2'
2876 2877 3
2877 2878 $ log 'merge()~2^1'
2878 2879 1
2879 2880 $ log 'merge()~3'
2880 2881 1
2881 2882
2882 2883 $ log '(-3:tip)^'
2883 2884 4
2884 2885 6
2885 2886 8
2886 2887
2887 2888 $ log 'tip^foo'
2888 2889 hg: parse error: ^ expects a number 0, 1, or 2
2889 2890 [255]
2890 2891
2891 2892 Bogus function gets suggestions
2892 2893 $ log 'add()'
2893 2894 hg: parse error: unknown identifier: add
2894 2895 (did you mean adds?)
2895 2896 [255]
2896 2897 $ log 'added()'
2897 2898 hg: parse error: unknown identifier: added
2898 2899 (did you mean adds?)
2899 2900 [255]
2900 2901 $ log 'remo()'
2901 2902 hg: parse error: unknown identifier: remo
2902 2903 (did you mean one of remote, removes?)
2903 2904 [255]
2904 2905 $ log 'babar()'
2905 2906 hg: parse error: unknown identifier: babar
2906 2907 [255]
2907 2908
2908 2909 Bogus function with a similar internal name doesn't suggest the internal name
2909 2910 $ log 'matches()'
2910 2911 hg: parse error: unknown identifier: matches
2911 2912 (did you mean matching?)
2912 2913 [255]
2913 2914
2914 2915 Undocumented functions aren't suggested as similar either
2915 2916 $ log 'tagged2()'
2916 2917 hg: parse error: unknown identifier: tagged2
2917 2918 [255]
2918 2919
2919 2920 multiple revspecs
2920 2921
2921 2922 $ hg log -r 'tip~1:tip' -r 'tip~2:tip~1' --template '{rev}\n'
2922 2923 8
2923 2924 9
2924 2925 4
2925 2926 5
2926 2927 6
2927 2928 7
2928 2929
2929 2930 test usage in revpair (with "+")
2930 2931
2931 2932 (real pair)
2932 2933
2933 2934 $ hg diff -r 'tip^^' -r 'tip'
2934 2935 diff -r 2326846efdab -r 24286f4ae135 .hgtags
2935 2936 --- /dev/null Thu Jan 01 00:00:00 1970 +0000
2936 2937 +++ b/.hgtags Thu Jan 01 00:00:00 1970 +0000
2937 2938 @@ -0,0 +1,1 @@
2938 2939 +e0cc66ef77e8b6f711815af4e001a6594fde3ba5 1.0
2939 2940 $ hg diff -r 'tip^^::tip'
2940 2941 diff -r 2326846efdab -r 24286f4ae135 .hgtags
2941 2942 --- /dev/null Thu Jan 01 00:00:00 1970 +0000
2942 2943 +++ b/.hgtags Thu Jan 01 00:00:00 1970 +0000
2943 2944 @@ -0,0 +1,1 @@
2944 2945 +e0cc66ef77e8b6f711815af4e001a6594fde3ba5 1.0
2945 2946
2946 2947 (single rev)
2947 2948
2948 2949 $ hg diff -r 'tip^' -r 'tip^'
2949 2950 $ hg diff -r 'tip^:tip^'
2950 2951
2951 2952 (single rev that does not looks like a range)
2952 2953
2953 2954 $ hg diff -r 'tip^::tip^ or tip^'
2954 2955 diff -r d5d0dcbdc4d9 .hgtags
2955 2956 --- /dev/null Thu Jan 01 00:00:00 1970 +0000
2956 2957 +++ b/.hgtags * (glob)
2957 2958 @@ -0,0 +1,1 @@
2958 2959 +e0cc66ef77e8b6f711815af4e001a6594fde3ba5 1.0
2959 2960 $ hg diff -r 'tip^ or tip^'
2960 2961 diff -r d5d0dcbdc4d9 .hgtags
2961 2962 --- /dev/null Thu Jan 01 00:00:00 1970 +0000
2962 2963 +++ b/.hgtags * (glob)
2963 2964 @@ -0,0 +1,1 @@
2964 2965 +e0cc66ef77e8b6f711815af4e001a6594fde3ba5 1.0
2965 2966
2966 2967 (no rev)
2967 2968
2968 2969 $ hg diff -r 'author("babar") or author("celeste")'
2969 2970 abort: empty revision range
2970 2971 [255]
2971 2972
2972 2973 aliases:
2973 2974
2974 2975 $ echo '[revsetalias]' >> .hg/hgrc
2975 2976 $ echo 'm = merge()' >> .hg/hgrc
2976 2977 (revset aliases can override builtin revsets)
2977 2978 $ echo 'p2($1) = p1($1)' >> .hg/hgrc
2978 2979 $ echo 'sincem = descendants(m)' >> .hg/hgrc
2979 2980 $ echo 'd($1) = reverse(sort($1, date))' >> .hg/hgrc
2980 2981 $ echo 'rs(ARG1, ARG2) = reverse(sort(ARG1, ARG2))' >> .hg/hgrc
2981 2982 $ echo 'rs4(ARG1, ARGA, ARGB, ARG2) = reverse(sort(ARG1, ARG2))' >> .hg/hgrc
2982 2983
2983 2984 $ try m
2984 2985 ('symbol', 'm')
2985 2986 * expanded:
2986 2987 (func
2987 2988 ('symbol', 'merge')
2988 2989 None)
2989 2990 * set:
2990 2991 <filteredset
2991 2992 <fullreposet+ 0:9>,
2992 2993 <merge>>
2993 2994 6
2994 2995
2995 2996 $ HGPLAIN=1
2996 2997 $ export HGPLAIN
2997 2998 $ try m
2998 2999 ('symbol', 'm')
2999 3000 abort: unknown revision 'm'!
3000 3001 [255]
3001 3002
3002 3003 $ HGPLAINEXCEPT=revsetalias
3003 3004 $ export HGPLAINEXCEPT
3004 3005 $ try m
3005 3006 ('symbol', 'm')
3006 3007 * expanded:
3007 3008 (func
3008 3009 ('symbol', 'merge')
3009 3010 None)
3010 3011 * set:
3011 3012 <filteredset
3012 3013 <fullreposet+ 0:9>,
3013 3014 <merge>>
3014 3015 6
3015 3016
3016 3017 $ unset HGPLAIN
3017 3018 $ unset HGPLAINEXCEPT
3018 3019
3019 3020 $ try 'p2(.)'
3020 3021 (func
3021 3022 ('symbol', 'p2')
3022 3023 ('symbol', '.'))
3023 3024 * expanded:
3024 3025 (func
3025 3026 ('symbol', 'p1')
3026 3027 ('symbol', '.'))
3027 3028 * set:
3028 3029 <baseset+ [8]>
3029 3030 8
3030 3031
3031 3032 $ HGPLAIN=1
3032 3033 $ export HGPLAIN
3033 3034 $ try 'p2(.)'
3034 3035 (func
3035 3036 ('symbol', 'p2')
3036 3037 ('symbol', '.'))
3037 3038 * set:
3038 3039 <baseset+ []>
3039 3040
3040 3041 $ HGPLAINEXCEPT=revsetalias
3041 3042 $ export HGPLAINEXCEPT
3042 3043 $ try 'p2(.)'
3043 3044 (func
3044 3045 ('symbol', 'p2')
3045 3046 ('symbol', '.'))
3046 3047 * expanded:
3047 3048 (func
3048 3049 ('symbol', 'p1')
3049 3050 ('symbol', '.'))
3050 3051 * set:
3051 3052 <baseset+ [8]>
3052 3053 8
3053 3054
3054 3055 $ unset HGPLAIN
3055 3056 $ unset HGPLAINEXCEPT
3056 3057
3057 3058 test alias recursion
3058 3059
3059 3060 $ try sincem
3060 3061 ('symbol', 'sincem')
3061 3062 * expanded:
3062 3063 (func
3063 3064 ('symbol', 'descendants')
3064 3065 (func
3065 3066 ('symbol', 'merge')
3066 3067 None))
3067 3068 * set:
3068 3069 <addset+
3069 3070 <filteredset
3070 3071 <fullreposet+ 0:9>,
3071 3072 <merge>>,
3072 3073 <generatorset+>>
3073 3074 6
3074 3075 7
3075 3076
3076 3077 test infinite recursion
3077 3078
3078 3079 $ echo 'recurse1 = recurse2' >> .hg/hgrc
3079 3080 $ echo 'recurse2 = recurse1' >> .hg/hgrc
3080 3081 $ try recurse1
3081 3082 ('symbol', 'recurse1')
3082 3083 hg: parse error: infinite expansion of revset alias "recurse1" detected
3083 3084 [255]
3084 3085
3085 3086 $ echo 'level1($1, $2) = $1 or $2' >> .hg/hgrc
3086 3087 $ echo 'level2($1, $2) = level1($2, $1)' >> .hg/hgrc
3087 3088 $ try "level2(level1(1, 2), 3)"
3088 3089 (func
3089 3090 ('symbol', 'level2')
3090 3091 (list
3091 3092 (func
3092 3093 ('symbol', 'level1')
3093 3094 (list
3094 3095 ('symbol', '1')
3095 3096 ('symbol', '2')))
3096 3097 ('symbol', '3')))
3097 3098 * expanded:
3098 3099 (or
3099 3100 (list
3100 3101 ('symbol', '3')
3101 3102 (or
3102 3103 (list
3103 3104 ('symbol', '1')
3104 3105 ('symbol', '2')))))
3105 3106 * set:
3106 3107 <addset
3107 3108 <baseset [3]>,
3108 3109 <baseset [1, 2]>>
3109 3110 3
3110 3111 1
3111 3112 2
3112 3113
3113 3114 test nesting and variable passing
3114 3115
3115 3116 $ echo 'nested($1) = nested2($1)' >> .hg/hgrc
3116 3117 $ echo 'nested2($1) = nested3($1)' >> .hg/hgrc
3117 3118 $ echo 'nested3($1) = max($1)' >> .hg/hgrc
3118 3119 $ try 'nested(2:5)'
3119 3120 (func
3120 3121 ('symbol', 'nested')
3121 3122 (range
3122 3123 ('symbol', '2')
3123 3124 ('symbol', '5')))
3124 3125 * expanded:
3125 3126 (func
3126 3127 ('symbol', 'max')
3127 3128 (range
3128 3129 ('symbol', '2')
3129 3130 ('symbol', '5')))
3130 3131 * set:
3131 3132 <baseset
3132 3133 <max
3133 3134 <fullreposet+ 0:9>,
3134 3135 <spanset+ 2:5>>>
3135 3136 5
3136 3137
3137 3138 test chained `or` operations are flattened at parsing phase
3138 3139
3139 3140 $ echo 'chainedorops($1, $2, $3) = $1|$2|$3' >> .hg/hgrc
3140 3141 $ try 'chainedorops(0:1, 1:2, 2:3)'
3141 3142 (func
3142 3143 ('symbol', 'chainedorops')
3143 3144 (list
3144 3145 (range
3145 3146 ('symbol', '0')
3146 3147 ('symbol', '1'))
3147 3148 (range
3148 3149 ('symbol', '1')
3149 3150 ('symbol', '2'))
3150 3151 (range
3151 3152 ('symbol', '2')
3152 3153 ('symbol', '3'))))
3153 3154 * expanded:
3154 3155 (or
3155 3156 (list
3156 3157 (range
3157 3158 ('symbol', '0')
3158 3159 ('symbol', '1'))
3159 3160 (range
3160 3161 ('symbol', '1')
3161 3162 ('symbol', '2'))
3162 3163 (range
3163 3164 ('symbol', '2')
3164 3165 ('symbol', '3'))))
3165 3166 * set:
3166 3167 <addset
3167 3168 <spanset+ 0:1>,
3168 3169 <addset
3169 3170 <spanset+ 1:2>,
3170 3171 <spanset+ 2:3>>>
3171 3172 0
3172 3173 1
3173 3174 2
3174 3175 3
3175 3176
3176 3177 test variable isolation, variable placeholders are rewritten as string
3177 3178 then parsed and matched again as string. Check they do not leak too
3178 3179 far away.
3179 3180
3180 3181 $ echo 'injectparamasstring = max("$1")' >> .hg/hgrc
3181 3182 $ echo 'callinjection($1) = descendants(injectparamasstring)' >> .hg/hgrc
3182 3183 $ try 'callinjection(2:5)'
3183 3184 (func
3184 3185 ('symbol', 'callinjection')
3185 3186 (range
3186 3187 ('symbol', '2')
3187 3188 ('symbol', '5')))
3188 3189 * expanded:
3189 3190 (func
3190 3191 ('symbol', 'descendants')
3191 3192 (func
3192 3193 ('symbol', 'max')
3193 3194 ('string', '$1')))
3194 3195 abort: unknown revision '$1'!
3195 3196 [255]
3196 3197
3197 3198 test scope of alias expansion: 'universe' is expanded prior to 'shadowall(0)',
3198 3199 but 'all()' should never be substituted to '0()'.
3199 3200
3200 3201 $ echo 'universe = all()' >> .hg/hgrc
3201 3202 $ echo 'shadowall(all) = all and universe' >> .hg/hgrc
3202 3203 $ try 'shadowall(0)'
3203 3204 (func
3204 3205 ('symbol', 'shadowall')
3205 3206 ('symbol', '0'))
3206 3207 * expanded:
3207 3208 (and
3208 3209 ('symbol', '0')
3209 3210 (func
3210 3211 ('symbol', 'all')
3211 3212 None))
3212 3213 * set:
3213 3214 <filteredset
3214 3215 <baseset [0]>,
3215 3216 <spanset+ 0:9>>
3216 3217 0
3217 3218
3218 3219 test unknown reference:
3219 3220
3220 3221 $ try "unknownref(0)" --config 'revsetalias.unknownref($1)=$1:$2'
3221 3222 (func
3222 3223 ('symbol', 'unknownref')
3223 3224 ('symbol', '0'))
3224 3225 abort: bad definition of revset alias "unknownref": invalid symbol '$2'
3225 3226 [255]
3226 3227
3227 3228 $ hg debugrevspec --debug --config revsetalias.anotherbadone='branch(' "tip"
3228 3229 ('symbol', 'tip')
3229 3230 warning: bad definition of revset alias "anotherbadone": at 7: not a prefix: end
3230 3231 * set:
3231 3232 <baseset [9]>
3232 3233 9
3233 3234
3234 3235 $ try 'tip'
3235 3236 ('symbol', 'tip')
3236 3237 * set:
3237 3238 <baseset [9]>
3238 3239 9
3239 3240
3240 3241 $ hg debugrevspec --debug --config revsetalias.'bad name'='tip' "tip"
3241 3242 ('symbol', 'tip')
3242 3243 warning: bad declaration of revset alias "bad name": at 4: invalid token
3243 3244 * set:
3244 3245 <baseset [9]>
3245 3246 9
3246 3247 $ echo 'strictreplacing($1, $10) = $10 or desc("$1")' >> .hg/hgrc
3247 3248 $ try 'strictreplacing("foo", tip)'
3248 3249 (func
3249 3250 ('symbol', 'strictreplacing')
3250 3251 (list
3251 3252 ('string', 'foo')
3252 3253 ('symbol', 'tip')))
3253 3254 * expanded:
3254 3255 (or
3255 3256 (list
3256 3257 ('symbol', 'tip')
3257 3258 (func
3258 3259 ('symbol', 'desc')
3259 3260 ('string', '$1'))))
3260 3261 * set:
3261 3262 <addset
3262 3263 <baseset [9]>,
3263 3264 <filteredset
3264 3265 <fullreposet+ 0:9>,
3265 3266 <desc '$1'>>>
3266 3267 9
3267 3268
3268 3269 $ try 'd(2:5)'
3269 3270 (func
3270 3271 ('symbol', 'd')
3271 3272 (range
3272 3273 ('symbol', '2')
3273 3274 ('symbol', '5')))
3274 3275 * expanded:
3275 3276 (func
3276 3277 ('symbol', 'reverse')
3277 3278 (func
3278 3279 ('symbol', 'sort')
3279 3280 (list
3280 3281 (range
3281 3282 ('symbol', '2')
3282 3283 ('symbol', '5'))
3283 3284 ('symbol', 'date'))))
3284 3285 * set:
3285 3286 <baseset [4, 5, 3, 2]>
3286 3287 4
3287 3288 5
3288 3289 3
3289 3290 2
3290 3291 $ try 'rs(2 or 3, date)'
3291 3292 (func
3292 3293 ('symbol', 'rs')
3293 3294 (list
3294 3295 (or
3295 3296 (list
3296 3297 ('symbol', '2')
3297 3298 ('symbol', '3')))
3298 3299 ('symbol', 'date')))
3299 3300 * expanded:
3300 3301 (func
3301 3302 ('symbol', 'reverse')
3302 3303 (func
3303 3304 ('symbol', 'sort')
3304 3305 (list
3305 3306 (or
3306 3307 (list
3307 3308 ('symbol', '2')
3308 3309 ('symbol', '3')))
3309 3310 ('symbol', 'date'))))
3310 3311 * set:
3311 3312 <baseset [3, 2]>
3312 3313 3
3313 3314 2
3314 3315 $ try 'rs()'
3315 3316 (func
3316 3317 ('symbol', 'rs')
3317 3318 None)
3318 3319 hg: parse error: invalid number of arguments: 0
3319 3320 [255]
3320 3321 $ try 'rs(2)'
3321 3322 (func
3322 3323 ('symbol', 'rs')
3323 3324 ('symbol', '2'))
3324 3325 hg: parse error: invalid number of arguments: 1
3325 3326 [255]
3326 3327 $ try 'rs(2, data, 7)'
3327 3328 (func
3328 3329 ('symbol', 'rs')
3329 3330 (list
3330 3331 ('symbol', '2')
3331 3332 ('symbol', 'data')
3332 3333 ('symbol', '7')))
3333 3334 hg: parse error: invalid number of arguments: 3
3334 3335 [255]
3335 3336 $ try 'rs4(2 or 3, x, x, date)'
3336 3337 (func
3337 3338 ('symbol', 'rs4')
3338 3339 (list
3339 3340 (or
3340 3341 (list
3341 3342 ('symbol', '2')
3342 3343 ('symbol', '3')))
3343 3344 ('symbol', 'x')
3344 3345 ('symbol', 'x')
3345 3346 ('symbol', 'date')))
3346 3347 * expanded:
3347 3348 (func
3348 3349 ('symbol', 'reverse')
3349 3350 (func
3350 3351 ('symbol', 'sort')
3351 3352 (list
3352 3353 (or
3353 3354 (list
3354 3355 ('symbol', '2')
3355 3356 ('symbol', '3')))
3356 3357 ('symbol', 'date'))))
3357 3358 * set:
3358 3359 <baseset [3, 2]>
3359 3360 3
3360 3361 2
3361 3362
3362 3363 issue4553: check that revset aliases override existing hash prefix
3363 3364
3364 3365 $ hg log -qr e
3365 3366 6:e0cc66ef77e8
3366 3367
3367 3368 $ hg log -qr e --config revsetalias.e="all()"
3368 3369 0:2785f51eece5
3369 3370 1:d75937da8da0
3370 3371 2:5ed5505e9f1c
3371 3372 3:8528aa5637f2
3372 3373 4:2326846efdab
3373 3374 5:904fa392b941
3374 3375 6:e0cc66ef77e8
3375 3376 7:013af1973af4
3376 3377 8:d5d0dcbdc4d9
3377 3378 9:24286f4ae135
3378 3379
3379 3380 $ hg log -qr e: --config revsetalias.e="0"
3380 3381 0:2785f51eece5
3381 3382 1:d75937da8da0
3382 3383 2:5ed5505e9f1c
3383 3384 3:8528aa5637f2
3384 3385 4:2326846efdab
3385 3386 5:904fa392b941
3386 3387 6:e0cc66ef77e8
3387 3388 7:013af1973af4
3388 3389 8:d5d0dcbdc4d9
3389 3390 9:24286f4ae135
3390 3391
3391 3392 $ hg log -qr :e --config revsetalias.e="9"
3392 3393 0:2785f51eece5
3393 3394 1:d75937da8da0
3394 3395 2:5ed5505e9f1c
3395 3396 3:8528aa5637f2
3396 3397 4:2326846efdab
3397 3398 5:904fa392b941
3398 3399 6:e0cc66ef77e8
3399 3400 7:013af1973af4
3400 3401 8:d5d0dcbdc4d9
3401 3402 9:24286f4ae135
3402 3403
3403 3404 $ hg log -qr e:
3404 3405 6:e0cc66ef77e8
3405 3406 7:013af1973af4
3406 3407 8:d5d0dcbdc4d9
3407 3408 9:24286f4ae135
3408 3409
3409 3410 $ hg log -qr :e
3410 3411 0:2785f51eece5
3411 3412 1:d75937da8da0
3412 3413 2:5ed5505e9f1c
3413 3414 3:8528aa5637f2
3414 3415 4:2326846efdab
3415 3416 5:904fa392b941
3416 3417 6:e0cc66ef77e8
3417 3418
3418 3419 issue2549 - correct optimizations
3419 3420
3420 3421 $ try 'limit(1 or 2 or 3, 2) and not 2'
3421 3422 (and
3422 3423 (func
3423 3424 ('symbol', 'limit')
3424 3425 (list
3425 3426 (or
3426 3427 (list
3427 3428 ('symbol', '1')
3428 3429 ('symbol', '2')
3429 3430 ('symbol', '3')))
3430 3431 ('symbol', '2')))
3431 3432 (not
3432 3433 ('symbol', '2')))
3433 3434 * set:
3434 3435 <filteredset
3435 3436 <baseset
3436 3437 <limit n=2, offset=0,
3437 3438 <fullreposet+ 0:9>,
3438 3439 <baseset [1, 2, 3]>>>,
3439 3440 <not
3440 3441 <baseset [2]>>>
3441 3442 1
3442 3443 $ try 'max(1 or 2) and not 2'
3443 3444 (and
3444 3445 (func
3445 3446 ('symbol', 'max')
3446 3447 (or
3447 3448 (list
3448 3449 ('symbol', '1')
3449 3450 ('symbol', '2'))))
3450 3451 (not
3451 3452 ('symbol', '2')))
3452 3453 * set:
3453 3454 <filteredset
3454 3455 <baseset
3455 3456 <max
3456 3457 <fullreposet+ 0:9>,
3457 3458 <baseset [1, 2]>>>,
3458 3459 <not
3459 3460 <baseset [2]>>>
3460 3461 $ try 'min(1 or 2) and not 1'
3461 3462 (and
3462 3463 (func
3463 3464 ('symbol', 'min')
3464 3465 (or
3465 3466 (list
3466 3467 ('symbol', '1')
3467 3468 ('symbol', '2'))))
3468 3469 (not
3469 3470 ('symbol', '1')))
3470 3471 * set:
3471 3472 <filteredset
3472 3473 <baseset
3473 3474 <min
3474 3475 <fullreposet+ 0:9>,
3475 3476 <baseset [1, 2]>>>,
3476 3477 <not
3477 3478 <baseset [1]>>>
3478 3479 $ try 'last(1 or 2, 1) and not 2'
3479 3480 (and
3480 3481 (func
3481 3482 ('symbol', 'last')
3482 3483 (list
3483 3484 (or
3484 3485 (list
3485 3486 ('symbol', '1')
3486 3487 ('symbol', '2')))
3487 3488 ('symbol', '1')))
3488 3489 (not
3489 3490 ('symbol', '2')))
3490 3491 * set:
3491 3492 <filteredset
3492 3493 <baseset
3493 3494 <last n=1,
3494 3495 <fullreposet+ 0:9>,
3495 3496 <baseset [2, 1]>>>,
3496 3497 <not
3497 3498 <baseset [2]>>>
3498 3499
3499 3500 issue4289 - ordering of built-ins
3500 3501 $ hg log -M -q -r 3:2
3501 3502 3:8528aa5637f2
3502 3503 2:5ed5505e9f1c
3503 3504
3504 3505 test revsets started with 40-chars hash (issue3669)
3505 3506
3506 3507 $ ISSUE3669_TIP=`hg tip --template '{node}'`
3507 3508 $ hg log -r "${ISSUE3669_TIP}" --template '{rev}\n'
3508 3509 9
3509 3510 $ hg log -r "${ISSUE3669_TIP}^" --template '{rev}\n'
3510 3511 8
3511 3512
3512 3513 test or-ed indirect predicates (issue3775)
3513 3514
3514 3515 $ log '6 or 6^1' | sort
3515 3516 5
3516 3517 6
3517 3518 $ log '6^1 or 6' | sort
3518 3519 5
3519 3520 6
3520 3521 $ log '4 or 4~1' | sort
3521 3522 2
3522 3523 4
3523 3524 $ log '4~1 or 4' | sort
3524 3525 2
3525 3526 4
3526 3527 $ log '(0 or 2):(4 or 6) or 0 or 6' | sort
3527 3528 0
3528 3529 1
3529 3530 2
3530 3531 3
3531 3532 4
3532 3533 5
3533 3534 6
3534 3535 $ log '0 or 6 or (0 or 2):(4 or 6)' | sort
3535 3536 0
3536 3537 1
3537 3538 2
3538 3539 3
3539 3540 4
3540 3541 5
3541 3542 6
3542 3543
3543 3544 tests for 'remote()' predicate:
3544 3545 #. (csets in remote) (id) (remote)
3545 3546 1. less than local current branch "default"
3546 3547 2. same with local specified "default"
3547 3548 3. more than local specified specified
3548 3549
3549 3550 $ hg clone --quiet -U . ../remote3
3550 3551 $ cd ../remote3
3551 3552 $ hg update -q 7
3552 3553 $ echo r > r
3553 3554 $ hg ci -Aqm 10
3554 3555 $ log 'remote()'
3555 3556 7
3556 3557 $ log 'remote("a-b-c-")'
3557 3558 2
3558 3559 $ cd ../repo
3559 3560 $ log 'remote(".a.b.c.", "../remote3")'
3560 3561
3561 3562 tests for concatenation of strings/symbols by "##"
3562 3563
3563 3564 $ try "278 ## '5f5' ## 1ee ## 'ce5'"
3564 3565 (_concat
3565 3566 (_concat
3566 3567 (_concat
3567 3568 ('symbol', '278')
3568 3569 ('string', '5f5'))
3569 3570 ('symbol', '1ee'))
3570 3571 ('string', 'ce5'))
3571 3572 * concatenated:
3572 3573 ('string', '2785f51eece5')
3573 3574 * set:
3574 3575 <baseset [0]>
3575 3576 0
3576 3577
3577 3578 $ echo 'cat4($1, $2, $3, $4) = $1 ## $2 ## $3 ## $4' >> .hg/hgrc
3578 3579 $ try "cat4(278, '5f5', 1ee, 'ce5')"
3579 3580 (func
3580 3581 ('symbol', 'cat4')
3581 3582 (list
3582 3583 ('symbol', '278')
3583 3584 ('string', '5f5')
3584 3585 ('symbol', '1ee')
3585 3586 ('string', 'ce5')))
3586 3587 * expanded:
3587 3588 (_concat
3588 3589 (_concat
3589 3590 (_concat
3590 3591 ('symbol', '278')
3591 3592 ('string', '5f5'))
3592 3593 ('symbol', '1ee'))
3593 3594 ('string', 'ce5'))
3594 3595 * concatenated:
3595 3596 ('string', '2785f51eece5')
3596 3597 * set:
3597 3598 <baseset [0]>
3598 3599 0
3599 3600
3600 3601 (check concatenation in alias nesting)
3601 3602
3602 3603 $ echo 'cat2($1, $2) = $1 ## $2' >> .hg/hgrc
3603 3604 $ echo 'cat2x2($1, $2, $3, $4) = cat2($1 ## $2, $3 ## $4)' >> .hg/hgrc
3604 3605 $ log "cat2x2(278, '5f5', 1ee, 'ce5')"
3605 3606 0
3606 3607
3607 3608 (check operator priority)
3608 3609
3609 3610 $ echo 'cat2n2($1, $2, $3, $4) = $1 ## $2 or $3 ## $4~2' >> .hg/hgrc
3610 3611 $ log "cat2n2(2785f5, 1eece5, 24286f, 4ae135)"
3611 3612 0
3612 3613 4
3613 3614
3614 3615 $ cd ..
3615 3616
3616 3617 prepare repository that has "default" branches of multiple roots
3617 3618
3618 3619 $ hg init namedbranch
3619 3620 $ cd namedbranch
3620 3621
3621 3622 $ echo default0 >> a
3622 3623 $ hg ci -Aqm0
3623 3624 $ echo default1 >> a
3624 3625 $ hg ci -m1
3625 3626
3626 3627 $ hg branch -q stable
3627 3628 $ echo stable2 >> a
3628 3629 $ hg ci -m2
3629 3630 $ echo stable3 >> a
3630 3631 $ hg ci -m3
3631 3632
3632 3633 $ hg update -q null
3633 3634 $ echo default4 >> a
3634 3635 $ hg ci -Aqm4
3635 3636 $ echo default5 >> a
3636 3637 $ hg ci -m5
3637 3638
3638 3639 "null" revision belongs to "default" branch (issue4683)
3639 3640
3640 3641 $ log 'branch(null)'
3641 3642 0
3642 3643 1
3643 3644 4
3644 3645 5
3645 3646
3646 3647 "null" revision belongs to "default" branch, but it shouldn't appear in set
3647 3648 unless explicitly specified (issue4682)
3648 3649
3649 3650 $ log 'children(branch(default))'
3650 3651 1
3651 3652 2
3652 3653 5
3653 3654
3654 3655 $ cd ..
3655 3656
3656 3657 test author/desc/keyword in problematic encoding
3657 3658 # unicode: cp932:
3658 3659 # u30A2 0x83 0x41(= 'A')
3659 3660 # u30C2 0x83 0x61(= 'a')
3660 3661
3661 3662 $ hg init problematicencoding
3662 3663 $ cd problematicencoding
3663 3664
3664 3665 $ python > setup.sh <<EOF
3665 3666 > print u'''
3666 3667 > echo a > text
3667 3668 > hg add text
3668 3669 > hg --encoding utf-8 commit -u '\u30A2' -m none
3669 3670 > echo b > text
3670 3671 > hg --encoding utf-8 commit -u '\u30C2' -m none
3671 3672 > echo c > text
3672 3673 > hg --encoding utf-8 commit -u none -m '\u30A2'
3673 3674 > echo d > text
3674 3675 > hg --encoding utf-8 commit -u none -m '\u30C2'
3675 3676 > '''.encode('utf-8')
3676 3677 > EOF
3677 3678 $ sh < setup.sh
3678 3679
3679 3680 test in problematic encoding
3680 3681 $ python > test.sh <<EOF
3681 3682 > print u'''
3682 3683 > hg --encoding cp932 log --template '{rev}\\n' -r 'author(\u30A2)'
3683 3684 > echo ====
3684 3685 > hg --encoding cp932 log --template '{rev}\\n' -r 'author(\u30C2)'
3685 3686 > echo ====
3686 3687 > hg --encoding cp932 log --template '{rev}\\n' -r 'desc(\u30A2)'
3687 3688 > echo ====
3688 3689 > hg --encoding cp932 log --template '{rev}\\n' -r 'desc(\u30C2)'
3689 3690 > echo ====
3690 3691 > hg --encoding cp932 log --template '{rev}\\n' -r 'keyword(\u30A2)'
3691 3692 > echo ====
3692 3693 > hg --encoding cp932 log --template '{rev}\\n' -r 'keyword(\u30C2)'
3693 3694 > '''.encode('cp932')
3694 3695 > EOF
3695 3696 $ sh < test.sh
3696 3697 0
3697 3698 ====
3698 3699 1
3699 3700 ====
3700 3701 2
3701 3702 ====
3702 3703 3
3703 3704 ====
3704 3705 0
3705 3706 2
3706 3707 ====
3707 3708 1
3708 3709 3
3709 3710
3710 3711 test error message of bad revset
3711 3712 $ hg log -r 'foo\\'
3712 3713 hg: parse error at 3: syntax error in revset 'foo\\'
3713 3714 [255]
3714 3715
3715 3716 $ cd ..
3716 3717
3717 3718 Test that revset predicate of extension isn't loaded at failure of
3718 3719 loading it
3719 3720
3720 3721 $ cd repo
3721 3722
3722 3723 $ cat <<EOF > $TESTTMP/custompredicate.py
3723 3724 > from mercurial import error, registrar, revset
3724 3725 >
3725 3726 > revsetpredicate = registrar.revsetpredicate()
3726 3727 >
3727 3728 > @revsetpredicate('custom1()')
3728 3729 > def custom1(repo, subset, x):
3729 3730 > return revset.baseset([1])
3730 3731 >
3731 3732 > raise error.Abort('intentional failure of loading extension')
3732 3733 > EOF
3733 3734 $ cat <<EOF > .hg/hgrc
3734 3735 > [extensions]
3735 3736 > custompredicate = $TESTTMP/custompredicate.py
3736 3737 > EOF
3737 3738
3738 3739 $ hg debugrevspec "custom1()"
3739 3740 *** failed to import extension custompredicate from $TESTTMP/custompredicate.py: intentional failure of loading extension
3740 3741 hg: parse error: unknown identifier: custom1
3741 3742 [255]
3742 3743
3743 3744 $ cd ..
General Comments 0
You need to be logged in to leave comments. Login now