##// END OF EJS Templates
revset: fix up tests
Matt Mackall -
r11282:e581f3ac default
parent child Browse files
Show More
@@ -1,554 +1,553 b''
1 # revset.py - revision set queries for mercurial
1 # revset.py - revision set queries for mercurial
2 #
2 #
3 # Copyright 2010 Matt Mackall <mpm@selenic.com>
3 # Copyright 2010 Matt Mackall <mpm@selenic.com>
4 #
4 #
5 # This software may be used and distributed according to the terms of the
5 # This software may be used and distributed according to the terms of the
6 # GNU General Public License version 2 or any later version.
6 # GNU General Public License version 2 or any later version.
7
7
8 import re
8 import re
9 import parser, util, hg
9 import parser, util, hg
10 import match as _match
10 import match as _match
11
11
12 elements = {
12 elements = {
13 "(": (20, ("group", 1, ")"), ("func", 1, ")")),
13 "(": (20, ("group", 1, ")"), ("func", 1, ")")),
14 "-": (19, ("negate", 19), ("minus", 19)),
14 "-": (19, ("negate", 19), ("minus", 19)),
15 "::": (17, ("dagrangepre", 17), ("dagrange", 17),
15 "::": (17, ("dagrangepre", 17), ("dagrange", 17),
16 ("dagrangepost", 17)),
16 ("dagrangepost", 17)),
17 "..": (17, ("dagrangepre", 17), ("dagrange", 17),
17 "..": (17, ("dagrangepre", 17), ("dagrange", 17),
18 ("dagrangepost", 17)),
18 ("dagrangepost", 17)),
19 ":": (15, ("rangepre", 15), ("range", 15), ("rangepost", 15)),
19 ":": (15, ("rangepre", 15), ("range", 15), ("rangepost", 15)),
20 "not": (10, ("not", 10)),
20 "not": (10, ("not", 10)),
21 "!": (10, ("not", 10)),
21 "!": (10, ("not", 10)),
22 "and": (5, None, ("and", 5)),
22 "and": (5, None, ("and", 5)),
23 "&": (5, None, ("and", 5)),
23 "&": (5, None, ("and", 5)),
24 "or": (4, None, ("or", 4)),
24 "or": (4, None, ("or", 4)),
25 "|": (4, None, ("or", 4)),
25 "|": (4, None, ("or", 4)),
26 "+": (4, None, ("or", 4)),
26 "+": (4, None, ("or", 4)),
27 ",": (2, None, ("list", 2)),
27 ",": (2, None, ("list", 2)),
28 ")": (0, None, None),
28 ")": (0, None, None),
29 "symbol": (0, ("symbol",), None),
29 "symbol": (0, ("symbol",), None),
30 "string": (0, ("string",), None),
30 "string": (0, ("string",), None),
31 "end": (0, None, None),
31 "end": (0, None, None),
32 }
32 }
33
33
34 keywords = set(['and', 'or', 'not'])
34 keywords = set(['and', 'or', 'not'])
35
35
36 def tokenize(program):
36 def tokenize(program):
37 pos, l = 0, len(program)
37 pos, l = 0, len(program)
38 while pos < l:
38 while pos < l:
39 c = program[pos]
39 c = program[pos]
40 if c.isspace(): # skip inter-token whitespace
40 if c.isspace(): # skip inter-token whitespace
41 pass
41 pass
42 elif c == ':' and program[pos:pos + 2] == '::': # look ahead carefully
42 elif c == ':' and program[pos:pos + 2] == '::': # look ahead carefully
43 yield ('::', None)
43 yield ('::', None)
44 pos += 1 # skip ahead
44 pos += 1 # skip ahead
45 elif c == '.' and program[pos:pos + 2] == '..': # look ahead carefully
45 elif c == '.' and program[pos:pos + 2] == '..': # look ahead carefully
46 yield ('..', None)
46 yield ('..', None)
47 pos += 1 # skip ahead
47 pos += 1 # skip ahead
48 elif c in "():,-|&+!": # handle simple operators
48 elif c in "():,-|&+!": # handle simple operators
49 yield (c, None)
49 yield (c, None)
50 elif c in '"\'': # handle quoted strings
50 elif c in '"\'': # handle quoted strings
51 pos += 1
51 pos += 1
52 s = pos
52 s = pos
53 while pos < l: # find closing quote
53 while pos < l: # find closing quote
54 d = program[pos]
54 d = program[pos]
55 if d == '\\': # skip over escaped characters
55 if d == '\\': # skip over escaped characters
56 pos += 2
56 pos += 2
57 continue
57 continue
58 if d == c:
58 if d == c:
59 yield ('string', program[s:pos].decode('string-escape'))
59 yield ('string', program[s:pos].decode('string-escape'))
60 break
60 break
61 pos += 1
61 pos += 1
62 else:
62 else:
63 raise "unterminated string"
63 raise "unterminated string"
64 elif c.isalnum() or c in '.': # gather up a symbol/keyword
64 elif c.isalnum() or c in '.': # gather up a symbol/keyword
65 s = pos
65 s = pos
66 pos += 1
66 pos += 1
67 while pos < l: # find end of symbol
67 while pos < l: # find end of symbol
68 d = program[pos]
68 d = program[pos]
69 if not (d.isalnum() or d in "._"):
69 if not (d.isalnum() or d in "._"):
70 break
70 break
71 if d == '.' and program[pos - 1] == '.': # special case for ..
71 if d == '.' and program[pos - 1] == '.': # special case for ..
72 pos -= 1
72 pos -= 1
73 break
73 break
74 pos += 1
74 pos += 1
75 sym = program[s:pos]
75 sym = program[s:pos]
76 if sym in keywords: # operator keywords
76 if sym in keywords: # operator keywords
77 yield (sym, None)
77 yield (sym, None)
78 else:
78 else:
79 yield ('symbol', sym)
79 yield ('symbol', sym)
80 pos -= 1
80 pos -= 1
81 else:
81 else:
82 raise "syntax error at %d" % pos
82 raise "syntax error at %d" % pos
83 pos += 1
83 pos += 1
84 yield ('end', None)
84 yield ('end', None)
85
85
86 # helpers
86 # helpers
87
87
88 def getstring(x, err):
88 def getstring(x, err):
89 if x[0] == 'string' or x[0] == 'symbol':
89 if x[0] == 'string' or x[0] == 'symbol':
90 return x[1]
90 return x[1]
91 raise err
91 raise err
92
92
93 def getlist(x):
93 def getlist(x):
94 if not x:
94 if not x:
95 return []
95 return []
96 if x[0] == 'list':
96 if x[0] == 'list':
97 return getlist(x[1]) + [x[2]]
97 return getlist(x[1]) + [x[2]]
98 return [x]
98 return [x]
99
99
100 def getpair(x, err):
100 def getpair(x, err):
101 l = getlist(x)
101 l = getlist(x)
102 if len(l) != 2:
102 if len(l) != 2:
103 raise err
103 raise err
104 return l
104 return l
105
105
106 def getset(repo, subset, x):
106 def getset(repo, subset, x):
107 if not x:
107 if not x:
108 raise "missing argument"
108 raise "missing argument"
109 return methods[x[0]](repo, subset, *x[1:])
109 return methods[x[0]](repo, subset, *x[1:])
110
110
111 # operator methods
111 # operator methods
112
112
113 def negate(repo, subset, x):
113 def negate(repo, subset, x):
114 return getset(repo, subset,
114 return getset(repo, subset,
115 ('string', '-' + getstring(x, "can't negate that")))
115 ('string', '-' + getstring(x, "can't negate that")))
116
116
117 def stringset(repo, subset, x):
117 def stringset(repo, subset, x):
118 x = repo[x].rev()
118 x = repo[x].rev()
119 if x == -1 and len(subset) == len(repo):
120 return [-1]
119 if x in subset:
121 if x in subset:
120 return [x]
122 return [x]
121 return []
123 return []
122
124
123 def symbolset(repo, subset, x):
125 def symbolset(repo, subset, x):
124 if x in symbols:
126 if x in symbols:
125 raise "can't use %s here" % x
127 raise "can't use %s here" % x
126 return stringset(repo, subset, x)
128 return stringset(repo, subset, x)
127
129
128 def rangeset(repo, subset, x, y):
130 def rangeset(repo, subset, x, y):
129 m = getset(repo, subset, x)[0]
131 m = getset(repo, subset, x)[0]
130 n = getset(repo, subset, y)[-1]
132 n = getset(repo, subset, y)[-1]
131 if m < n:
133 if m < n:
132 return range(m, n + 1)
134 return range(m, n + 1)
133 return range(m, n - 1, -1)
135 return range(m, n - 1, -1)
134
136
135 def andset(repo, subset, x, y):
137 def andset(repo, subset, x, y):
136 return getset(repo, getset(repo, subset, x), y)
138 return getset(repo, getset(repo, subset, x), y)
137
139
138 def orset(repo, subset, x, y):
140 def orset(repo, subset, x, y):
139 s = set(getset(repo, subset, x))
141 s = set(getset(repo, subset, x))
140 s |= set(getset(repo, [r for r in subset if r not in s], y))
142 s |= set(getset(repo, [r for r in subset if r not in s], y))
141 return [r for r in subset if r in s]
143 return [r for r in subset if r in s]
142
144
143 def notset(repo, subset, x):
145 def notset(repo, subset, x):
144 s = set(getset(repo, subset, x))
146 s = set(getset(repo, subset, x))
145 return [r for r in subset if r not in s]
147 return [r for r in subset if r not in s]
146
148
147 def listset(repo, subset, a, b):
149 def listset(repo, subset, a, b):
148 raise "can't use a list in this context"
150 raise "can't use a list in this context"
149
151
150 def func(repo, subset, a, b):
152 def func(repo, subset, a, b):
151 if a[0] == 'symbol' and a[1] in symbols:
153 if a[0] == 'symbol' and a[1] in symbols:
152 return symbols[a[1]](repo, subset, b)
154 return symbols[a[1]](repo, subset, b)
153 raise "that's not a function: %s" % a[1]
155 raise "that's not a function: %s" % a[1]
154
156
155 # functions
157 # functions
156
158
157 def p1(repo, subset, x):
159 def p1(repo, subset, x):
158 ps = set()
160 ps = set()
159 cl = repo.changelog
161 cl = repo.changelog
160 for r in getset(repo, subset, x):
162 for r in getset(repo, subset, x):
161 ps.add(cl.parentrevs(r)[0])
163 ps.add(cl.parentrevs(r)[0])
162 return [r for r in subset if r in ps]
164 return [r for r in subset if r in ps]
163
165
164 def p2(repo, subset, x):
166 def p2(repo, subset, x):
165 ps = set()
167 ps = set()
166 cl = repo.changelog
168 cl = repo.changelog
167 for r in getset(repo, subset, x):
169 for r in getset(repo, subset, x):
168 ps.add(cl.parentrevs(r)[1])
170 ps.add(cl.parentrevs(r)[1])
169 return [r for r in subset if r in ps]
171 return [r for r in subset if r in ps]
170
172
171 def parents(repo, subset, x):
173 def parents(repo, subset, x):
172 ps = set()
174 ps = set()
173 cl = repo.changelog
175 cl = repo.changelog
174 for r in getset(repo, subset, x):
176 for r in getset(repo, subset, x):
175 ps.update(cl.parentrevs(r))
177 ps.update(cl.parentrevs(r))
176 return [r for r in subset if r in ps]
178 return [r for r in subset if r in ps]
177
179
178 def maxrev(repo, subset, x):
180 def maxrev(repo, subset, x):
179 s = getset(repo, subset, x)
181 s = getset(repo, subset, x)
180 if s:
182 if s:
181 m = max(s)
183 m = max(s)
182 if m in subset:
184 if m in subset:
183 return [m]
185 return [m]
184 return []
186 return []
185
187
186 def limit(repo, subset, x):
188 def limit(repo, subset, x):
187 l = getpair(x, "limit wants two args")
189 l = getpair(x, "limit wants two args")
188 try:
190 try:
189 lim = int(getstring(l[1], "limit wants a number"))
191 lim = int(getstring(l[1], "limit wants a number"))
190 except ValueError:
192 except ValueError:
191 raise "wants a number"
193 raise "wants a number"
192 return getset(repo, subset, l[0])[:lim]
194 return getset(repo, subset, l[0])[:lim]
193
195
194 def children(repo, subset, x):
196 def children(repo, subset, x):
195 cs = set()
197 cs = set()
196 cl = repo.changelog
198 cl = repo.changelog
197 s = set(getset(repo, subset, x))
199 s = set(getset(repo, subset, x))
198 for r in xrange(0, len(repo)):
200 for r in xrange(0, len(repo)):
199 for p in cl.parentrevs(r):
201 for p in cl.parentrevs(r):
200 if p in s:
202 if p in s:
201 cs.add(r)
203 cs.add(r)
202 return [r for r in subset if r in cs]
204 return [r for r in subset if r in cs]
203
205
204 def branch(repo, subset, x):
206 def branch(repo, subset, x):
205 s = getset(repo, range(len(repo)), x)
207 s = getset(repo, range(len(repo)), x)
206 b = set()
208 b = set()
207 for r in s:
209 for r in s:
208 b.add(repo[r].branch())
210 b.add(repo[r].branch())
209 s = set(s)
211 s = set(s)
210 return [r for r in subset if r in s or repo[r].branch() in b]
212 return [r for r in subset if r in s or repo[r].branch() in b]
211
213
212 def ancestor(repo, subset, x):
214 def ancestor(repo, subset, x):
213 l = getpair(x, "ancestor wants two args")
215 l = getpair(x, "ancestor wants two args")
214 a = getset(repo, subset, l[0])
216 a = getset(repo, subset, l[0])
215 b = getset(repo, subset, l[1])
217 b = getset(repo, subset, l[1])
216 if len(a) > 1 or len(b) > 1:
218 if len(a) > 1 or len(b) > 1:
217 raise "arguments to ancestor must be single revisions"
219 raise "arguments to ancestor must be single revisions"
218 return [repo[a[0]].ancestor(repo[b[0]]).rev()]
220 return [repo[a[0]].ancestor(repo[b[0]]).rev()]
219
221
220 def ancestors(repo, subset, x):
222 def ancestors(repo, subset, x):
221 args = getset(repo, range(len(repo)), x)
223 args = getset(repo, range(len(repo)), x)
222 s = set(repo.changelog.ancestors(*args)) | set(args)
224 s = set(repo.changelog.ancestors(*args)) | set(args)
223 return [r for r in subset if r in s]
225 return [r for r in subset if r in s]
224
226
225 def descendants(repo, subset, x):
227 def descendants(repo, subset, x):
226 args = getset(repo, range(len(repo)), x)
228 args = getset(repo, range(len(repo)), x)
227 s = set(repo.changelog.descendants(*args)) | set(args)
229 s = set(repo.changelog.descendants(*args)) | set(args)
228 return [r for r in subset if r in s]
230 return [r for r in subset if r in s]
229
231
230 def follow(repo, subset, x):
232 def follow(repo, subset, x):
231 if x:
233 if x:
232 raise "follow takes no args"
234 raise "follow takes no args"
233 p = repo['.'].rev()
235 p = repo['.'].rev()
234 s = set(repo.changelog.ancestors(p)) | set([p])
236 s = set(repo.changelog.ancestors(p)) | set([p])
235 return [r for r in subset if r in s]
237 return [r for r in subset if r in s]
236
238
237 def date(repo, subset, x):
239 def date(repo, subset, x):
238 ds = getstring(x, 'date wants a string')
240 ds = getstring(x, 'date wants a string')
239 dm = util.matchdate(ds)
241 dm = util.matchdate(ds)
240 return [r for r in subset if dm(repo[r].date()[0])]
242 return [r for r in subset if dm(repo[r].date()[0])]
241
243
242 def keyword(repo, subset, x):
244 def keyword(repo, subset, x):
243 kw = getstring(x, "keyword wants a string").lower()
245 kw = getstring(x, "keyword wants a string").lower()
244 l = []
246 l = []
245 for r in subset:
247 for r in subset:
246 c = repo[r]
248 c = repo[r]
247 t = " ".join(c.files() + [c.user(), c.description()])
249 t = " ".join(c.files() + [c.user(), c.description()])
248 if kw in t.lower():
250 if kw in t.lower():
249 l.append(r)
251 l.append(r)
250 return l
252 return l
251
253
252 def grep(repo, subset, x):
254 def grep(repo, subset, x):
253 gr = re.compile(getstring(x, "grep wants a string"))
255 gr = re.compile(getstring(x, "grep wants a string"))
254 l = []
256 l = []
255 for r in subset:
257 for r in subset:
256 c = repo[r]
258 c = repo[r]
257 for e in c.files() + [c.user(), c.description()]:
259 for e in c.files() + [c.user(), c.description()]:
258 if gr.search(e):
260 if gr.search(e):
259 l.append(r)
261 l.append(r)
260 continue
262 continue
261 return l
263 return l
262
264
263 def author(repo, subset, x):
265 def author(repo, subset, x):
264 n = getstring(x, "author wants a string").lower()
266 n = getstring(x, "author wants a string").lower()
265 return [r for r in subset if n in repo[r].user().lower()]
267 return [r for r in subset if n in repo[r].user().lower()]
266
268
267 def hasfile(repo, subset, x):
269 def hasfile(repo, subset, x):
268 pat = getstring(x, "file wants a pattern")
270 pat = getstring(x, "file wants a pattern")
269 m = _match.match(repo.root, repo.getcwd(), [pat])
271 m = _match.match(repo.root, repo.getcwd(), [pat])
270 s = []
272 s = []
271 for r in subset:
273 for r in subset:
272 for f in repo[r].files():
274 for f in repo[r].files():
273 if m(f):
275 if m(f):
274 s.append(r)
276 s.append(r)
275 continue
277 continue
276 return s
278 return s
277
279
278 def contains(repo, subset, x):
280 def contains(repo, subset, x):
279 pat = getstring(x, "file wants a pattern")
281 pat = getstring(x, "file wants a pattern")
280 m = _match.match(repo.root, repo.getcwd(), [pat])
282 m = _match.match(repo.root, repo.getcwd(), [pat])
281 s = []
283 s = []
282 if m.files() == [pat]:
284 if m.files() == [pat]:
283 for r in subset:
285 for r in subset:
284 if pat in repo[r]:
286 if pat in repo[r]:
285 s.append(r)
287 s.append(r)
286 continue
288 continue
287 else:
289 else:
288 for r in subset:
290 for r in subset:
289 c = repo[r]
291 c = repo[r]
290 for f in repo[r].manifest():
292 for f in repo[r].manifest():
291 if m(f):
293 if m(f):
292 s.append(r)
294 s.append(r)
293 continue
295 continue
294 return s
296 return s
295
297
296 def checkstatus(repo, subset, pat, field):
298 def checkstatus(repo, subset, pat, field):
297 m = _match.match(repo.root, repo.getcwd(), [pat])
299 m = _match.match(repo.root, repo.getcwd(), [pat])
298 s = []
300 s = []
299 fast = (m.files() == [pat])
301 fast = (m.files() == [pat])
300 for r in subset:
302 for r in subset:
301 c = repo[r]
303 c = repo[r]
302 if fast:
304 if fast:
303 if pat not in c.files():
305 if pat not in c.files():
304 continue
306 continue
305 else:
307 else:
306 for f in c.files():
308 for f in c.files():
307 if m(f):
309 if m(f):
308 break
310 break
309 else:
311 else:
310 continue
312 continue
311 files = repo.status(c.p1().node(), c.node())[field]
313 files = repo.status(c.p1().node(), c.node())[field]
312 if fast:
314 if fast:
313 if pat in files:
315 if pat in files:
314 s.append(r)
316 s.append(r)
315 continue
317 continue
316 else:
318 else:
317 for f in files:
319 for f in files:
318 if m(f):
320 if m(f):
319 s.append(r)
321 s.append(r)
320 continue
322 continue
321 return s
323 return s
322
324
323 def modifies(repo, subset, x):
325 def modifies(repo, subset, x):
324 pat = getstring(x, "modifies wants a pattern")
326 pat = getstring(x, "modifies wants a pattern")
325 return checkstatus(repo, subset, pat, 0)
327 return checkstatus(repo, subset, pat, 0)
326
328
327 def adds(repo, subset, x):
329 def adds(repo, subset, x):
328 pat = getstring(x, "adds wants a pattern")
330 pat = getstring(x, "adds wants a pattern")
329 return checkstatus(repo, subset, pat, 1)
331 return checkstatus(repo, subset, pat, 1)
330
332
331 def removes(repo, subset, x):
333 def removes(repo, subset, x):
332 pat = getstring(x, "removes wants a pattern")
334 pat = getstring(x, "removes wants a pattern")
333 return checkstatus(repo, subset, pat, 2)
335 return checkstatus(repo, subset, pat, 2)
334
336
335 def merge(repo, subset, x):
337 def merge(repo, subset, x):
336 if x:
338 if x:
337 raise "merge takes no args"
339 raise "merge takes no args"
338 cl = repo.changelog
340 cl = repo.changelog
339 return [r for r in subset if cl.parentrevs(r)[1] != -1]
341 return [r for r in subset if cl.parentrevs(r)[1] != -1]
340
342
341 def closed(repo, subset, x):
343 def closed(repo, subset, x):
342 return [r for r in subset if repo[r].extra('close')]
344 return [r for r in subset if repo[r].extra('close')]
343
345
344 def head(repo, subset, x):
346 def head(repo, subset, x):
345 hs = set()
347 hs = set()
346 for b, ls in repo.branchmap().iteritems():
348 for b, ls in repo.branchmap().iteritems():
347 hs.update(repo[h].rev() for h in ls)
349 hs.update(repo[h].rev() for h in ls)
348 return [r for r in subset if r in hs]
350 return [r for r in subset if r in hs]
349
351
350 def reverse(repo, subset, x):
352 def reverse(repo, subset, x):
351 l = getset(repo, subset, x)
353 l = getset(repo, subset, x)
352 l.reverse()
354 l.reverse()
353 return l
355 return l
354
356
355 def sort(repo, subset, x):
357 def sort(repo, subset, x):
356 l = getlist(x)
358 l = getlist(x)
357 keys = "rev"
359 keys = "rev"
358 if len(l) == 2:
360 if len(l) == 2:
359 keys = getstring(l[1], "sort spec must be a string")
361 keys = getstring(l[1], "sort spec must be a string")
360
362
361 s = l[0]
363 s = l[0]
362 keys = keys.split()
364 keys = keys.split()
363 l = []
365 l = []
364 def invert(s):
366 def invert(s):
365 return "".join(chr(255 - ord(c)) for c in s)
367 return "".join(chr(255 - ord(c)) for c in s)
366 for r in getset(repo, subset, s):
368 for r in getset(repo, subset, s):
367 c = repo[r]
369 c = repo[r]
368 e = []
370 e = []
369 for k in keys:
371 for k in keys:
370 if k == 'rev':
372 if k == 'rev':
371 e.append(r)
373 e.append(r)
372 elif k == '-rev':
374 elif k == '-rev':
373 e.append(-r)
375 e.append(-r)
374 elif k == 'branch':
376 elif k == 'branch':
375 e.append(c.branch())
377 e.append(c.branch())
376 elif k == '-branch':
378 elif k == '-branch':
377 e.append(invert(c.branch()))
379 e.append(invert(c.branch()))
378 elif k == 'desc':
380 elif k == 'desc':
379 e.append(c.description())
381 e.append(c.description())
380 elif k == '-desc':
382 elif k == '-desc':
381 e.append(invert(c.description()))
383 e.append(invert(c.description()))
382 elif k in 'user author':
384 elif k in 'user author':
383 e.append(c.user())
385 e.append(c.user())
384 elif k in '-user -author':
386 elif k in '-user -author':
385 e.append(invert(c.user()))
387 e.append(invert(c.user()))
386 elif k == 'date':
388 elif k == 'date':
387 e.append(c.date()[0])
389 e.append(c.date()[0])
388 elif k == '-date':
390 elif k == '-date':
389 e.append(-c.date()[0])
391 e.append(-c.date()[0])
390 else:
392 else:
391 raise "unknown sort key %r" % k
393 raise "unknown sort key %r" % k
392 e.append(r)
394 e.append(r)
393 l.append(e)
395 l.append(e)
394 l.sort()
396 l.sort()
395 return [e[-1] for e in l]
397 return [e[-1] for e in l]
396
398
397 def getall(repo, subset, x):
399 def getall(repo, subset, x):
398 return subset
400 return subset
399
401
400 def heads(repo, subset, x):
402 def heads(repo, subset, x):
401 s = getset(repo, subset, x)
403 s = getset(repo, subset, x)
402 ps = set(parents(repo, subset, x))
404 ps = set(parents(repo, subset, x))
403 return [r for r in s if r not in ps]
405 return [r for r in s if r not in ps]
404
406
405 def roots(repo, subset, x):
407 def roots(repo, subset, x):
406 s = getset(repo, subset, x)
408 s = getset(repo, subset, x)
407 cs = set(children(repo, subset, x))
409 cs = set(children(repo, subset, x))
408 return [r for r in s if r not in cs]
410 return [r for r in s if r not in cs]
409
411
410 def outgoing(repo, subset, x):
412 def outgoing(repo, subset, x):
411 l = getlist(x)
413 l = getlist(x)
412 if len(l) == 1:
414 if len(l) == 1:
413 dest = getstring(l[0], "outgoing wants a repo path")
415 dest = getstring(l[0], "outgoing wants a repo path")
414 else:
416 else:
415 dest = ''
417 dest = ''
416 dest = repo.ui.expandpath(dest or 'default-push', dest or 'default')
418 dest = repo.ui.expandpath(dest or 'default-push', dest or 'default')
417 dest, branches = hg.parseurl(dest)
419 dest, branches = hg.parseurl(dest)
418 other = hg.repository(hg.remoteui(repo, {}), dest)
420 other = hg.repository(hg.remoteui(repo, {}), dest)
419 repo.ui.pushbuffer()
421 repo.ui.pushbuffer()
420 o = repo.findoutgoing(other)
422 o = repo.findoutgoing(other)
421 repo.ui.popbuffer()
423 repo.ui.popbuffer()
422 cl = repo.changelog
424 cl = repo.changelog
423 o = set([cl.rev(r) for r in repo.changelog.nodesbetween(o, None)[0]])
425 o = set([cl.rev(r) for r in repo.changelog.nodesbetween(o, None)[0]])
424 print 'out', dest, o
426 print 'out', dest, o
425 return [r for r in subset if r in o]
427 return [r for r in subset if r in o]
426
428
427 def tagged(repo, subset, x):
429 def tagged(repo, subset, x):
428 cl = repo.changelog
430 cl = repo.changelog
429 s = set([cl.rev(n) for t, n in repo.tagslist() if t != 'tip'])
431 s = set([cl.rev(n) for t, n in repo.tagslist() if t != 'tip'])
430 return [r for r in subset if r in s]
432 return [r for r in subset if r in s]
431
433
432 symbols = {
434 symbols = {
433 "ancestor": ancestor,
435 "ancestor": ancestor,
434 "ancestors": ancestors,
436 "ancestors": ancestors,
435 "descendants": descendants,
437 "descendants": descendants,
436 "follow": follow,
438 "follow": follow,
437 "merge": merge,
439 "merge": merge,
438 "reverse": reverse,
440 "reverse": reverse,
439 "sort": sort,
441 "sort": sort,
440 "branch": branch,
442 "branch": branch,
441 "keyword": keyword,
443 "keyword": keyword,
442 "author": author,
444 "author": author,
443 "user": author,
445 "user": author,
444 "date": date,
446 "date": date,
445 "grep": grep,
447 "grep": grep,
446 "p1": p1,
448 "p1": p1,
447 "p2": p2,
449 "p2": p2,
448 "parents": parents,
450 "parents": parents,
449 "children": children,
451 "children": children,
450 "max": maxrev,
452 "max": maxrev,
451 "limit": limit,
453 "limit": limit,
452 "file": hasfile,
454 "file": hasfile,
453 "contains": contains,
455 "contains": contains,
454 "heads": heads,
456 "heads": heads,
455 "roots": roots,
457 "roots": roots,
456 "all": getall,
458 "all": getall,
457 "closed": closed,
459 "closed": closed,
458 "head": head,
460 "head": head,
459 "modifies": modifies,
461 "modifies": modifies,
460 "adds": adds,
462 "adds": adds,
461 "removes": removes,
463 "removes": removes,
462 "outgoing": outgoing,
464 "outgoing": outgoing,
463 "tagged": tagged,
465 "tagged": tagged,
464 }
466 }
465
467
466 methods = {
468 methods = {
467 "negate": negate,
469 "negate": negate,
468 "range": rangeset,
470 "range": rangeset,
469 "string": stringset,
471 "string": stringset,
470 "symbol": symbolset,
472 "symbol": symbolset,
471 "and": andset,
473 "and": andset,
472 "or": orset,
474 "or": orset,
473 "not": notset,
475 "not": notset,
474 "list": listset,
476 "list": listset,
475 "func": func,
477 "func": func,
476 }
478 }
477
479
478 def optimize(x, small):
480 def optimize(x, small):
479 if x == None:
481 if x == None:
480 return 0, x
482 return 0, x
481
483
482 smallbonus = 1
484 smallbonus = 1
483 if small:
485 if small:
484 smallbonus = .5
486 smallbonus = .5
485
487
486 op = x[0]
488 op = x[0]
487 if op == '-':
489 if op == '-':
488 return optimize(('and', x[1], ('not', x[2])), small)
490 return optimize(('and', x[1], ('not', x[2])), small)
489 elif op == 'dagrange':
491 elif op == 'dagrange':
490 return optimize(('and', ('func', ('symbol', 'descendants'), x[1]),
492 return optimize(('and', ('func', ('symbol', 'descendants'), x[1]),
491 ('func', ('symbol', 'ancestors'), x[2])), small)
493 ('func', ('symbol', 'ancestors'), x[2])), small)
492 elif op == 'dagrangepre':
494 elif op == 'dagrangepre':
493 return optimize(('func', ('symbol', 'ancestors'), x[1]), small)
495 return optimize(('func', ('symbol', 'ancestors'), x[1]), small)
494 elif op == 'dagrangepost':
496 elif op == 'dagrangepost':
495 return optimize(('func', ('symbol', 'descendants'), x[1]), small)
497 return optimize(('func', ('symbol', 'descendants'), x[1]), small)
496 elif op == 'rangepre':
498 elif op == 'rangepre':
497 return optimize(('range', ('string', '0'), x[1]), small)
499 return optimize(('range', ('string', '0'), x[1]), small)
498 elif op == 'rangepost':
500 elif op == 'rangepost':
499 return optimize(('range', x[1], ('string', 'tip')), small)
501 return optimize(('range', x[1], ('string', 'tip')), small)
500 elif op in 'string symbol negate':
502 elif op in 'string symbol negate':
501 return smallbonus, x # single revisions are small
503 return smallbonus, x # single revisions are small
502 elif op == 'and' or op == 'dagrange':
504 elif op == 'and' or op == 'dagrange':
503 wa, ta = optimize(x[1], True)
505 wa, ta = optimize(x[1], True)
504 wb, tb = optimize(x[2], True)
506 wb, tb = optimize(x[2], True)
505 w = min(wa, wb)
507 w = min(wa, wb)
506 if wa > wb:
508 if wa > wb:
507 return w, (op, tb, ta)
509 return w, (op, tb, ta)
508 return w, (op, ta, tb)
510 return w, (op, ta, tb)
509 elif op == 'or':
511 elif op == 'or':
510 wa, ta = optimize(x[1], False)
512 wa, ta = optimize(x[1], False)
511 wb, tb = optimize(x[2], False)
513 wb, tb = optimize(x[2], False)
512 if wb < wa:
514 if wb < wa:
513 wb, wa = wa, wb
515 wb, wa = wa, wb
514 return max(wa, wb), (op, ta, tb)
516 return max(wa, wb), (op, ta, tb)
515 elif op == 'not':
517 elif op == 'not':
516 o = optimize(x[1], not small)
518 o = optimize(x[1], not small)
517 return o[0], (op, o[1])
519 return o[0], (op, o[1])
518 elif op == 'group':
520 elif op == 'group':
519 return optimize(x[1], small)
521 return optimize(x[1], small)
520 elif op in 'rangepre rangepost dagrangepre dagrangepost':
521 wa, ta = optimize(x[1], small)
522 return wa + 1, (op, ta)
523 elif op in 'range list':
522 elif op in 'range list':
524 wa, ta = optimize(x[1], small)
523 wa, ta = optimize(x[1], small)
525 wb, tb = optimize(x[2], small)
524 wb, tb = optimize(x[2], small)
526 return wa + wb, (op, ta, tb)
525 return wa + wb, (op, ta, tb)
527 elif op == 'func':
526 elif op == 'func':
528 f = getstring(x[1], "not a symbol")
527 f = getstring(x[1], "not a symbol")
529 wa, ta = optimize(x[2], small)
528 wa, ta = optimize(x[2], small)
530 if f in "grep date user author keyword branch file":
529 if f in "grep date user author keyword branch file":
531 w = 10 # slow
530 w = 10 # slow
532 elif f in "modifies adds removes outgoing":
531 elif f in "modifies adds removes outgoing":
533 w = 30 # slower
532 w = 30 # slower
534 elif f == "contains":
533 elif f == "contains":
535 w = 100 # very slow
534 w = 100 # very slow
536 elif f == "ancestor":
535 elif f == "ancestor":
537 w = 1 * smallbonus
536 w = 1 * smallbonus
538 elif f == "reverse limit":
537 elif f == "reverse limit":
539 w = 0
538 w = 0
540 elif f in "sort":
539 elif f in "sort":
541 w = 10 # assume most sorts look at changelog
540 w = 10 # assume most sorts look at changelog
542 else:
541 else:
543 w = 1
542 w = 1
544 return w + wa, (op, x[1], ta)
543 return w + wa, (op, x[1], ta)
545 return 1, x
544 return 1, x
546
545
547 parse = parser.parser(tokenize, elements).parse
546 parse = parser.parser(tokenize, elements).parse
548
547
549 def match(spec):
548 def match(spec):
550 tree = parse(spec)
549 tree = parse(spec)
551 weight, tree = optimize(tree, True)
550 weight, tree = optimize(tree, True)
552 def mfunc(repo, subset):
551 def mfunc(repo, subset):
553 return getset(repo, subset, tree)
552 return getset(repo, subset, tree)
554 return mfunc
553 return mfunc
@@ -1,103 +1,103 b''
1 #!/bin/sh
1 #!/bin/sh
2
2
3 echo "[extensions]" >> $HGRCPATH
3 echo "[extensions]" >> $HGRCPATH
4 echo "bookmarks=" >> $HGRCPATH
4 echo "bookmarks=" >> $HGRCPATH
5
5
6 hg init
6 hg init
7
7
8 echo % no bookmarks
8 echo % no bookmarks
9 hg bookmarks
9 hg bookmarks
10
10
11 echo % bookmark rev -1
11 echo % bookmark rev -1
12 hg bookmark X
12 hg bookmark X
13
13
14 echo % list bookmarks
14 echo % list bookmarks
15 hg bookmarks
15 hg bookmarks
16
16
17 echo % list bookmarks with color
17 echo % list bookmarks with color
18 hg --config extensions.color= --config color.mode=ansi \
18 hg --config extensions.color= --config color.mode=ansi \
19 bookmarks --color=always
19 bookmarks --color=always
20
20
21 echo a > a
21 echo a > a
22 hg add a
22 hg add a
23 hg commit -m 0
23 hg commit -m 0
24
24
25 echo % bookmark X moved to rev 0
25 echo % bookmark X moved to rev 0
26 hg bookmarks
26 hg bookmarks
27
27
28 echo % look up bookmark
28 echo % look up bookmark
29 hg log -r X
29 hg log -r X
30
30
31 echo % second bookmark for rev 0
31 echo % second bookmark for rev 0
32 hg bookmark X2
32 hg bookmark X2
33
33
34 echo % bookmark rev -1 again
34 echo % bookmark rev -1 again
35 hg bookmark -r null Y
35 hg bookmark -r null Y
36
36
37 echo % list bookmarks
37 echo % list bookmarks
38 hg bookmarks
38 hg bookmarks
39
39
40 echo b > b
40 echo b > b
41 hg add b
41 hg add b
42 hg commit -m 1
42 hg commit -m 1
43
43
44 echo % bookmarks X and X2 moved to rev 1, Y at rev -1
44 echo % bookmarks X and X2 moved to rev 1, Y at rev -1
45 hg bookmarks
45 hg bookmarks
46
46
47 echo % bookmark rev 0 again
47 echo % bookmark rev 0 again
48 hg bookmark -r 0 Z
48 hg bookmark -r 0 Z
49
49
50 echo c > c
50 echo c > c
51 hg add c
51 hg add c
52 hg commit -m 2
52 hg commit -m 2
53
53
54 echo % bookmarks X and X2 moved to rev 2, Y at rev -1, Z at rev 0
54 echo % bookmarks X and X2 moved to rev 2, Y at rev -1, Z at rev 0
55 hg bookmarks
55 hg bookmarks
56
56
57 echo % rename nonexistent bookmark
57 echo % rename nonexistent bookmark
58 hg bookmark -m A B
58 hg bookmark -m A B
59
59
60 echo % rename to existent bookmark
60 echo % rename to existent bookmark
61 hg bookmark -m X Y
61 hg bookmark -m X Y
62
62
63 echo % force rename to existent bookmark
63 echo % force rename to existent bookmark
64 hg bookmark -f -m X Y
64 hg bookmark -f -m X Y
65
65
66 echo % list bookmarks
66 echo % list bookmarks
67 hg bookmark
67 hg bookmark
68
68
69 echo % rename without new name
69 echo % rename without new name
70 hg bookmark -m Y
70 hg bookmark -m Y
71
71
72 echo % delete without name
72 echo % delete without name
73 hg bookmark -d
73 hg bookmark -d
74
74
75 echo % delete nonexistent bookmark
75 echo % delete nonexistent bookmark
76 hg bookmark -d A
76 hg bookmark -d A
77
77
78 echo % bookmark name with spaces should be stripped
78 echo % bookmark name with spaces should be stripped
79 hg bookmark ' x y '
79 hg bookmark ' x y '
80
80
81 echo % list bookmarks
81 echo % list bookmarks
82 hg bookmarks
82 hg bookmarks
83
83
84 echo % look up stripped bookmark name
84 echo % look up stripped bookmark name
85 hg log -r 'x y'
85 hg log -r '"x y"'
86
86
87 echo % reject bookmark name with newline
87 echo % reject bookmark name with newline
88 hg bookmark '
88 hg bookmark '
89 '
89 '
90
90
91 echo % bookmark with existing name
91 echo % bookmark with existing name
92 hg bookmark Z
92 hg bookmark Z
93
93
94 echo % force bookmark with existing name
94 echo % force bookmark with existing name
95 hg bookmark -f Z
95 hg bookmark -f Z
96
96
97 echo % list bookmarks
97 echo % list bookmarks
98 hg bookmark
98 hg bookmark
99
99
100 echo % revision but no bookmark name
100 echo % revision but no bookmark name
101 hg bookmark -r .
101 hg bookmark -r .
102
102
103 true
103 true
General Comments 0
You need to be logged in to leave comments. Login now