##// END OF EJS Templates
fileset: add hint for list error to use or
timeless -
r27518:737ffdab default
parent child Browse files
Show More
@@ -1,563 +1,564
1 1 # fileset.py - file 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 re
11 11
12 12 from .i18n import _
13 13 from . import (
14 14 error,
15 15 merge,
16 16 parser,
17 17 util,
18 18 )
19 19
20 20 elements = {
21 21 # token-type: binding-strength, primary, prefix, infix, suffix
22 22 "(": (20, None, ("group", 1, ")"), ("func", 1, ")"), None),
23 23 "-": (5, None, ("negate", 19), ("minus", 5), None),
24 24 "not": (10, None, ("not", 10), None, None),
25 25 "!": (10, None, ("not", 10), None, None),
26 26 "and": (5, None, None, ("and", 5), None),
27 27 "&": (5, None, None, ("and", 5), None),
28 28 "or": (4, None, None, ("or", 4), None),
29 29 "|": (4, None, None, ("or", 4), None),
30 30 "+": (4, None, None, ("or", 4), None),
31 31 ",": (2, None, None, ("list", 2), None),
32 32 ")": (0, None, None, None, None),
33 33 "symbol": (0, "symbol", None, None, None),
34 34 "string": (0, "string", None, None, None),
35 35 "end": (0, None, None, None, None),
36 36 }
37 37
38 38 keywords = set(['and', 'or', 'not'])
39 39
40 40 globchars = ".*{}[]?/\\_"
41 41
42 42 def tokenize(program):
43 43 pos, l = 0, len(program)
44 44 while pos < l:
45 45 c = program[pos]
46 46 if c.isspace(): # skip inter-token whitespace
47 47 pass
48 48 elif c in "(),-|&+!": # handle simple operators
49 49 yield (c, None, pos)
50 50 elif (c in '"\'' or c == 'r' and
51 51 program[pos:pos + 2] in ("r'", 'r"')): # handle quoted strings
52 52 if c == 'r':
53 53 pos += 1
54 54 c = program[pos]
55 55 decode = lambda x: x
56 56 else:
57 57 decode = parser.unescapestr
58 58 pos += 1
59 59 s = pos
60 60 while pos < l: # find closing quote
61 61 d = program[pos]
62 62 if d == '\\': # skip over escaped characters
63 63 pos += 2
64 64 continue
65 65 if d == c:
66 66 yield ('string', decode(program[s:pos]), s)
67 67 break
68 68 pos += 1
69 69 else:
70 70 raise error.ParseError(_("unterminated string"), s)
71 71 elif c.isalnum() or c in globchars or ord(c) > 127:
72 72 # gather up a symbol/keyword
73 73 s = pos
74 74 pos += 1
75 75 while pos < l: # find end of symbol
76 76 d = program[pos]
77 77 if not (d.isalnum() or d in globchars or ord(d) > 127):
78 78 break
79 79 pos += 1
80 80 sym = program[s:pos]
81 81 if sym in keywords: # operator keywords
82 82 yield (sym, None, s)
83 83 else:
84 84 yield ('symbol', sym, s)
85 85 pos -= 1
86 86 else:
87 87 raise error.ParseError(_("syntax error"), pos)
88 88 pos += 1
89 89 yield ('end', None, pos)
90 90
91 91 def parse(expr):
92 92 p = parser.parser(elements)
93 93 tree, pos = p.parse(tokenize(expr))
94 94 if pos != len(expr):
95 95 raise error.ParseError(_("invalid token"), pos)
96 96 return tree
97 97
98 98 def getstring(x, err):
99 99 if x and (x[0] == 'string' or x[0] == 'symbol'):
100 100 return x[1]
101 101 raise error.ParseError(err)
102 102
103 103 def getset(mctx, x):
104 104 if not x:
105 105 raise error.ParseError(_("missing argument"))
106 106 return methods[x[0]](mctx, *x[1:])
107 107
108 108 def stringset(mctx, x):
109 109 m = mctx.matcher([x])
110 110 return [f for f in mctx.subset if m(f)]
111 111
112 112 def andset(mctx, x, y):
113 113 return getset(mctx.narrow(getset(mctx, x)), y)
114 114
115 115 def orset(mctx, x, y):
116 116 # needs optimizing
117 117 xl = getset(mctx, x)
118 118 yl = getset(mctx, y)
119 119 return xl + [f for f in yl if f not in xl]
120 120
121 121 def notset(mctx, x):
122 122 s = set(getset(mctx, x))
123 123 return [r for r in mctx.subset if r not in s]
124 124
125 125 def minusset(mctx, x, y):
126 126 xl = getset(mctx, x)
127 127 yl = set(getset(mctx, y))
128 128 return [f for f in xl if f not in yl]
129 129
130 130 def listset(mctx, a, b):
131 raise error.ParseError(_("can't use a list in this context"))
131 raise error.ParseError(_("can't use a list in this context"),
132 hint=_('see hg help "filesets.x or y"'))
132 133
133 134 # symbols are callable like:
134 135 # fun(mctx, x)
135 136 # with:
136 137 # mctx - current matchctx instance
137 138 # x - argument in tree form
138 139 symbols = {}
139 140
140 141 # filesets using matchctx.status()
141 142 _statuscallers = set()
142 143
143 144 # filesets using matchctx.existing()
144 145 _existingcallers = set()
145 146
146 147 def predicate(decl, callstatus=False, callexisting=False):
147 148 """Return a decorator for fileset predicate function
148 149
149 150 'decl' argument is the declaration (including argument list like
150 151 'adds(pattern)') or the name (for internal use only) of predicate.
151 152
152 153 Optional 'callstatus' argument indicates whether predicate implies
153 154 'matchctx.status()' at runtime or not (False, by default).
154 155
155 156 Optional 'callexisting' argument indicates whether predicate
156 157 implies 'matchctx.existing()' at runtime or not (False, by
157 158 default).
158 159 """
159 160 def decorator(func):
160 161 i = decl.find('(')
161 162 if i > 0:
162 163 name = decl[:i]
163 164 else:
164 165 name = decl
165 166 symbols[name] = func
166 167 if callstatus:
167 168 _statuscallers.add(name)
168 169 if callexisting:
169 170 _existingcallers.add(name)
170 171 if func.__doc__:
171 172 func.__doc__ = "``%s``\n %s" % (decl, func.__doc__.strip())
172 173 return func
173 174 return decorator
174 175
175 176 @predicate('modified()', callstatus=True)
176 177 def modified(mctx, x):
177 178 """File that is modified according to :hg:`status`.
178 179 """
179 180 # i18n: "modified" is a keyword
180 181 getargs(x, 0, 0, _("modified takes no arguments"))
181 182 s = mctx.status().modified
182 183 return [f for f in mctx.subset if f in s]
183 184
184 185 @predicate('added()', callstatus=True)
185 186 def added(mctx, x):
186 187 """File that is added according to :hg:`status`.
187 188 """
188 189 # i18n: "added" is a keyword
189 190 getargs(x, 0, 0, _("added takes no arguments"))
190 191 s = mctx.status().added
191 192 return [f for f in mctx.subset if f in s]
192 193
193 194 @predicate('removed()', callstatus=True)
194 195 def removed(mctx, x):
195 196 """File that is removed according to :hg:`status`.
196 197 """
197 198 # i18n: "removed" is a keyword
198 199 getargs(x, 0, 0, _("removed takes no arguments"))
199 200 s = mctx.status().removed
200 201 return [f for f in mctx.subset if f in s]
201 202
202 203 @predicate('deleted()', callstatus=True)
203 204 def deleted(mctx, x):
204 205 """Alias for ``missing()``.
205 206 """
206 207 # i18n: "deleted" is a keyword
207 208 getargs(x, 0, 0, _("deleted takes no arguments"))
208 209 s = mctx.status().deleted
209 210 return [f for f in mctx.subset if f in s]
210 211
211 212 @predicate('missing()', callstatus=True)
212 213 def missing(mctx, x):
213 214 """File that is missing according to :hg:`status`.
214 215 """
215 216 # i18n: "missing" is a keyword
216 217 getargs(x, 0, 0, _("missing takes no arguments"))
217 218 s = mctx.status().deleted
218 219 return [f for f in mctx.subset if f in s]
219 220
220 221 @predicate('unknown()', callstatus=True)
221 222 def unknown(mctx, x):
222 223 """File that is unknown according to :hg:`status`. These files will only be
223 224 considered if this predicate is used.
224 225 """
225 226 # i18n: "unknown" is a keyword
226 227 getargs(x, 0, 0, _("unknown takes no arguments"))
227 228 s = mctx.status().unknown
228 229 return [f for f in mctx.subset if f in s]
229 230
230 231 @predicate('ignored()', callstatus=True)
231 232 def ignored(mctx, x):
232 233 """File that is ignored according to :hg:`status`. These files will only be
233 234 considered if this predicate is used.
234 235 """
235 236 # i18n: "ignored" is a keyword
236 237 getargs(x, 0, 0, _("ignored takes no arguments"))
237 238 s = mctx.status().ignored
238 239 return [f for f in mctx.subset if f in s]
239 240
240 241 @predicate('clean()', callstatus=True)
241 242 def clean(mctx, x):
242 243 """File that is clean according to :hg:`status`.
243 244 """
244 245 # i18n: "clean" is a keyword
245 246 getargs(x, 0, 0, _("clean takes no arguments"))
246 247 s = mctx.status().clean
247 248 return [f for f in mctx.subset if f in s]
248 249
249 250 def func(mctx, a, b):
250 251 if a[0] == 'symbol' and a[1] in symbols:
251 252 funcname = a[1]
252 253 enabled = mctx._existingenabled
253 254 mctx._existingenabled = funcname in _existingcallers
254 255 try:
255 256 return symbols[funcname](mctx, b)
256 257 finally:
257 258 mctx._existingenabled = enabled
258 259
259 260 keep = lambda fn: getattr(fn, '__doc__', None) is not None
260 261
261 262 syms = [s for (s, fn) in symbols.items() if keep(fn)]
262 263 raise error.UnknownIdentifier(a[1], syms)
263 264
264 265 def getlist(x):
265 266 if not x:
266 267 return []
267 268 if x[0] == 'list':
268 269 return getlist(x[1]) + [x[2]]
269 270 return [x]
270 271
271 272 def getargs(x, min, max, err):
272 273 l = getlist(x)
273 274 if len(l) < min or len(l) > max:
274 275 raise error.ParseError(err)
275 276 return l
276 277
277 278 @predicate('binary()', callexisting=True)
278 279 def binary(mctx, x):
279 280 """File that appears to be binary (contains NUL bytes).
280 281 """
281 282 # i18n: "binary" is a keyword
282 283 getargs(x, 0, 0, _("binary takes no arguments"))
283 284 return [f for f in mctx.existing() if util.binary(mctx.ctx[f].data())]
284 285
285 286 @predicate('exec()', callexisting=True)
286 287 def exec_(mctx, x):
287 288 """File that is marked as executable.
288 289 """
289 290 # i18n: "exec" is a keyword
290 291 getargs(x, 0, 0, _("exec takes no arguments"))
291 292 return [f for f in mctx.existing() if mctx.ctx.flags(f) == 'x']
292 293
293 294 @predicate('symlink()', callexisting=True)
294 295 def symlink(mctx, x):
295 296 """File that is marked as a symlink.
296 297 """
297 298 # i18n: "symlink" is a keyword
298 299 getargs(x, 0, 0, _("symlink takes no arguments"))
299 300 return [f for f in mctx.existing() if mctx.ctx.flags(f) == 'l']
300 301
301 302 @predicate('resolved()')
302 303 def resolved(mctx, x):
303 304 """File that is marked resolved according to :hg:`resolve -l`.
304 305 """
305 306 # i18n: "resolved" is a keyword
306 307 getargs(x, 0, 0, _("resolved takes no arguments"))
307 308 if mctx.ctx.rev() is not None:
308 309 return []
309 310 ms = merge.mergestate.read(mctx.ctx.repo())
310 311 return [f for f in mctx.subset if f in ms and ms[f] == 'r']
311 312
312 313 @predicate('unresolved()')
313 314 def unresolved(mctx, x):
314 315 """File that is marked unresolved according to :hg:`resolve -l`.
315 316 """
316 317 # i18n: "unresolved" is a keyword
317 318 getargs(x, 0, 0, _("unresolved takes no arguments"))
318 319 if mctx.ctx.rev() is not None:
319 320 return []
320 321 ms = merge.mergestate.read(mctx.ctx.repo())
321 322 return [f for f in mctx.subset if f in ms and ms[f] == 'u']
322 323
323 324 @predicate('hgignore()')
324 325 def hgignore(mctx, x):
325 326 """File that matches the active .hgignore pattern.
326 327 """
327 328 # i18n: "hgignore" is a keyword
328 329 getargs(x, 0, 0, _("hgignore takes no arguments"))
329 330 ignore = mctx.ctx.repo().dirstate._ignore
330 331 return [f for f in mctx.subset if ignore(f)]
331 332
332 333 @predicate('portable()')
333 334 def portable(mctx, x):
334 335 """File that has a portable name. (This doesn't include filenames with case
335 336 collisions.)
336 337 """
337 338 # i18n: "portable" is a keyword
338 339 getargs(x, 0, 0, _("portable takes no arguments"))
339 340 checkwinfilename = util.checkwinfilename
340 341 return [f for f in mctx.subset if checkwinfilename(f) is None]
341 342
342 343 @predicate('grep(regex)', callexisting=True)
343 344 def grep(mctx, x):
344 345 """File contains the given regular expression.
345 346 """
346 347 try:
347 348 # i18n: "grep" is a keyword
348 349 r = re.compile(getstring(x, _("grep requires a pattern")))
349 350 except re.error as e:
350 351 raise error.ParseError(_('invalid match pattern: %s') % e)
351 352 return [f for f in mctx.existing() if r.search(mctx.ctx[f].data())]
352 353
353 354 def _sizetomax(s):
354 355 try:
355 356 s = s.strip().lower()
356 357 for k, v in util._sizeunits:
357 358 if s.endswith(k):
358 359 # max(4k) = 5k - 1, max(4.5k) = 4.6k - 1
359 360 n = s[:-len(k)]
360 361 inc = 1.0
361 362 if "." in n:
362 363 inc /= 10 ** len(n.split(".")[1])
363 364 return int((float(n) + inc) * v) - 1
364 365 # no extension, this is a precise value
365 366 return int(s)
366 367 except ValueError:
367 368 raise error.ParseError(_("couldn't parse size: %s") % s)
368 369
369 370 @predicate('size(expression)', callexisting=True)
370 371 def size(mctx, x):
371 372 """File size matches the given expression. Examples:
372 373
373 374 - 1k (files from 1024 to 2047 bytes)
374 375 - < 20k (files less than 20480 bytes)
375 376 - >= .5MB (files at least 524288 bytes)
376 377 - 4k - 1MB (files from 4096 bytes to 1048576 bytes)
377 378 """
378 379
379 380 # i18n: "size" is a keyword
380 381 expr = getstring(x, _("size requires an expression")).strip()
381 382 if '-' in expr: # do we have a range?
382 383 a, b = expr.split('-', 1)
383 384 a = util.sizetoint(a)
384 385 b = util.sizetoint(b)
385 386 m = lambda x: x >= a and x <= b
386 387 elif expr.startswith("<="):
387 388 a = util.sizetoint(expr[2:])
388 389 m = lambda x: x <= a
389 390 elif expr.startswith("<"):
390 391 a = util.sizetoint(expr[1:])
391 392 m = lambda x: x < a
392 393 elif expr.startswith(">="):
393 394 a = util.sizetoint(expr[2:])
394 395 m = lambda x: x >= a
395 396 elif expr.startswith(">"):
396 397 a = util.sizetoint(expr[1:])
397 398 m = lambda x: x > a
398 399 elif expr[0].isdigit or expr[0] == '.':
399 400 a = util.sizetoint(expr)
400 401 b = _sizetomax(expr)
401 402 m = lambda x: x >= a and x <= b
402 403 else:
403 404 raise error.ParseError(_("couldn't parse size: %s") % expr)
404 405
405 406 return [f for f in mctx.existing() if m(mctx.ctx[f].size())]
406 407
407 408 @predicate('encoding(name)', callexisting=True)
408 409 def encoding(mctx, x):
409 410 """File can be successfully decoded with the given character
410 411 encoding. May not be useful for encodings other than ASCII and
411 412 UTF-8.
412 413 """
413 414
414 415 # i18n: "encoding" is a keyword
415 416 enc = getstring(x, _("encoding requires an encoding name"))
416 417
417 418 s = []
418 419 for f in mctx.existing():
419 420 d = mctx.ctx[f].data()
420 421 try:
421 422 d.decode(enc)
422 423 except LookupError:
423 424 raise error.Abort(_("unknown encoding '%s'") % enc)
424 425 except UnicodeDecodeError:
425 426 continue
426 427 s.append(f)
427 428
428 429 return s
429 430
430 431 @predicate('eol(style)', callexisting=True)
431 432 def eol(mctx, x):
432 433 """File contains newlines of the given style (dos, unix, mac). Binary
433 434 files are excluded, files with mixed line endings match multiple
434 435 styles.
435 436 """
436 437
437 438 # i18n: "encoding" is a keyword
438 439 enc = getstring(x, _("encoding requires an encoding name"))
439 440
440 441 s = []
441 442 for f in mctx.existing():
442 443 d = mctx.ctx[f].data()
443 444 if util.binary(d):
444 445 continue
445 446 if (enc == 'dos' or enc == 'win') and '\r\n' in d:
446 447 s.append(f)
447 448 elif enc == 'unix' and re.search('(?<!\r)\n', d):
448 449 s.append(f)
449 450 elif enc == 'mac' and re.search('\r(?!\n)', d):
450 451 s.append(f)
451 452 return s
452 453
453 454 @predicate('copied()')
454 455 def copied(mctx, x):
455 456 """File that is recorded as being copied.
456 457 """
457 458 # i18n: "copied" is a keyword
458 459 getargs(x, 0, 0, _("copied takes no arguments"))
459 460 s = []
460 461 for f in mctx.subset:
461 462 p = mctx.ctx[f].parents()
462 463 if p and p[0].path() != f:
463 464 s.append(f)
464 465 return s
465 466
466 467 @predicate('subrepo([pattern])')
467 468 def subrepo(mctx, x):
468 469 """Subrepositories whose paths match the given pattern.
469 470 """
470 471 # i18n: "subrepo" is a keyword
471 472 getargs(x, 0, 1, _("subrepo takes at most one argument"))
472 473 ctx = mctx.ctx
473 474 sstate = sorted(ctx.substate)
474 475 if x:
475 476 # i18n: "subrepo" is a keyword
476 477 pat = getstring(x, _("subrepo requires a pattern or no arguments"))
477 478
478 479 from . import match as matchmod # avoid circular import issues
479 480 fast = not matchmod.patkind(pat)
480 481 if fast:
481 482 def m(s):
482 483 return (s == pat)
483 484 else:
484 485 m = matchmod.match(ctx.repo().root, '', [pat], ctx=ctx)
485 486 return [sub for sub in sstate if m(sub)]
486 487 else:
487 488 return [sub for sub in sstate]
488 489
489 490 methods = {
490 491 'string': stringset,
491 492 'symbol': stringset,
492 493 'and': andset,
493 494 'or': orset,
494 495 'minus': minusset,
495 496 'list': listset,
496 497 'group': getset,
497 498 'not': notset,
498 499 'func': func,
499 500 }
500 501
501 502 class matchctx(object):
502 503 def __init__(self, ctx, subset=None, status=None):
503 504 self.ctx = ctx
504 505 self.subset = subset
505 506 self._status = status
506 507 self._existingenabled = False
507 508 def status(self):
508 509 return self._status
509 510 def matcher(self, patterns):
510 511 return self.ctx.match(patterns)
511 512 def filter(self, files):
512 513 return [f for f in files if f in self.subset]
513 514 def existing(self):
514 515 assert self._existingenabled, 'unexpected existing() invocation'
515 516 if self._status is not None:
516 517 removed = set(self._status[3])
517 518 unknown = set(self._status[4] + self._status[5])
518 519 else:
519 520 removed = set()
520 521 unknown = set()
521 522 return (f for f in self.subset
522 523 if (f in self.ctx and f not in removed) or f in unknown)
523 524 def narrow(self, files):
524 525 return matchctx(self.ctx, self.filter(files), self._status)
525 526
526 527 def _intree(funcs, tree):
527 528 if isinstance(tree, tuple):
528 529 if tree[0] == 'func' and tree[1][0] == 'symbol':
529 530 if tree[1][1] in funcs:
530 531 return True
531 532 for s in tree[1:]:
532 533 if _intree(funcs, s):
533 534 return True
534 535 return False
535 536
536 537 def getfileset(ctx, expr):
537 538 tree = parse(expr)
538 539
539 540 # do we need status info?
540 541 if (_intree(_statuscallers, tree) or
541 542 # Using matchctx.existing() on a workingctx requires us to check
542 543 # for deleted files.
543 544 (ctx.rev() is None and _intree(_existingcallers, tree))):
544 545 unknown = _intree(['unknown'], tree)
545 546 ignored = _intree(['ignored'], tree)
546 547
547 548 r = ctx.repo()
548 549 status = r.status(ctx.p1(), ctx,
549 550 unknown=unknown, ignored=ignored, clean=True)
550 551 subset = []
551 552 for c in status:
552 553 subset.extend(c)
553 554 else:
554 555 status = None
555 556 subset = list(ctx.walk(ctx.match([])))
556 557
557 558 return getset(matchctx(ctx, subset, status), tree)
558 559
559 560 def prettyformat(tree):
560 561 return parser.prettyformat(tree, ('string', 'symbol'))
561 562
562 563 # tell hggettext to extract docstrings from these functions:
563 564 i18nfunctions = symbols.values()
@@ -1,364 +1,368
1 1 $ fileset() {
2 2 > hg debugfileset "$@"
3 3 > }
4 4
5 5 $ hg init repo
6 6 $ cd repo
7 7 $ echo a > a1
8 8 $ echo a > a2
9 9 $ echo b > b1
10 10 $ echo b > b2
11 11 $ hg ci -Am addfiles
12 12 adding a1
13 13 adding a2
14 14 adding b1
15 15 adding b2
16 16
17 17 Test operators and basic patterns
18 18
19 19 $ fileset -v a1
20 20 ('symbol', 'a1')
21 21 a1
22 22 $ fileset -v 'a*'
23 23 ('symbol', 'a*')
24 24 a1
25 25 a2
26 26 $ fileset -v '"re:a\d"'
27 27 ('string', 're:a\\d')
28 28 a1
29 29 a2
30 30 $ fileset -v 'a1 or a2'
31 31 (or
32 32 ('symbol', 'a1')
33 33 ('symbol', 'a2'))
34 34 a1
35 35 a2
36 36 $ fileset 'a1 | a2'
37 37 a1
38 38 a2
39 39 $ fileset 'a* and "*1"'
40 40 a1
41 41 $ fileset 'a* & "*1"'
42 42 a1
43 43 $ fileset 'not (r"a*")'
44 44 b1
45 45 b2
46 46 $ fileset '! ("a*")'
47 47 b1
48 48 b2
49 49 $ fileset 'a* - a1'
50 50 a2
51 51 $ fileset 'a_b'
52 52 $ fileset '"\xy"'
53 53 hg: parse error: invalid \x escape
54 54 [255]
55 55
56 56 Test files status
57 57
58 58 $ rm a1
59 59 $ hg rm a2
60 60 $ echo b >> b2
61 61 $ hg cp b1 c1
62 62 $ echo c > c2
63 63 $ echo c > c3
64 64 $ cat > .hgignore <<EOF
65 65 > \.hgignore
66 66 > 2$
67 67 > EOF
68 68 $ fileset 'modified()'
69 69 b2
70 70 $ fileset 'added()'
71 71 c1
72 72 $ fileset 'removed()'
73 73 a2
74 74 $ fileset 'deleted()'
75 75 a1
76 76 $ fileset 'missing()'
77 77 a1
78 78 $ fileset 'unknown()'
79 79 c3
80 80 $ fileset 'ignored()'
81 81 .hgignore
82 82 c2
83 83 $ fileset 'hgignore()'
84 84 a2
85 85 b2
86 86 $ fileset 'clean()'
87 87 b1
88 88 $ fileset 'copied()'
89 89 c1
90 90
91 91 Test files properties
92 92
93 93 >>> file('bin', 'wb').write('\0a')
94 94 $ fileset 'binary()'
95 95 $ fileset 'binary() and unknown()'
96 96 bin
97 97 $ echo '^bin$' >> .hgignore
98 98 $ fileset 'binary() and ignored()'
99 99 bin
100 100 $ hg add bin
101 101 $ fileset 'binary()'
102 102 bin
103 103
104 104 $ fileset 'grep("b{1}")'
105 105 b2
106 106 c1
107 107 b1
108 108 $ fileset 'grep("missingparens(")'
109 109 hg: parse error: invalid match pattern: unbalanced parenthesis
110 110 [255]
111 111
112 112 #if execbit
113 113 $ chmod +x b2
114 114 $ fileset 'exec()'
115 115 b2
116 116 #endif
117 117
118 118 #if symlink
119 119 $ ln -s b2 b2link
120 120 $ fileset 'symlink() and unknown()'
121 121 b2link
122 122 $ hg add b2link
123 123 #endif
124 124
125 125 #if no-windows
126 126 $ echo foo > con.xml
127 127 $ fileset 'not portable()'
128 128 con.xml
129 129 $ hg --config ui.portablefilenames=ignore add con.xml
130 130 #endif
131 131
132 132 >>> file('1k', 'wb').write(' '*1024)
133 133 >>> file('2k', 'wb').write(' '*2048)
134 134 $ hg add 1k 2k
135 135 $ fileset 'size("bar")'
136 136 hg: parse error: couldn't parse size: bar
137 137 [255]
138 $ fileset '(1k, 2k)'
139 hg: parse error: can't use a list in this context
140 (see hg help "filesets.x or y")
141 [255]
138 142 $ fileset 'size(1k)'
139 143 1k
140 144 $ fileset '(1k or 2k) and size("< 2k")'
141 145 1k
142 146 $ fileset '(1k or 2k) and size("<=2k")'
143 147 1k
144 148 2k
145 149 $ fileset '(1k or 2k) and size("> 1k")'
146 150 2k
147 151 $ fileset '(1k or 2k) and size(">=1K")'
148 152 1k
149 153 2k
150 154 $ fileset '(1k or 2k) and size(".5KB - 1.5kB")'
151 155 1k
152 156 $ fileset 'size("1M")'
153 157 $ fileset 'size("1 GB")'
154 158
155 159 Test merge states
156 160
157 161 $ hg ci -m manychanges
158 162 $ hg up -C 0
159 163 * files updated, 0 files merged, * files removed, 0 files unresolved (glob)
160 164 $ echo c >> b2
161 165 $ hg ci -m diverging b2
162 166 created new head
163 167 $ fileset 'resolved()'
164 168 $ fileset 'unresolved()'
165 169 $ hg merge
166 170 merging b2
167 171 warning: conflicts while merging b2! (edit, then use 'hg resolve --mark')
168 172 * files updated, 0 files merged, 1 files removed, 1 files unresolved (glob)
169 173 use 'hg resolve' to retry unresolved file merges or 'hg update -C .' to abandon
170 174 [1]
171 175 $ fileset 'resolved()'
172 176 $ fileset 'unresolved()'
173 177 b2
174 178 $ echo e > b2
175 179 $ hg resolve -m b2
176 180 (no more unresolved files)
177 181 $ fileset 'resolved()'
178 182 b2
179 183 $ fileset 'unresolved()'
180 184 $ hg ci -m merge
181 185
182 186 Test subrepo predicate
183 187
184 188 $ hg init sub
185 189 $ echo a > sub/suba
186 190 $ hg -R sub add sub/suba
187 191 $ hg -R sub ci -m sub
188 192 $ echo 'sub = sub' > .hgsub
189 193 $ hg init sub2
190 194 $ echo b > sub2/b
191 195 $ hg -R sub2 ci -Am sub2
192 196 adding b
193 197 $ echo 'sub2 = sub2' >> .hgsub
194 198 $ fileset 'subrepo()'
195 199 $ hg add .hgsub
196 200 $ fileset 'subrepo()'
197 201 sub
198 202 sub2
199 203 $ fileset 'subrepo("sub")'
200 204 sub
201 205 $ fileset 'subrepo("glob:*")'
202 206 sub
203 207 sub2
204 208 $ hg ci -m subrepo
205 209
206 210 Test that .hgsubstate is updated as appropriate during a conversion. The
207 211 saverev property is enough to alter the hashes of the subrepo.
208 212
209 213 $ hg init ../converted
210 214 $ hg --config extensions.convert= convert --config convert.hg.saverev=True \
211 215 > sub ../converted/sub
212 216 initializing destination ../converted/sub repository
213 217 scanning source...
214 218 sorting...
215 219 converting...
216 220 0 sub
217 221 $ hg clone -U sub2 ../converted/sub2
218 222 $ hg --config extensions.convert= convert --config convert.hg.saverev=True \
219 223 > . ../converted
220 224 scanning source...
221 225 sorting...
222 226 converting...
223 227 4 addfiles
224 228 3 manychanges
225 229 2 diverging
226 230 1 merge
227 231 0 subrepo
228 232 no ".hgsubstate" updates will be made for "sub2"
229 233 $ hg up -q -R ../converted -r tip
230 234 $ hg --cwd ../converted cat sub/suba sub2/b -r tip
231 235 a
232 236 b
233 237 $ oldnode=`hg log -r tip -T "{node}\n"`
234 238 $ newnode=`hg log -R ../converted -r tip -T "{node}\n"`
235 239 $ [ "$oldnode" != "$newnode" ] || echo "nothing changed"
236 240
237 241 Test with a revision
238 242
239 243 $ hg log -G --template '{rev} {desc}\n'
240 244 @ 4 subrepo
241 245 |
242 246 o 3 merge
243 247 |\
244 248 | o 2 diverging
245 249 | |
246 250 o | 1 manychanges
247 251 |/
248 252 o 0 addfiles
249 253
250 254 $ echo unknown > unknown
251 255 $ fileset -r1 'modified()'
252 256 b2
253 257 $ fileset -r1 'added() and c1'
254 258 c1
255 259 $ fileset -r1 'removed()'
256 260 a2
257 261 $ fileset -r1 'deleted()'
258 262 $ fileset -r1 'unknown()'
259 263 $ fileset -r1 'ignored()'
260 264 $ fileset -r1 'hgignore()'
261 265 b2
262 266 bin
263 267 $ fileset -r1 'binary()'
264 268 bin
265 269 $ fileset -r1 'size(1k)'
266 270 1k
267 271 $ fileset -r3 'resolved()'
268 272 $ fileset -r3 'unresolved()'
269 273
270 274 #if execbit
271 275 $ fileset -r1 'exec()'
272 276 b2
273 277 #endif
274 278
275 279 #if symlink
276 280 $ fileset -r1 'symlink()'
277 281 b2link
278 282 #endif
279 283
280 284 #if no-windows
281 285 $ fileset -r1 'not portable()'
282 286 con.xml
283 287 $ hg forget 'con.xml'
284 288 #endif
285 289
286 290 $ fileset -r4 'subrepo("re:su.*")'
287 291 sub
288 292 sub2
289 293 $ fileset -r4 'subrepo("sub")'
290 294 sub
291 295 $ fileset -r4 'b2 or c1'
292 296 b2
293 297 c1
294 298
295 299 >>> open('dos', 'wb').write("dos\r\n")
296 300 >>> open('mixed', 'wb').write("dos\r\nunix\n")
297 301 >>> open('mac', 'wb').write("mac\r")
298 302 $ hg add dos mixed mac
299 303
300 304 (remove a1, to examine safety of 'eol' on removed files)
301 305 $ rm a1
302 306
303 307 $ fileset 'eol(dos)'
304 308 dos
305 309 mixed
306 310 $ fileset 'eol(unix)'
307 311 mixed
308 312 .hgsub
309 313 .hgsubstate
310 314 b1
311 315 b2
312 316 c1
313 317 $ fileset 'eol(mac)'
314 318 mac
315 319
316 320 Test safety of 'encoding' on removed files
317 321
318 322 #if symlink
319 323 $ fileset 'encoding("ascii")'
320 324 dos
321 325 mac
322 326 mixed
323 327 .hgsub
324 328 .hgsubstate
325 329 1k
326 330 2k
327 331 b1
328 332 b2
329 333 b2link
330 334 bin
331 335 c1
332 336 #else
333 337 $ fileset 'encoding("ascii")'
334 338 dos
335 339 mac
336 340 mixed
337 341 .hgsub
338 342 .hgsubstate
339 343 1k
340 344 2k
341 345 b1
342 346 b2
343 347 bin
344 348 c1
345 349 #endif
346 350
347 351 Test detection of unintentional 'matchctx.existing()' invocation
348 352
349 353 $ cat > $TESTTMP/existingcaller.py <<EOF
350 354 > from mercurial import fileset
351 355 >
352 356 > @fileset.predicate('existingcaller()', callexisting=False)
353 357 > def existingcaller(mctx, x):
354 358 > # this 'mctx.existing()' invocation is unintentional
355 359 > return [f for f in mctx.existing()]
356 360 > EOF
357 361
358 362 $ cat >> .hg/hgrc <<EOF
359 363 > [extensions]
360 364 > existingcaller = $TESTTMP/existingcaller.py
361 365 > EOF
362 366
363 367 $ fileset 'existingcaller()' 2>&1 | tail -1
364 368 AssertionError: unexpected existing() invocation
General Comments 0
You need to be logged in to leave comments. Login now