##// END OF EJS Templates
diff: remove fp.write() wrapper which drops label argument...
Yuya Nishihara -
r36025:006ff726 default
parent child Browse files
Show More
@@ -1,933 +1,928
1 1 # logcmdutil.py - utility for log-like commands
2 2 #
3 3 # Copyright 2005-2007 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 itertools
11 11 import os
12 12
13 13 from .i18n import _
14 14 from .node import (
15 15 hex,
16 16 nullid,
17 17 )
18 18
19 19 from . import (
20 20 dagop,
21 21 encoding,
22 22 error,
23 23 formatter,
24 24 graphmod,
25 25 match as matchmod,
26 26 mdiff,
27 27 patch,
28 28 pathutil,
29 29 pycompat,
30 30 revset,
31 31 revsetlang,
32 32 scmutil,
33 33 smartset,
34 34 templatekw,
35 35 templater,
36 36 util,
37 37 )
38 38
39 39 def getlimit(opts):
40 40 """get the log limit according to option -l/--limit"""
41 41 limit = opts.get('limit')
42 42 if limit:
43 43 try:
44 44 limit = int(limit)
45 45 except ValueError:
46 46 raise error.Abort(_('limit must be a positive integer'))
47 47 if limit <= 0:
48 48 raise error.Abort(_('limit must be positive'))
49 49 else:
50 50 limit = None
51 51 return limit
52 52
53 53 def diffordiffstat(ui, repo, diffopts, node1, node2, match,
54 54 changes=None, stat=False, fp=None, prefix='',
55 55 root='', listsubrepos=False, hunksfilterfn=None):
56 56 '''show diff or diffstat.'''
57 if fp is None:
58 write = ui.write
59 else:
60 def write(s, **kw):
61 fp.write(s)
62
63 57 if root:
64 58 relroot = pathutil.canonpath(repo.root, repo.getcwd(), root)
65 59 else:
66 60 relroot = ''
67 61 if relroot != '':
68 62 # XXX relative roots currently don't work if the root is within a
69 63 # subrepo
70 64 uirelroot = match.uipath(relroot)
71 65 relroot += '/'
72 66 for matchroot in match.files():
73 67 if not matchroot.startswith(relroot):
74 68 ui.warn(_('warning: %s not inside relative root %s\n') % (
75 69 match.uipath(matchroot), uirelroot))
76 70
77 71 if stat:
78 72 diffopts = diffopts.copy(context=0, noprefix=False)
79 73 width = 80
80 74 if not ui.plain():
81 75 width = ui.termwidth()
82 76
83 77 chunks = patch.diff(repo, node1, node2, match, changes, opts=diffopts,
84 78 prefix=prefix, relroot=relroot,
85 79 hunksfilterfn=hunksfilterfn)
86 80
87 81 if fp is not None or ui.canwritewithoutlabels():
82 out = fp or ui
88 83 if stat:
89 84 chunks = patch.diffstat(util.iterlines(chunks), width=width)
90 85 for chunk in util.filechunkiter(util.chunkbuffer(chunks)):
91 write(chunk)
86 out.write(chunk)
92 87 else:
93 88 if stat:
94 89 chunks = patch.diffstatui(util.iterlines(chunks), width=width)
95 90 else:
96 91 chunks = patch.difflabel(lambda chunks, **kwargs: chunks, chunks,
97 92 opts=diffopts)
98 93 if ui.canbatchlabeledwrites():
99 94 def gen():
100 95 for chunk, label in chunks:
101 96 yield ui.label(chunk, label=label)
102 97 for chunk in util.filechunkiter(util.chunkbuffer(gen())):
103 write(chunk)
98 ui.write(chunk)
104 99 else:
105 100 for chunk, label in chunks:
106 write(chunk, label=label)
101 ui.write(chunk, label=label)
107 102
108 103 if listsubrepos:
109 104 ctx1 = repo[node1]
110 105 ctx2 = repo[node2]
111 106 for subpath, sub in scmutil.itersubrepos(ctx1, ctx2):
112 107 tempnode2 = node2
113 108 try:
114 109 if node2 is not None:
115 110 tempnode2 = ctx2.substate[subpath][1]
116 111 except KeyError:
117 112 # A subrepo that existed in node1 was deleted between node1 and
118 113 # node2 (inclusive). Thus, ctx2's substate won't contain that
119 114 # subpath. The best we can do is to ignore it.
120 115 tempnode2 = None
121 116 submatch = matchmod.subdirmatcher(subpath, match)
122 117 sub.diff(ui, diffopts, tempnode2, submatch, changes=changes,
123 118 stat=stat, fp=fp, prefix=prefix)
124 119
125 120 class changesetdiffer(object):
126 121 """Generate diff of changeset with pre-configured filtering functions"""
127 122
128 123 def _makefilematcher(self, ctx):
129 124 return scmutil.matchall(ctx.repo())
130 125
131 126 def _makehunksfilter(self, ctx):
132 127 return None
133 128
134 129 def showdiff(self, ui, ctx, diffopts, stat=False):
135 130 repo = ctx.repo()
136 131 node = ctx.node()
137 132 prev = ctx.p1().node()
138 133 diffordiffstat(ui, repo, diffopts, prev, node,
139 134 match=self._makefilematcher(ctx), stat=stat,
140 135 hunksfilterfn=self._makehunksfilter(ctx))
141 136
142 137 def changesetlabels(ctx):
143 138 labels = ['log.changeset', 'changeset.%s' % ctx.phasestr()]
144 139 if ctx.obsolete():
145 140 labels.append('changeset.obsolete')
146 141 if ctx.isunstable():
147 142 labels.append('changeset.unstable')
148 143 for instability in ctx.instabilities():
149 144 labels.append('instability.%s' % instability)
150 145 return ' '.join(labels)
151 146
152 147 class changesetprinter(object):
153 148 '''show changeset information when templating not requested.'''
154 149
155 150 def __init__(self, ui, repo, differ=None, diffopts=None, buffered=False):
156 151 self.ui = ui
157 152 self.repo = repo
158 153 self.buffered = buffered
159 154 self._differ = differ or changesetdiffer()
160 155 self.diffopts = diffopts or {}
161 156 self.header = {}
162 157 self.hunk = {}
163 158 self.lastheader = None
164 159 self.footer = None
165 160 self._columns = templatekw.getlogcolumns()
166 161
167 162 def flush(self, ctx):
168 163 rev = ctx.rev()
169 164 if rev in self.header:
170 165 h = self.header[rev]
171 166 if h != self.lastheader:
172 167 self.lastheader = h
173 168 self.ui.write(h)
174 169 del self.header[rev]
175 170 if rev in self.hunk:
176 171 self.ui.write(self.hunk[rev])
177 172 del self.hunk[rev]
178 173
179 174 def close(self):
180 175 if self.footer:
181 176 self.ui.write(self.footer)
182 177
183 178 def show(self, ctx, copies=None, **props):
184 179 props = pycompat.byteskwargs(props)
185 180 if self.buffered:
186 181 self.ui.pushbuffer(labeled=True)
187 182 self._show(ctx, copies, props)
188 183 self.hunk[ctx.rev()] = self.ui.popbuffer()
189 184 else:
190 185 self._show(ctx, copies, props)
191 186
192 187 def _show(self, ctx, copies, props):
193 188 '''show a single changeset or file revision'''
194 189 changenode = ctx.node()
195 190 rev = ctx.rev()
196 191
197 192 if self.ui.quiet:
198 193 self.ui.write("%s\n" % scmutil.formatchangeid(ctx),
199 194 label='log.node')
200 195 return
201 196
202 197 columns = self._columns
203 198 self.ui.write(columns['changeset'] % scmutil.formatchangeid(ctx),
204 199 label=changesetlabels(ctx))
205 200
206 201 # branches are shown first before any other names due to backwards
207 202 # compatibility
208 203 branch = ctx.branch()
209 204 # don't show the default branch name
210 205 if branch != 'default':
211 206 self.ui.write(columns['branch'] % branch, label='log.branch')
212 207
213 208 for nsname, ns in self.repo.names.iteritems():
214 209 # branches has special logic already handled above, so here we just
215 210 # skip it
216 211 if nsname == 'branches':
217 212 continue
218 213 # we will use the templatename as the color name since those two
219 214 # should be the same
220 215 for name in ns.names(self.repo, changenode):
221 216 self.ui.write(ns.logfmt % name,
222 217 label='log.%s' % ns.colorname)
223 218 if self.ui.debugflag:
224 219 self.ui.write(columns['phase'] % ctx.phasestr(), label='log.phase')
225 220 for pctx in scmutil.meaningfulparents(self.repo, ctx):
226 221 label = 'log.parent changeset.%s' % pctx.phasestr()
227 222 self.ui.write(columns['parent'] % scmutil.formatchangeid(pctx),
228 223 label=label)
229 224
230 225 if self.ui.debugflag and rev is not None:
231 226 mnode = ctx.manifestnode()
232 227 mrev = self.repo.manifestlog._revlog.rev(mnode)
233 228 self.ui.write(columns['manifest']
234 229 % scmutil.formatrevnode(self.ui, mrev, mnode),
235 230 label='ui.debug log.manifest')
236 231 self.ui.write(columns['user'] % ctx.user(), label='log.user')
237 232 self.ui.write(columns['date'] % util.datestr(ctx.date()),
238 233 label='log.date')
239 234
240 235 if ctx.isunstable():
241 236 instabilities = ctx.instabilities()
242 237 self.ui.write(columns['instability'] % ', '.join(instabilities),
243 238 label='log.instability')
244 239
245 240 elif ctx.obsolete():
246 241 self._showobsfate(ctx)
247 242
248 243 self._exthook(ctx)
249 244
250 245 if self.ui.debugflag:
251 246 files = ctx.p1().status(ctx)[:3]
252 247 for key, value in zip(['files', 'files+', 'files-'], files):
253 248 if value:
254 249 self.ui.write(columns[key] % " ".join(value),
255 250 label='ui.debug log.files')
256 251 elif ctx.files() and self.ui.verbose:
257 252 self.ui.write(columns['files'] % " ".join(ctx.files()),
258 253 label='ui.note log.files')
259 254 if copies and self.ui.verbose:
260 255 copies = ['%s (%s)' % c for c in copies]
261 256 self.ui.write(columns['copies'] % ' '.join(copies),
262 257 label='ui.note log.copies')
263 258
264 259 extra = ctx.extra()
265 260 if extra and self.ui.debugflag:
266 261 for key, value in sorted(extra.items()):
267 262 self.ui.write(columns['extra'] % (key, util.escapestr(value)),
268 263 label='ui.debug log.extra')
269 264
270 265 description = ctx.description().strip()
271 266 if description:
272 267 if self.ui.verbose:
273 268 self.ui.write(_("description:\n"),
274 269 label='ui.note log.description')
275 270 self.ui.write(description,
276 271 label='ui.note log.description')
277 272 self.ui.write("\n\n")
278 273 else:
279 274 self.ui.write(columns['summary'] % description.splitlines()[0],
280 275 label='log.summary')
281 276 self.ui.write("\n")
282 277
283 278 self._showpatch(ctx)
284 279
285 280 def _showobsfate(self, ctx):
286 281 obsfate = templatekw.showobsfate(repo=self.repo, ctx=ctx, ui=self.ui)
287 282
288 283 if obsfate:
289 284 for obsfateline in obsfate:
290 285 self.ui.write(self._columns['obsolete'] % obsfateline,
291 286 label='log.obsfate')
292 287
293 288 def _exthook(self, ctx):
294 289 '''empty method used by extension as a hook point
295 290 '''
296 291
297 292 def _showpatch(self, ctx):
298 293 stat = self.diffopts.get('stat')
299 294 diff = self.diffopts.get('patch')
300 295 diffopts = patch.diffallopts(self.ui, self.diffopts)
301 296 if stat:
302 297 self._differ.showdiff(self.ui, ctx, diffopts, stat=True)
303 298 if stat and diff:
304 299 self.ui.write("\n")
305 300 if diff:
306 301 self._differ.showdiff(self.ui, ctx, diffopts, stat=False)
307 302 if stat or diff:
308 303 self.ui.write("\n")
309 304
310 305 class jsonchangeset(changesetprinter):
311 306 '''format changeset information.'''
312 307
313 308 def __init__(self, ui, repo, differ=None, diffopts=None, buffered=False):
314 309 changesetprinter.__init__(self, ui, repo, differ, diffopts, buffered)
315 310 self.cache = {}
316 311 self._first = True
317 312
318 313 def close(self):
319 314 if not self._first:
320 315 self.ui.write("\n]\n")
321 316 else:
322 317 self.ui.write("[]\n")
323 318
324 319 def _show(self, ctx, copies, props):
325 320 '''show a single changeset or file revision'''
326 321 rev = ctx.rev()
327 322 if rev is None:
328 323 jrev = jnode = 'null'
329 324 else:
330 325 jrev = '%d' % rev
331 326 jnode = '"%s"' % hex(ctx.node())
332 327 j = encoding.jsonescape
333 328
334 329 if self._first:
335 330 self.ui.write("[\n {")
336 331 self._first = False
337 332 else:
338 333 self.ui.write(",\n {")
339 334
340 335 if self.ui.quiet:
341 336 self.ui.write(('\n "rev": %s') % jrev)
342 337 self.ui.write((',\n "node": %s') % jnode)
343 338 self.ui.write('\n }')
344 339 return
345 340
346 341 self.ui.write(('\n "rev": %s') % jrev)
347 342 self.ui.write((',\n "node": %s') % jnode)
348 343 self.ui.write((',\n "branch": "%s"') % j(ctx.branch()))
349 344 self.ui.write((',\n "phase": "%s"') % ctx.phasestr())
350 345 self.ui.write((',\n "user": "%s"') % j(ctx.user()))
351 346 self.ui.write((',\n "date": [%d, %d]') % ctx.date())
352 347 self.ui.write((',\n "desc": "%s"') % j(ctx.description()))
353 348
354 349 self.ui.write((',\n "bookmarks": [%s]') %
355 350 ", ".join('"%s"' % j(b) for b in ctx.bookmarks()))
356 351 self.ui.write((',\n "tags": [%s]') %
357 352 ", ".join('"%s"' % j(t) for t in ctx.tags()))
358 353 self.ui.write((',\n "parents": [%s]') %
359 354 ", ".join('"%s"' % c.hex() for c in ctx.parents()))
360 355
361 356 if self.ui.debugflag:
362 357 if rev is None:
363 358 jmanifestnode = 'null'
364 359 else:
365 360 jmanifestnode = '"%s"' % hex(ctx.manifestnode())
366 361 self.ui.write((',\n "manifest": %s') % jmanifestnode)
367 362
368 363 self.ui.write((',\n "extra": {%s}') %
369 364 ", ".join('"%s": "%s"' % (j(k), j(v))
370 365 for k, v in ctx.extra().items()))
371 366
372 367 files = ctx.p1().status(ctx)
373 368 self.ui.write((',\n "modified": [%s]') %
374 369 ", ".join('"%s"' % j(f) for f in files[0]))
375 370 self.ui.write((',\n "added": [%s]') %
376 371 ", ".join('"%s"' % j(f) for f in files[1]))
377 372 self.ui.write((',\n "removed": [%s]') %
378 373 ", ".join('"%s"' % j(f) for f in files[2]))
379 374
380 375 elif self.ui.verbose:
381 376 self.ui.write((',\n "files": [%s]') %
382 377 ", ".join('"%s"' % j(f) for f in ctx.files()))
383 378
384 379 if copies:
385 380 self.ui.write((',\n "copies": {%s}') %
386 381 ", ".join('"%s": "%s"' % (j(k), j(v))
387 382 for k, v in copies))
388 383
389 384 stat = self.diffopts.get('stat')
390 385 diff = self.diffopts.get('patch')
391 386 diffopts = patch.difffeatureopts(self.ui, self.diffopts, git=True)
392 387 if stat:
393 388 self.ui.pushbuffer()
394 389 self._differ.showdiff(self.ui, ctx, diffopts, stat=True)
395 390 self.ui.write((',\n "diffstat": "%s"')
396 391 % j(self.ui.popbuffer()))
397 392 if diff:
398 393 self.ui.pushbuffer()
399 394 self._differ.showdiff(self.ui, ctx, diffopts, stat=False)
400 395 self.ui.write((',\n "diff": "%s"') % j(self.ui.popbuffer()))
401 396
402 397 self.ui.write("\n }")
403 398
404 399 class changesettemplater(changesetprinter):
405 400 '''format changeset information.
406 401
407 402 Note: there are a variety of convenience functions to build a
408 403 changesettemplater for common cases. See functions such as:
409 404 maketemplater, changesetdisplayer, buildcommittemplate, or other
410 405 functions that use changesest_templater.
411 406 '''
412 407
413 408 # Arguments before "buffered" used to be positional. Consider not
414 409 # adding/removing arguments before "buffered" to not break callers.
415 410 def __init__(self, ui, repo, tmplspec, differ=None, diffopts=None,
416 411 buffered=False):
417 412 changesetprinter.__init__(self, ui, repo, differ, diffopts, buffered)
418 413 tres = formatter.templateresources(ui, repo)
419 414 self.t = formatter.loadtemplater(ui, tmplspec,
420 415 defaults=templatekw.keywords,
421 416 resources=tres,
422 417 cache=templatekw.defaulttempl)
423 418 self._counter = itertools.count()
424 419 self.cache = tres['cache'] # shared with _graphnodeformatter()
425 420
426 421 self._tref = tmplspec.ref
427 422 self._parts = {'header': '', 'footer': '',
428 423 tmplspec.ref: tmplspec.ref,
429 424 'docheader': '', 'docfooter': '',
430 425 'separator': ''}
431 426 if tmplspec.mapfile:
432 427 # find correct templates for current mode, for backward
433 428 # compatibility with 'log -v/-q/--debug' using a mapfile
434 429 tmplmodes = [
435 430 (True, ''),
436 431 (self.ui.verbose, '_verbose'),
437 432 (self.ui.quiet, '_quiet'),
438 433 (self.ui.debugflag, '_debug'),
439 434 ]
440 435 for mode, postfix in tmplmodes:
441 436 for t in self._parts:
442 437 cur = t + postfix
443 438 if mode and cur in self.t:
444 439 self._parts[t] = cur
445 440 else:
446 441 partnames = [p for p in self._parts.keys() if p != tmplspec.ref]
447 442 m = formatter.templatepartsmap(tmplspec, self.t, partnames)
448 443 self._parts.update(m)
449 444
450 445 if self._parts['docheader']:
451 446 self.ui.write(templater.stringify(self.t(self._parts['docheader'])))
452 447
453 448 def close(self):
454 449 if self._parts['docfooter']:
455 450 if not self.footer:
456 451 self.footer = ""
457 452 self.footer += templater.stringify(self.t(self._parts['docfooter']))
458 453 return super(changesettemplater, self).close()
459 454
460 455 def _show(self, ctx, copies, props):
461 456 '''show a single changeset or file revision'''
462 457 props = props.copy()
463 458 props['ctx'] = ctx
464 459 props['index'] = index = next(self._counter)
465 460 props['revcache'] = {'copies': copies}
466 461 props = pycompat.strkwargs(props)
467 462
468 463 # write separator, which wouldn't work well with the header part below
469 464 # since there's inherently a conflict between header (across items) and
470 465 # separator (per item)
471 466 if self._parts['separator'] and index > 0:
472 467 self.ui.write(templater.stringify(self.t(self._parts['separator'])))
473 468
474 469 # write header
475 470 if self._parts['header']:
476 471 h = templater.stringify(self.t(self._parts['header'], **props))
477 472 if self.buffered:
478 473 self.header[ctx.rev()] = h
479 474 else:
480 475 if self.lastheader != h:
481 476 self.lastheader = h
482 477 self.ui.write(h)
483 478
484 479 # write changeset metadata, then patch if requested
485 480 key = self._parts[self._tref]
486 481 self.ui.write(templater.stringify(self.t(key, **props)))
487 482 self._showpatch(ctx)
488 483
489 484 if self._parts['footer']:
490 485 if not self.footer:
491 486 self.footer = templater.stringify(
492 487 self.t(self._parts['footer'], **props))
493 488
494 489 def templatespec(tmpl, mapfile):
495 490 if mapfile:
496 491 return formatter.templatespec('changeset', tmpl, mapfile)
497 492 else:
498 493 return formatter.templatespec('', tmpl, None)
499 494
500 495 def _lookuptemplate(ui, tmpl, style):
501 496 """Find the template matching the given template spec or style
502 497
503 498 See formatter.lookuptemplate() for details.
504 499 """
505 500
506 501 # ui settings
507 502 if not tmpl and not style: # template are stronger than style
508 503 tmpl = ui.config('ui', 'logtemplate')
509 504 if tmpl:
510 505 return templatespec(templater.unquotestring(tmpl), None)
511 506 else:
512 507 style = util.expandpath(ui.config('ui', 'style'))
513 508
514 509 if not tmpl and style:
515 510 mapfile = style
516 511 if not os.path.split(mapfile)[0]:
517 512 mapname = (templater.templatepath('map-cmdline.' + mapfile)
518 513 or templater.templatepath(mapfile))
519 514 if mapname:
520 515 mapfile = mapname
521 516 return templatespec(None, mapfile)
522 517
523 518 if not tmpl:
524 519 return templatespec(None, None)
525 520
526 521 return formatter.lookuptemplate(ui, 'changeset', tmpl)
527 522
528 523 def maketemplater(ui, repo, tmpl, buffered=False):
529 524 """Create a changesettemplater from a literal template 'tmpl'
530 525 byte-string."""
531 526 spec = templatespec(tmpl, None)
532 527 return changesettemplater(ui, repo, spec, buffered=buffered)
533 528
534 529 def changesetdisplayer(ui, repo, opts, differ=None, buffered=False):
535 530 """show one changeset using template or regular display.
536 531
537 532 Display format will be the first non-empty hit of:
538 533 1. option 'template'
539 534 2. option 'style'
540 535 3. [ui] setting 'logtemplate'
541 536 4. [ui] setting 'style'
542 537 If all of these values are either the unset or the empty string,
543 538 regular display via changesetprinter() is done.
544 539 """
545 540 postargs = (differ, opts, buffered)
546 541 if opts.get('template') == 'json':
547 542 return jsonchangeset(ui, repo, *postargs)
548 543
549 544 spec = _lookuptemplate(ui, opts.get('template'), opts.get('style'))
550 545
551 546 if not spec.ref and not spec.tmpl and not spec.mapfile:
552 547 return changesetprinter(ui, repo, *postargs)
553 548
554 549 return changesettemplater(ui, repo, spec, *postargs)
555 550
556 551 def _makematcher(repo, revs, pats, opts):
557 552 """Build matcher and expanded patterns from log options
558 553
559 554 If --follow, revs are the revisions to follow from.
560 555
561 556 Returns (match, pats, slowpath) where
562 557 - match: a matcher built from the given pats and -I/-X opts
563 558 - pats: patterns used (globs are expanded on Windows)
564 559 - slowpath: True if patterns aren't as simple as scanning filelogs
565 560 """
566 561 # pats/include/exclude are passed to match.match() directly in
567 562 # _matchfiles() revset but walkchangerevs() builds its matcher with
568 563 # scmutil.match(). The difference is input pats are globbed on
569 564 # platforms without shell expansion (windows).
570 565 wctx = repo[None]
571 566 match, pats = scmutil.matchandpats(wctx, pats, opts)
572 567 slowpath = match.anypats() or (not match.always() and opts.get('removed'))
573 568 if not slowpath:
574 569 follow = opts.get('follow') or opts.get('follow_first')
575 570 startctxs = []
576 571 if follow and opts.get('rev'):
577 572 startctxs = [repo[r] for r in revs]
578 573 for f in match.files():
579 574 if follow and startctxs:
580 575 # No idea if the path was a directory at that revision, so
581 576 # take the slow path.
582 577 if any(f not in c for c in startctxs):
583 578 slowpath = True
584 579 continue
585 580 elif follow and f not in wctx:
586 581 # If the file exists, it may be a directory, so let it
587 582 # take the slow path.
588 583 if os.path.exists(repo.wjoin(f)):
589 584 slowpath = True
590 585 continue
591 586 else:
592 587 raise error.Abort(_('cannot follow file not in parent '
593 588 'revision: "%s"') % f)
594 589 filelog = repo.file(f)
595 590 if not filelog:
596 591 # A zero count may be a directory or deleted file, so
597 592 # try to find matching entries on the slow path.
598 593 if follow:
599 594 raise error.Abort(
600 595 _('cannot follow nonexistent file: "%s"') % f)
601 596 slowpath = True
602 597
603 598 # We decided to fall back to the slowpath because at least one
604 599 # of the paths was not a file. Check to see if at least one of them
605 600 # existed in history - in that case, we'll continue down the
606 601 # slowpath; otherwise, we can turn off the slowpath
607 602 if slowpath:
608 603 for path in match.files():
609 604 if path == '.' or path in repo.store:
610 605 break
611 606 else:
612 607 slowpath = False
613 608
614 609 return match, pats, slowpath
615 610
616 611 def _fileancestors(repo, revs, match, followfirst):
617 612 fctxs = []
618 613 for r in revs:
619 614 ctx = repo[r]
620 615 fctxs.extend(ctx[f].introfilectx() for f in ctx.walk(match))
621 616
622 617 # When displaying a revision with --patch --follow FILE, we have
623 618 # to know which file of the revision must be diffed. With
624 619 # --follow, we want the names of the ancestors of FILE in the
625 620 # revision, stored in "fcache". "fcache" is populated as a side effect
626 621 # of the graph traversal.
627 622 fcache = {}
628 623 def filematcher(ctx):
629 624 return scmutil.matchfiles(repo, fcache.get(ctx.rev(), []))
630 625
631 626 def revgen():
632 627 for rev, cs in dagop.filectxancestors(fctxs, followfirst=followfirst):
633 628 fcache[rev] = [c.path() for c in cs]
634 629 yield rev
635 630 return smartset.generatorset(revgen(), iterasc=False), filematcher
636 631
637 632 def _makenofollowfilematcher(repo, pats, opts):
638 633 '''hook for extensions to override the filematcher for non-follow cases'''
639 634 return None
640 635
641 636 _opt2logrevset = {
642 637 'no_merges': ('not merge()', None),
643 638 'only_merges': ('merge()', None),
644 639 '_matchfiles': (None, '_matchfiles(%ps)'),
645 640 'date': ('date(%s)', None),
646 641 'branch': ('branch(%s)', '%lr'),
647 642 '_patslog': ('filelog(%s)', '%lr'),
648 643 'keyword': ('keyword(%s)', '%lr'),
649 644 'prune': ('ancestors(%s)', 'not %lr'),
650 645 'user': ('user(%s)', '%lr'),
651 646 }
652 647
653 648 def _makerevset(repo, match, pats, slowpath, opts):
654 649 """Return a revset string built from log options and file patterns"""
655 650 opts = dict(opts)
656 651 # follow or not follow?
657 652 follow = opts.get('follow') or opts.get('follow_first')
658 653
659 654 # branch and only_branch are really aliases and must be handled at
660 655 # the same time
661 656 opts['branch'] = opts.get('branch', []) + opts.get('only_branch', [])
662 657 opts['branch'] = [repo.lookupbranch(b) for b in opts['branch']]
663 658
664 659 if slowpath:
665 660 # See walkchangerevs() slow path.
666 661 #
667 662 # pats/include/exclude cannot be represented as separate
668 663 # revset expressions as their filtering logic applies at file
669 664 # level. For instance "-I a -X b" matches a revision touching
670 665 # "a" and "b" while "file(a) and not file(b)" does
671 666 # not. Besides, filesets are evaluated against the working
672 667 # directory.
673 668 matchargs = ['r:', 'd:relpath']
674 669 for p in pats:
675 670 matchargs.append('p:' + p)
676 671 for p in opts.get('include', []):
677 672 matchargs.append('i:' + p)
678 673 for p in opts.get('exclude', []):
679 674 matchargs.append('x:' + p)
680 675 opts['_matchfiles'] = matchargs
681 676 elif not follow:
682 677 opts['_patslog'] = list(pats)
683 678
684 679 expr = []
685 680 for op, val in sorted(opts.iteritems()):
686 681 if not val:
687 682 continue
688 683 if op not in _opt2logrevset:
689 684 continue
690 685 revop, listop = _opt2logrevset[op]
691 686 if revop and '%' not in revop:
692 687 expr.append(revop)
693 688 elif not listop:
694 689 expr.append(revsetlang.formatspec(revop, val))
695 690 else:
696 691 if revop:
697 692 val = [revsetlang.formatspec(revop, v) for v in val]
698 693 expr.append(revsetlang.formatspec(listop, val))
699 694
700 695 if expr:
701 696 expr = '(' + ' and '.join(expr) + ')'
702 697 else:
703 698 expr = None
704 699 return expr
705 700
706 701 def _initialrevs(repo, opts):
707 702 """Return the initial set of revisions to be filtered or followed"""
708 703 follow = opts.get('follow') or opts.get('follow_first')
709 704 if opts.get('rev'):
710 705 revs = scmutil.revrange(repo, opts['rev'])
711 706 elif follow and repo.dirstate.p1() == nullid:
712 707 revs = smartset.baseset()
713 708 elif follow:
714 709 revs = repo.revs('.')
715 710 else:
716 711 revs = smartset.spanset(repo)
717 712 revs.reverse()
718 713 return revs
719 714
720 715 def getrevs(repo, pats, opts):
721 716 """Return (revs, differ) where revs is a smartset
722 717
723 718 differ is a changesetdiffer with pre-configured file matcher.
724 719 """
725 720 follow = opts.get('follow') or opts.get('follow_first')
726 721 followfirst = opts.get('follow_first')
727 722 limit = getlimit(opts)
728 723 revs = _initialrevs(repo, opts)
729 724 if not revs:
730 725 return smartset.baseset(), None
731 726 match, pats, slowpath = _makematcher(repo, revs, pats, opts)
732 727 filematcher = None
733 728 if follow:
734 729 if slowpath or match.always():
735 730 revs = dagop.revancestors(repo, revs, followfirst=followfirst)
736 731 else:
737 732 revs, filematcher = _fileancestors(repo, revs, match, followfirst)
738 733 revs.reverse()
739 734 if filematcher is None:
740 735 filematcher = _makenofollowfilematcher(repo, pats, opts)
741 736 if filematcher is None:
742 737 def filematcher(ctx):
743 738 return match
744 739
745 740 expr = _makerevset(repo, match, pats, slowpath, opts)
746 741 if opts.get('graph') and opts.get('rev'):
747 742 # User-specified revs might be unsorted, but don't sort before
748 743 # _makerevset because it might depend on the order of revs
749 744 if not (revs.isdescending() or revs.istopo()):
750 745 revs.sort(reverse=True)
751 746 if expr:
752 747 matcher = revset.match(None, expr)
753 748 revs = matcher(repo, revs)
754 749 if limit is not None:
755 750 revs = revs.slice(0, limit)
756 751
757 752 differ = changesetdiffer()
758 753 differ._makefilematcher = filematcher
759 754 return revs, differ
760 755
761 756 def _parselinerangeopt(repo, opts):
762 757 """Parse --line-range log option and return a list of tuples (filename,
763 758 (fromline, toline)).
764 759 """
765 760 linerangebyfname = []
766 761 for pat in opts.get('line_range', []):
767 762 try:
768 763 pat, linerange = pat.rsplit(',', 1)
769 764 except ValueError:
770 765 raise error.Abort(_('malformatted line-range pattern %s') % pat)
771 766 try:
772 767 fromline, toline = map(int, linerange.split(':'))
773 768 except ValueError:
774 769 raise error.Abort(_("invalid line range for %s") % pat)
775 770 msg = _("line range pattern '%s' must match exactly one file") % pat
776 771 fname = scmutil.parsefollowlinespattern(repo, None, pat, msg)
777 772 linerangebyfname.append(
778 773 (fname, util.processlinerange(fromline, toline)))
779 774 return linerangebyfname
780 775
781 776 def getlinerangerevs(repo, userrevs, opts):
782 777 """Return (revs, differ).
783 778
784 779 "revs" are revisions obtained by processing "line-range" log options and
785 780 walking block ancestors of each specified file/line-range.
786 781
787 782 "differ" is a changesetdiffer with pre-configured file matcher and hunks
788 783 filter.
789 784 """
790 785 wctx = repo[None]
791 786
792 787 # Two-levels map of "rev -> file ctx -> [line range]".
793 788 linerangesbyrev = {}
794 789 for fname, (fromline, toline) in _parselinerangeopt(repo, opts):
795 790 if fname not in wctx:
796 791 raise error.Abort(_('cannot follow file not in parent '
797 792 'revision: "%s"') % fname)
798 793 fctx = wctx.filectx(fname)
799 794 for fctx, linerange in dagop.blockancestors(fctx, fromline, toline):
800 795 rev = fctx.introrev()
801 796 if rev not in userrevs:
802 797 continue
803 798 linerangesbyrev.setdefault(
804 799 rev, {}).setdefault(
805 800 fctx.path(), []).append(linerange)
806 801
807 802 def nofilterhunksfn(fctx, hunks):
808 803 return hunks
809 804
810 805 def hunksfilter(ctx):
811 806 fctxlineranges = linerangesbyrev.get(ctx.rev())
812 807 if fctxlineranges is None:
813 808 return nofilterhunksfn
814 809
815 810 def filterfn(fctx, hunks):
816 811 lineranges = fctxlineranges.get(fctx.path())
817 812 if lineranges is not None:
818 813 for hr, lines in hunks:
819 814 if hr is None: # binary
820 815 yield hr, lines
821 816 continue
822 817 if any(mdiff.hunkinrange(hr[2:], lr)
823 818 for lr in lineranges):
824 819 yield hr, lines
825 820 else:
826 821 for hunk in hunks:
827 822 yield hunk
828 823
829 824 return filterfn
830 825
831 826 def filematcher(ctx):
832 827 files = list(linerangesbyrev.get(ctx.rev(), []))
833 828 return scmutil.matchfiles(repo, files)
834 829
835 830 revs = sorted(linerangesbyrev, reverse=True)
836 831
837 832 differ = changesetdiffer()
838 833 differ._makefilematcher = filematcher
839 834 differ._makehunksfilter = hunksfilter
840 835 return revs, differ
841 836
842 837 def _graphnodeformatter(ui, displayer):
843 838 spec = ui.config('ui', 'graphnodetemplate')
844 839 if not spec:
845 840 return templatekw.showgraphnode # fast path for "{graphnode}"
846 841
847 842 spec = templater.unquotestring(spec)
848 843 tres = formatter.templateresources(ui)
849 844 if isinstance(displayer, changesettemplater):
850 845 tres['cache'] = displayer.cache # reuse cache of slow templates
851 846 templ = formatter.maketemplater(ui, spec, defaults=templatekw.keywords,
852 847 resources=tres)
853 848 def formatnode(repo, ctx):
854 849 props = {'ctx': ctx, 'repo': repo, 'revcache': {}}
855 850 return templ.render(props)
856 851 return formatnode
857 852
858 853 def displaygraph(ui, repo, dag, displayer, edgefn, getrenamed=None, props=None):
859 854 props = props or {}
860 855 formatnode = _graphnodeformatter(ui, displayer)
861 856 state = graphmod.asciistate()
862 857 styles = state['styles']
863 858
864 859 # only set graph styling if HGPLAIN is not set.
865 860 if ui.plain('graph'):
866 861 # set all edge styles to |, the default pre-3.8 behaviour
867 862 styles.update(dict.fromkeys(styles, '|'))
868 863 else:
869 864 edgetypes = {
870 865 'parent': graphmod.PARENT,
871 866 'grandparent': graphmod.GRANDPARENT,
872 867 'missing': graphmod.MISSINGPARENT
873 868 }
874 869 for name, key in edgetypes.items():
875 870 # experimental config: experimental.graphstyle.*
876 871 styles[key] = ui.config('experimental', 'graphstyle.%s' % name,
877 872 styles[key])
878 873 if not styles[key]:
879 874 styles[key] = None
880 875
881 876 # experimental config: experimental.graphshorten
882 877 state['graphshorten'] = ui.configbool('experimental', 'graphshorten')
883 878
884 879 for rev, type, ctx, parents in dag:
885 880 char = formatnode(repo, ctx)
886 881 copies = None
887 882 if getrenamed and ctx.rev():
888 883 copies = []
889 884 for fn in ctx.files():
890 885 rename = getrenamed(fn, ctx.rev())
891 886 if rename:
892 887 copies.append((fn, rename[0]))
893 888 edges = edgefn(type, char, state, rev, parents)
894 889 firstedge = next(edges)
895 890 width = firstedge[2]
896 891 displayer.show(ctx, copies=copies,
897 892 _graphwidth=width, **pycompat.strkwargs(props))
898 893 lines = displayer.hunk.pop(rev).split('\n')
899 894 if not lines[-1]:
900 895 del lines[-1]
901 896 displayer.flush(ctx)
902 897 for type, char, width, coldata in itertools.chain([firstedge], edges):
903 898 graphmod.ascii(ui, state, type, char, lines, coldata)
904 899 lines = []
905 900 displayer.close()
906 901
907 902 def graphlog(ui, repo, revs, differ, opts):
908 903 # Parameters are identical to log command ones
909 904 revdag = graphmod.dagwalker(repo, revs)
910 905
911 906 getrenamed = None
912 907 if opts.get('copies'):
913 908 endrev = None
914 909 if opts.get('rev'):
915 910 endrev = scmutil.revrange(repo, opts.get('rev')).max() + 1
916 911 getrenamed = templatekw.getrenamedfn(repo, endrev=endrev)
917 912
918 913 ui.pager('log')
919 914 displayer = changesetdisplayer(ui, repo, opts, differ, buffered=True)
920 915 displaygraph(ui, repo, revdag, displayer, graphmod.asciiedges, getrenamed)
921 916
922 917 def checkunsupportedgraphflags(pats, opts):
923 918 for op in ["newest_first"]:
924 919 if op in opts and opts[op]:
925 920 raise error.Abort(_("-G/--graph option is incompatible with --%s")
926 921 % op.replace("_", "-"))
927 922
928 923 def graphrevs(repo, nodes, opts):
929 924 limit = getlimit(opts)
930 925 nodes.reverse()
931 926 if limit is not None:
932 927 nodes = nodes[:limit]
933 928 return graphmod.nodes(repo, nodes)
General Comments 0
You need to be logged in to leave comments. Login now