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