##// END OF EJS Templates
commit: move dirstateguard creation out of try-block...
Martin von Zweigbergk -
r33822:5d286eb7 default
parent child Browse files
Show More
@@ -1,3867 +1,3868
1 # cmdutil.py - help for command processing in mercurial
1 # cmdutil.py - help for command processing in mercurial
2 #
2 #
3 # Copyright 2005-2007 Matt Mackall <mpm@selenic.com>
3 # Copyright 2005-2007 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 from __future__ import absolute_import
8 from __future__ import absolute_import
9
9
10 import errno
10 import errno
11 import itertools
11 import itertools
12 import os
12 import os
13 import re
13 import re
14 import tempfile
14 import tempfile
15
15
16 from .i18n import _
16 from .i18n import _
17 from .node import (
17 from .node import (
18 hex,
18 hex,
19 nullid,
19 nullid,
20 nullrev,
20 nullrev,
21 short,
21 short,
22 )
22 )
23
23
24 from . import (
24 from . import (
25 bookmarks,
25 bookmarks,
26 changelog,
26 changelog,
27 copies,
27 copies,
28 crecord as crecordmod,
28 crecord as crecordmod,
29 dirstateguard,
29 dirstateguard,
30 encoding,
30 encoding,
31 error,
31 error,
32 formatter,
32 formatter,
33 graphmod,
33 graphmod,
34 match as matchmod,
34 match as matchmod,
35 obsolete,
35 obsolete,
36 patch,
36 patch,
37 pathutil,
37 pathutil,
38 phases,
38 phases,
39 pycompat,
39 pycompat,
40 registrar,
40 registrar,
41 revlog,
41 revlog,
42 revset,
42 revset,
43 scmutil,
43 scmutil,
44 smartset,
44 smartset,
45 templatekw,
45 templatekw,
46 templater,
46 templater,
47 util,
47 util,
48 vfs as vfsmod,
48 vfs as vfsmod,
49 )
49 )
50 stringio = util.stringio
50 stringio = util.stringio
51
51
52 # templates of common command options
52 # templates of common command options
53
53
54 dryrunopts = [
54 dryrunopts = [
55 ('n', 'dry-run', None,
55 ('n', 'dry-run', None,
56 _('do not perform actions, just print output')),
56 _('do not perform actions, just print output')),
57 ]
57 ]
58
58
59 remoteopts = [
59 remoteopts = [
60 ('e', 'ssh', '',
60 ('e', 'ssh', '',
61 _('specify ssh command to use'), _('CMD')),
61 _('specify ssh command to use'), _('CMD')),
62 ('', 'remotecmd', '',
62 ('', 'remotecmd', '',
63 _('specify hg command to run on the remote side'), _('CMD')),
63 _('specify hg command to run on the remote side'), _('CMD')),
64 ('', 'insecure', None,
64 ('', 'insecure', None,
65 _('do not verify server certificate (ignoring web.cacerts config)')),
65 _('do not verify server certificate (ignoring web.cacerts config)')),
66 ]
66 ]
67
67
68 walkopts = [
68 walkopts = [
69 ('I', 'include', [],
69 ('I', 'include', [],
70 _('include names matching the given patterns'), _('PATTERN')),
70 _('include names matching the given patterns'), _('PATTERN')),
71 ('X', 'exclude', [],
71 ('X', 'exclude', [],
72 _('exclude names matching the given patterns'), _('PATTERN')),
72 _('exclude names matching the given patterns'), _('PATTERN')),
73 ]
73 ]
74
74
75 commitopts = [
75 commitopts = [
76 ('m', 'message', '',
76 ('m', 'message', '',
77 _('use text as commit message'), _('TEXT')),
77 _('use text as commit message'), _('TEXT')),
78 ('l', 'logfile', '',
78 ('l', 'logfile', '',
79 _('read commit message from file'), _('FILE')),
79 _('read commit message from file'), _('FILE')),
80 ]
80 ]
81
81
82 commitopts2 = [
82 commitopts2 = [
83 ('d', 'date', '',
83 ('d', 'date', '',
84 _('record the specified date as commit date'), _('DATE')),
84 _('record the specified date as commit date'), _('DATE')),
85 ('u', 'user', '',
85 ('u', 'user', '',
86 _('record the specified user as committer'), _('USER')),
86 _('record the specified user as committer'), _('USER')),
87 ]
87 ]
88
88
89 # hidden for now
89 # hidden for now
90 formatteropts = [
90 formatteropts = [
91 ('T', 'template', '',
91 ('T', 'template', '',
92 _('display with template (EXPERIMENTAL)'), _('TEMPLATE')),
92 _('display with template (EXPERIMENTAL)'), _('TEMPLATE')),
93 ]
93 ]
94
94
95 templateopts = [
95 templateopts = [
96 ('', 'style', '',
96 ('', 'style', '',
97 _('display using template map file (DEPRECATED)'), _('STYLE')),
97 _('display using template map file (DEPRECATED)'), _('STYLE')),
98 ('T', 'template', '',
98 ('T', 'template', '',
99 _('display with template'), _('TEMPLATE')),
99 _('display with template'), _('TEMPLATE')),
100 ]
100 ]
101
101
102 logopts = [
102 logopts = [
103 ('p', 'patch', None, _('show patch')),
103 ('p', 'patch', None, _('show patch')),
104 ('g', 'git', None, _('use git extended diff format')),
104 ('g', 'git', None, _('use git extended diff format')),
105 ('l', 'limit', '',
105 ('l', 'limit', '',
106 _('limit number of changes displayed'), _('NUM')),
106 _('limit number of changes displayed'), _('NUM')),
107 ('M', 'no-merges', None, _('do not show merges')),
107 ('M', 'no-merges', None, _('do not show merges')),
108 ('', 'stat', None, _('output diffstat-style summary of changes')),
108 ('', 'stat', None, _('output diffstat-style summary of changes')),
109 ('G', 'graph', None, _("show the revision DAG")),
109 ('G', 'graph', None, _("show the revision DAG")),
110 ] + templateopts
110 ] + templateopts
111
111
112 diffopts = [
112 diffopts = [
113 ('a', 'text', None, _('treat all files as text')),
113 ('a', 'text', None, _('treat all files as text')),
114 ('g', 'git', None, _('use git extended diff format')),
114 ('g', 'git', None, _('use git extended diff format')),
115 ('', 'binary', None, _('generate binary diffs in git mode (default)')),
115 ('', 'binary', None, _('generate binary diffs in git mode (default)')),
116 ('', 'nodates', None, _('omit dates from diff headers'))
116 ('', 'nodates', None, _('omit dates from diff headers'))
117 ]
117 ]
118
118
119 diffwsopts = [
119 diffwsopts = [
120 ('w', 'ignore-all-space', None,
120 ('w', 'ignore-all-space', None,
121 _('ignore white space when comparing lines')),
121 _('ignore white space when comparing lines')),
122 ('b', 'ignore-space-change', None,
122 ('b', 'ignore-space-change', None,
123 _('ignore changes in the amount of white space')),
123 _('ignore changes in the amount of white space')),
124 ('B', 'ignore-blank-lines', None,
124 ('B', 'ignore-blank-lines', None,
125 _('ignore changes whose lines are all blank')),
125 _('ignore changes whose lines are all blank')),
126 ]
126 ]
127
127
128 diffopts2 = [
128 diffopts2 = [
129 ('', 'noprefix', None, _('omit a/ and b/ prefixes from filenames')),
129 ('', 'noprefix', None, _('omit a/ and b/ prefixes from filenames')),
130 ('p', 'show-function', None, _('show which function each change is in')),
130 ('p', 'show-function', None, _('show which function each change is in')),
131 ('', 'reverse', None, _('produce a diff that undoes the changes')),
131 ('', 'reverse', None, _('produce a diff that undoes the changes')),
132 ] + diffwsopts + [
132 ] + diffwsopts + [
133 ('U', 'unified', '',
133 ('U', 'unified', '',
134 _('number of lines of context to show'), _('NUM')),
134 _('number of lines of context to show'), _('NUM')),
135 ('', 'stat', None, _('output diffstat-style summary of changes')),
135 ('', 'stat', None, _('output diffstat-style summary of changes')),
136 ('', 'root', '', _('produce diffs relative to subdirectory'), _('DIR')),
136 ('', 'root', '', _('produce diffs relative to subdirectory'), _('DIR')),
137 ]
137 ]
138
138
139 mergetoolopts = [
139 mergetoolopts = [
140 ('t', 'tool', '', _('specify merge tool')),
140 ('t', 'tool', '', _('specify merge tool')),
141 ]
141 ]
142
142
143 similarityopts = [
143 similarityopts = [
144 ('s', 'similarity', '',
144 ('s', 'similarity', '',
145 _('guess renamed files by similarity (0<=s<=100)'), _('SIMILARITY'))
145 _('guess renamed files by similarity (0<=s<=100)'), _('SIMILARITY'))
146 ]
146 ]
147
147
148 subrepoopts = [
148 subrepoopts = [
149 ('S', 'subrepos', None,
149 ('S', 'subrepos', None,
150 _('recurse into subrepositories'))
150 _('recurse into subrepositories'))
151 ]
151 ]
152
152
153 debugrevlogopts = [
153 debugrevlogopts = [
154 ('c', 'changelog', False, _('open changelog')),
154 ('c', 'changelog', False, _('open changelog')),
155 ('m', 'manifest', False, _('open manifest')),
155 ('m', 'manifest', False, _('open manifest')),
156 ('', 'dir', '', _('open directory manifest')),
156 ('', 'dir', '', _('open directory manifest')),
157 ]
157 ]
158
158
159 # special string such that everything below this line will be ingored in the
159 # special string such that everything below this line will be ingored in the
160 # editor text
160 # editor text
161 _linebelow = "^HG: ------------------------ >8 ------------------------$"
161 _linebelow = "^HG: ------------------------ >8 ------------------------$"
162
162
163 def ishunk(x):
163 def ishunk(x):
164 hunkclasses = (crecordmod.uihunk, patch.recordhunk)
164 hunkclasses = (crecordmod.uihunk, patch.recordhunk)
165 return isinstance(x, hunkclasses)
165 return isinstance(x, hunkclasses)
166
166
167 def newandmodified(chunks, originalchunks):
167 def newandmodified(chunks, originalchunks):
168 newlyaddedandmodifiedfiles = set()
168 newlyaddedandmodifiedfiles = set()
169 for chunk in chunks:
169 for chunk in chunks:
170 if ishunk(chunk) and chunk.header.isnewfile() and chunk not in \
170 if ishunk(chunk) and chunk.header.isnewfile() and chunk not in \
171 originalchunks:
171 originalchunks:
172 newlyaddedandmodifiedfiles.add(chunk.header.filename())
172 newlyaddedandmodifiedfiles.add(chunk.header.filename())
173 return newlyaddedandmodifiedfiles
173 return newlyaddedandmodifiedfiles
174
174
175 def parsealiases(cmd):
175 def parsealiases(cmd):
176 return cmd.lstrip("^").split("|")
176 return cmd.lstrip("^").split("|")
177
177
178 def setupwrapcolorwrite(ui):
178 def setupwrapcolorwrite(ui):
179 # wrap ui.write so diff output can be labeled/colorized
179 # wrap ui.write so diff output can be labeled/colorized
180 def wrapwrite(orig, *args, **kw):
180 def wrapwrite(orig, *args, **kw):
181 label = kw.pop('label', '')
181 label = kw.pop('label', '')
182 for chunk, l in patch.difflabel(lambda: args):
182 for chunk, l in patch.difflabel(lambda: args):
183 orig(chunk, label=label + l)
183 orig(chunk, label=label + l)
184
184
185 oldwrite = ui.write
185 oldwrite = ui.write
186 def wrap(*args, **kwargs):
186 def wrap(*args, **kwargs):
187 return wrapwrite(oldwrite, *args, **kwargs)
187 return wrapwrite(oldwrite, *args, **kwargs)
188 setattr(ui, 'write', wrap)
188 setattr(ui, 'write', wrap)
189 return oldwrite
189 return oldwrite
190
190
191 def filterchunks(ui, originalhunks, usecurses, testfile, operation=None):
191 def filterchunks(ui, originalhunks, usecurses, testfile, operation=None):
192 if usecurses:
192 if usecurses:
193 if testfile:
193 if testfile:
194 recordfn = crecordmod.testdecorator(testfile,
194 recordfn = crecordmod.testdecorator(testfile,
195 crecordmod.testchunkselector)
195 crecordmod.testchunkselector)
196 else:
196 else:
197 recordfn = crecordmod.chunkselector
197 recordfn = crecordmod.chunkselector
198
198
199 return crecordmod.filterpatch(ui, originalhunks, recordfn, operation)
199 return crecordmod.filterpatch(ui, originalhunks, recordfn, operation)
200
200
201 else:
201 else:
202 return patch.filterpatch(ui, originalhunks, operation)
202 return patch.filterpatch(ui, originalhunks, operation)
203
203
204 def recordfilter(ui, originalhunks, operation=None):
204 def recordfilter(ui, originalhunks, operation=None):
205 """ Prompts the user to filter the originalhunks and return a list of
205 """ Prompts the user to filter the originalhunks and return a list of
206 selected hunks.
206 selected hunks.
207 *operation* is used for to build ui messages to indicate the user what
207 *operation* is used for to build ui messages to indicate the user what
208 kind of filtering they are doing: reverting, committing, shelving, etc.
208 kind of filtering they are doing: reverting, committing, shelving, etc.
209 (see patch.filterpatch).
209 (see patch.filterpatch).
210 """
210 """
211 usecurses = crecordmod.checkcurses(ui)
211 usecurses = crecordmod.checkcurses(ui)
212 testfile = ui.config('experimental', 'crecordtest')
212 testfile = ui.config('experimental', 'crecordtest')
213 oldwrite = setupwrapcolorwrite(ui)
213 oldwrite = setupwrapcolorwrite(ui)
214 try:
214 try:
215 newchunks, newopts = filterchunks(ui, originalhunks, usecurses,
215 newchunks, newopts = filterchunks(ui, originalhunks, usecurses,
216 testfile, operation)
216 testfile, operation)
217 finally:
217 finally:
218 ui.write = oldwrite
218 ui.write = oldwrite
219 return newchunks, newopts
219 return newchunks, newopts
220
220
221 def dorecord(ui, repo, commitfunc, cmdsuggest, backupall,
221 def dorecord(ui, repo, commitfunc, cmdsuggest, backupall,
222 filterfn, *pats, **opts):
222 filterfn, *pats, **opts):
223 from . import merge as mergemod
223 from . import merge as mergemod
224 opts = pycompat.byteskwargs(opts)
224 opts = pycompat.byteskwargs(opts)
225 if not ui.interactive():
225 if not ui.interactive():
226 if cmdsuggest:
226 if cmdsuggest:
227 msg = _('running non-interactively, use %s instead') % cmdsuggest
227 msg = _('running non-interactively, use %s instead') % cmdsuggest
228 else:
228 else:
229 msg = _('running non-interactively')
229 msg = _('running non-interactively')
230 raise error.Abort(msg)
230 raise error.Abort(msg)
231
231
232 # make sure username is set before going interactive
232 # make sure username is set before going interactive
233 if not opts.get('user'):
233 if not opts.get('user'):
234 ui.username() # raise exception, username not provided
234 ui.username() # raise exception, username not provided
235
235
236 def recordfunc(ui, repo, message, match, opts):
236 def recordfunc(ui, repo, message, match, opts):
237 """This is generic record driver.
237 """This is generic record driver.
238
238
239 Its job is to interactively filter local changes, and
239 Its job is to interactively filter local changes, and
240 accordingly prepare working directory into a state in which the
240 accordingly prepare working directory into a state in which the
241 job can be delegated to a non-interactive commit command such as
241 job can be delegated to a non-interactive commit command such as
242 'commit' or 'qrefresh'.
242 'commit' or 'qrefresh'.
243
243
244 After the actual job is done by non-interactive command, the
244 After the actual job is done by non-interactive command, the
245 working directory is restored to its original state.
245 working directory is restored to its original state.
246
246
247 In the end we'll record interesting changes, and everything else
247 In the end we'll record interesting changes, and everything else
248 will be left in place, so the user can continue working.
248 will be left in place, so the user can continue working.
249 """
249 """
250
250
251 checkunfinished(repo, commit=True)
251 checkunfinished(repo, commit=True)
252 wctx = repo[None]
252 wctx = repo[None]
253 merge = len(wctx.parents()) > 1
253 merge = len(wctx.parents()) > 1
254 if merge:
254 if merge:
255 raise error.Abort(_('cannot partially commit a merge '
255 raise error.Abort(_('cannot partially commit a merge '
256 '(use "hg commit" instead)'))
256 '(use "hg commit" instead)'))
257
257
258 def fail(f, msg):
258 def fail(f, msg):
259 raise error.Abort('%s: %s' % (f, msg))
259 raise error.Abort('%s: %s' % (f, msg))
260
260
261 force = opts.get('force')
261 force = opts.get('force')
262 if not force:
262 if not force:
263 vdirs = []
263 vdirs = []
264 match.explicitdir = vdirs.append
264 match.explicitdir = vdirs.append
265 match.bad = fail
265 match.bad = fail
266
266
267 status = repo.status(match=match)
267 status = repo.status(match=match)
268 if not force:
268 if not force:
269 repo.checkcommitpatterns(wctx, vdirs, match, status, fail)
269 repo.checkcommitpatterns(wctx, vdirs, match, status, fail)
270 diffopts = patch.difffeatureopts(ui, opts=opts, whitespace=True)
270 diffopts = patch.difffeatureopts(ui, opts=opts, whitespace=True)
271 diffopts.nodates = True
271 diffopts.nodates = True
272 diffopts.git = True
272 diffopts.git = True
273 diffopts.showfunc = True
273 diffopts.showfunc = True
274 originaldiff = patch.diff(repo, changes=status, opts=diffopts)
274 originaldiff = patch.diff(repo, changes=status, opts=diffopts)
275 originalchunks = patch.parsepatch(originaldiff)
275 originalchunks = patch.parsepatch(originaldiff)
276
276
277 # 1. filter patch, since we are intending to apply subset of it
277 # 1. filter patch, since we are intending to apply subset of it
278 try:
278 try:
279 chunks, newopts = filterfn(ui, originalchunks)
279 chunks, newopts = filterfn(ui, originalchunks)
280 except patch.PatchError as err:
280 except patch.PatchError as err:
281 raise error.Abort(_('error parsing patch: %s') % err)
281 raise error.Abort(_('error parsing patch: %s') % err)
282 opts.update(newopts)
282 opts.update(newopts)
283
283
284 # We need to keep a backup of files that have been newly added and
284 # We need to keep a backup of files that have been newly added and
285 # modified during the recording process because there is a previous
285 # modified during the recording process because there is a previous
286 # version without the edit in the workdir
286 # version without the edit in the workdir
287 newlyaddedandmodifiedfiles = newandmodified(chunks, originalchunks)
287 newlyaddedandmodifiedfiles = newandmodified(chunks, originalchunks)
288 contenders = set()
288 contenders = set()
289 for h in chunks:
289 for h in chunks:
290 try:
290 try:
291 contenders.update(set(h.files()))
291 contenders.update(set(h.files()))
292 except AttributeError:
292 except AttributeError:
293 pass
293 pass
294
294
295 changed = status.modified + status.added + status.removed
295 changed = status.modified + status.added + status.removed
296 newfiles = [f for f in changed if f in contenders]
296 newfiles = [f for f in changed if f in contenders]
297 if not newfiles:
297 if not newfiles:
298 ui.status(_('no changes to record\n'))
298 ui.status(_('no changes to record\n'))
299 return 0
299 return 0
300
300
301 modified = set(status.modified)
301 modified = set(status.modified)
302
302
303 # 2. backup changed files, so we can restore them in the end
303 # 2. backup changed files, so we can restore them in the end
304
304
305 if backupall:
305 if backupall:
306 tobackup = changed
306 tobackup = changed
307 else:
307 else:
308 tobackup = [f for f in newfiles if f in modified or f in \
308 tobackup = [f for f in newfiles if f in modified or f in \
309 newlyaddedandmodifiedfiles]
309 newlyaddedandmodifiedfiles]
310 backups = {}
310 backups = {}
311 if tobackup:
311 if tobackup:
312 backupdir = repo.vfs.join('record-backups')
312 backupdir = repo.vfs.join('record-backups')
313 try:
313 try:
314 os.mkdir(backupdir)
314 os.mkdir(backupdir)
315 except OSError as err:
315 except OSError as err:
316 if err.errno != errno.EEXIST:
316 if err.errno != errno.EEXIST:
317 raise
317 raise
318 try:
318 try:
319 # backup continues
319 # backup continues
320 for f in tobackup:
320 for f in tobackup:
321 fd, tmpname = tempfile.mkstemp(prefix=f.replace('/', '_')+'.',
321 fd, tmpname = tempfile.mkstemp(prefix=f.replace('/', '_')+'.',
322 dir=backupdir)
322 dir=backupdir)
323 os.close(fd)
323 os.close(fd)
324 ui.debug('backup %r as %r\n' % (f, tmpname))
324 ui.debug('backup %r as %r\n' % (f, tmpname))
325 util.copyfile(repo.wjoin(f), tmpname, copystat=True)
325 util.copyfile(repo.wjoin(f), tmpname, copystat=True)
326 backups[f] = tmpname
326 backups[f] = tmpname
327
327
328 fp = stringio()
328 fp = stringio()
329 for c in chunks:
329 for c in chunks:
330 fname = c.filename()
330 fname = c.filename()
331 if fname in backups:
331 if fname in backups:
332 c.write(fp)
332 c.write(fp)
333 dopatch = fp.tell()
333 dopatch = fp.tell()
334 fp.seek(0)
334 fp.seek(0)
335
335
336 # 2.5 optionally review / modify patch in text editor
336 # 2.5 optionally review / modify patch in text editor
337 if opts.get('review', False):
337 if opts.get('review', False):
338 patchtext = (crecordmod.diffhelptext
338 patchtext = (crecordmod.diffhelptext
339 + crecordmod.patchhelptext
339 + crecordmod.patchhelptext
340 + fp.read())
340 + fp.read())
341 reviewedpatch = ui.edit(patchtext, "",
341 reviewedpatch = ui.edit(patchtext, "",
342 extra={"suffix": ".diff"},
342 extra={"suffix": ".diff"},
343 repopath=repo.path)
343 repopath=repo.path)
344 fp.truncate(0)
344 fp.truncate(0)
345 fp.write(reviewedpatch)
345 fp.write(reviewedpatch)
346 fp.seek(0)
346 fp.seek(0)
347
347
348 [os.unlink(repo.wjoin(c)) for c in newlyaddedandmodifiedfiles]
348 [os.unlink(repo.wjoin(c)) for c in newlyaddedandmodifiedfiles]
349 # 3a. apply filtered patch to clean repo (clean)
349 # 3a. apply filtered patch to clean repo (clean)
350 if backups:
350 if backups:
351 # Equivalent to hg.revert
351 # Equivalent to hg.revert
352 m = scmutil.matchfiles(repo, backups.keys())
352 m = scmutil.matchfiles(repo, backups.keys())
353 mergemod.update(repo, repo.dirstate.p1(),
353 mergemod.update(repo, repo.dirstate.p1(),
354 False, True, matcher=m)
354 False, True, matcher=m)
355
355
356 # 3b. (apply)
356 # 3b. (apply)
357 if dopatch:
357 if dopatch:
358 try:
358 try:
359 ui.debug('applying patch\n')
359 ui.debug('applying patch\n')
360 ui.debug(fp.getvalue())
360 ui.debug(fp.getvalue())
361 patch.internalpatch(ui, repo, fp, 1, eolmode=None)
361 patch.internalpatch(ui, repo, fp, 1, eolmode=None)
362 except patch.PatchError as err:
362 except patch.PatchError as err:
363 raise error.Abort(str(err))
363 raise error.Abort(str(err))
364 del fp
364 del fp
365
365
366 # 4. We prepared working directory according to filtered
366 # 4. We prepared working directory according to filtered
367 # patch. Now is the time to delegate the job to
367 # patch. Now is the time to delegate the job to
368 # commit/qrefresh or the like!
368 # commit/qrefresh or the like!
369
369
370 # Make all of the pathnames absolute.
370 # Make all of the pathnames absolute.
371 newfiles = [repo.wjoin(nf) for nf in newfiles]
371 newfiles = [repo.wjoin(nf) for nf in newfiles]
372 return commitfunc(ui, repo, *newfiles, **opts)
372 return commitfunc(ui, repo, *newfiles, **opts)
373 finally:
373 finally:
374 # 5. finally restore backed-up files
374 # 5. finally restore backed-up files
375 try:
375 try:
376 dirstate = repo.dirstate
376 dirstate = repo.dirstate
377 for realname, tmpname in backups.iteritems():
377 for realname, tmpname in backups.iteritems():
378 ui.debug('restoring %r to %r\n' % (tmpname, realname))
378 ui.debug('restoring %r to %r\n' % (tmpname, realname))
379
379
380 if dirstate[realname] == 'n':
380 if dirstate[realname] == 'n':
381 # without normallookup, restoring timestamp
381 # without normallookup, restoring timestamp
382 # may cause partially committed files
382 # may cause partially committed files
383 # to be treated as unmodified
383 # to be treated as unmodified
384 dirstate.normallookup(realname)
384 dirstate.normallookup(realname)
385
385
386 # copystat=True here and above are a hack to trick any
386 # copystat=True here and above are a hack to trick any
387 # editors that have f open that we haven't modified them.
387 # editors that have f open that we haven't modified them.
388 #
388 #
389 # Also note that this racy as an editor could notice the
389 # Also note that this racy as an editor could notice the
390 # file's mtime before we've finished writing it.
390 # file's mtime before we've finished writing it.
391 util.copyfile(tmpname, repo.wjoin(realname), copystat=True)
391 util.copyfile(tmpname, repo.wjoin(realname), copystat=True)
392 os.unlink(tmpname)
392 os.unlink(tmpname)
393 if tobackup:
393 if tobackup:
394 os.rmdir(backupdir)
394 os.rmdir(backupdir)
395 except OSError:
395 except OSError:
396 pass
396 pass
397
397
398 def recordinwlock(ui, repo, message, match, opts):
398 def recordinwlock(ui, repo, message, match, opts):
399 with repo.wlock():
399 with repo.wlock():
400 return recordfunc(ui, repo, message, match, opts)
400 return recordfunc(ui, repo, message, match, opts)
401
401
402 return commit(ui, repo, recordinwlock, pats, opts)
402 return commit(ui, repo, recordinwlock, pats, opts)
403
403
404 def tersestatus(root, statlist, status, ignorefn, ignore):
404 def tersestatus(root, statlist, status, ignorefn, ignore):
405 """
405 """
406 Returns a list of statuses with directory collapsed if all the files in the
406 Returns a list of statuses with directory collapsed if all the files in the
407 directory has the same status.
407 directory has the same status.
408 """
408 """
409
409
410 def numfiles(dirname):
410 def numfiles(dirname):
411 """
411 """
412 Calculates the number of tracked files in a given directory which also
412 Calculates the number of tracked files in a given directory which also
413 includes files which were removed or deleted. Considers ignored files
413 includes files which were removed or deleted. Considers ignored files
414 if ignore argument is True or 'i' is present in status argument.
414 if ignore argument is True or 'i' is present in status argument.
415 """
415 """
416 if lencache.get(dirname):
416 if lencache.get(dirname):
417 return lencache[dirname]
417 return lencache[dirname]
418 if 'i' in status or ignore:
418 if 'i' in status or ignore:
419 def match(localpath):
419 def match(localpath):
420 absolutepath = os.path.join(root, localpath)
420 absolutepath = os.path.join(root, localpath)
421 if os.path.isdir(absolutepath) and isemptydir(absolutepath):
421 if os.path.isdir(absolutepath) and isemptydir(absolutepath):
422 return True
422 return True
423 return False
423 return False
424 else:
424 else:
425 def match(localpath):
425 def match(localpath):
426 # there can be directory whose all the files are ignored and
426 # there can be directory whose all the files are ignored and
427 # hence the drectory should also be ignored while counting
427 # hence the drectory should also be ignored while counting
428 # number of files or subdirs in it's parent directory. This
428 # number of files or subdirs in it's parent directory. This
429 # checks the same.
429 # checks the same.
430 # XXX: We need a better logic here.
430 # XXX: We need a better logic here.
431 if os.path.isdir(os.path.join(root, localpath)):
431 if os.path.isdir(os.path.join(root, localpath)):
432 return isignoreddir(localpath)
432 return isignoreddir(localpath)
433 else:
433 else:
434 # XXX: there can be files which have the ignored pattern but
434 # XXX: there can be files which have the ignored pattern but
435 # are not ignored. That leads to bug in counting number of
435 # are not ignored. That leads to bug in counting number of
436 # tracked files in the directory.
436 # tracked files in the directory.
437 return ignorefn(localpath)
437 return ignorefn(localpath)
438 lendir = 0
438 lendir = 0
439 abspath = os.path.join(root, dirname)
439 abspath = os.path.join(root, dirname)
440 # There might be cases when a directory does not exists as the whole
440 # There might be cases when a directory does not exists as the whole
441 # directory can be removed and/or deleted.
441 # directory can be removed and/or deleted.
442 try:
442 try:
443 for f in os.listdir(abspath):
443 for f in os.listdir(abspath):
444 localpath = os.path.join(dirname, f)
444 localpath = os.path.join(dirname, f)
445 if not match(localpath):
445 if not match(localpath):
446 lendir += 1
446 lendir += 1
447 except OSError:
447 except OSError:
448 pass
448 pass
449 lendir += len(absentdir.get(dirname, []))
449 lendir += len(absentdir.get(dirname, []))
450 lencache[dirname] = lendir
450 lencache[dirname] = lendir
451 return lendir
451 return lendir
452
452
453 def isemptydir(abspath):
453 def isemptydir(abspath):
454 """
454 """
455 Check whether a directory is empty or not, i.e. there is no files in the
455 Check whether a directory is empty or not, i.e. there is no files in the
456 directory and all its subdirectories.
456 directory and all its subdirectories.
457 """
457 """
458 for f in os.listdir(abspath):
458 for f in os.listdir(abspath):
459 fullpath = os.path.join(abspath, f)
459 fullpath = os.path.join(abspath, f)
460 if os.path.isdir(fullpath):
460 if os.path.isdir(fullpath):
461 # recursion here
461 # recursion here
462 ret = isemptydir(fullpath)
462 ret = isemptydir(fullpath)
463 if not ret:
463 if not ret:
464 return False
464 return False
465 else:
465 else:
466 return False
466 return False
467 return True
467 return True
468
468
469 def isignoreddir(localpath):
469 def isignoreddir(localpath):
470 """Return True if `localpath` directory is ignored or contains only
470 """Return True if `localpath` directory is ignored or contains only
471 ignored files and should hence be considered ignored.
471 ignored files and should hence be considered ignored.
472 """
472 """
473 dirpath = os.path.join(root, localpath)
473 dirpath = os.path.join(root, localpath)
474 if ignorefn(dirpath):
474 if ignorefn(dirpath):
475 return True
475 return True
476 for f in os.listdir(dirpath):
476 for f in os.listdir(dirpath):
477 filepath = os.path.join(dirpath, f)
477 filepath = os.path.join(dirpath, f)
478 if os.path.isdir(filepath):
478 if os.path.isdir(filepath):
479 # recursion here
479 # recursion here
480 ret = isignoreddir(os.path.join(localpath, f))
480 ret = isignoreddir(os.path.join(localpath, f))
481 if not ret:
481 if not ret:
482 return False
482 return False
483 else:
483 else:
484 if not ignorefn(os.path.join(localpath, f)):
484 if not ignorefn(os.path.join(localpath, f)):
485 return False
485 return False
486 return True
486 return True
487
487
488 def absentones(removedfiles, missingfiles):
488 def absentones(removedfiles, missingfiles):
489 """
489 """
490 Returns a dictionary of directories with files in it which are either
490 Returns a dictionary of directories with files in it which are either
491 removed or missing (deleted) in them.
491 removed or missing (deleted) in them.
492 """
492 """
493 absentdir = {}
493 absentdir = {}
494 absentfiles = removedfiles + missingfiles
494 absentfiles = removedfiles + missingfiles
495 while absentfiles:
495 while absentfiles:
496 f = absentfiles.pop()
496 f = absentfiles.pop()
497 par = os.path.dirname(f)
497 par = os.path.dirname(f)
498 if par == '':
498 if par == '':
499 continue
499 continue
500 # we need to store files rather than number of files as some files
500 # we need to store files rather than number of files as some files
501 # or subdirectories in a directory can be counted twice. This is
501 # or subdirectories in a directory can be counted twice. This is
502 # also we have used sets here.
502 # also we have used sets here.
503 try:
503 try:
504 absentdir[par].add(f)
504 absentdir[par].add(f)
505 except KeyError:
505 except KeyError:
506 absentdir[par] = set([f])
506 absentdir[par] = set([f])
507 absentfiles.append(par)
507 absentfiles.append(par)
508 return absentdir
508 return absentdir
509
509
510 indexes = {'m': 0, 'a': 1, 'r': 2, 'd': 3, 'u': 4, 'i': 5, 'c': 6}
510 indexes = {'m': 0, 'a': 1, 'r': 2, 'd': 3, 'u': 4, 'i': 5, 'c': 6}
511 # get a dictonary of directories and files which are missing as os.listdir()
511 # get a dictonary of directories and files which are missing as os.listdir()
512 # won't be able to list them.
512 # won't be able to list them.
513 absentdir = absentones(statlist[2], statlist[3])
513 absentdir = absentones(statlist[2], statlist[3])
514 finalrs = [[]] * len(indexes)
514 finalrs = [[]] * len(indexes)
515 didsomethingchanged = False
515 didsomethingchanged = False
516 # dictionary to store number of files and subdir in a directory so that we
516 # dictionary to store number of files and subdir in a directory so that we
517 # don't compute that again.
517 # don't compute that again.
518 lencache = {}
518 lencache = {}
519
519
520 for st in pycompat.bytestr(status):
520 for st in pycompat.bytestr(status):
521
521
522 try:
522 try:
523 ind = indexes[st]
523 ind = indexes[st]
524 except KeyError:
524 except KeyError:
525 # TODO: Need a better error message here
525 # TODO: Need a better error message here
526 raise error.Abort("'%s' not recognized" % st)
526 raise error.Abort("'%s' not recognized" % st)
527
527
528 sfiles = statlist[ind]
528 sfiles = statlist[ind]
529 if not sfiles:
529 if not sfiles:
530 continue
530 continue
531 pardict = {}
531 pardict = {}
532 for a in sfiles:
532 for a in sfiles:
533 par = os.path.dirname(a)
533 par = os.path.dirname(a)
534 pardict.setdefault(par, []).append(a)
534 pardict.setdefault(par, []).append(a)
535
535
536 rs = []
536 rs = []
537 newls = []
537 newls = []
538 for par, files in pardict.iteritems():
538 for par, files in pardict.iteritems():
539 lenpar = numfiles(par)
539 lenpar = numfiles(par)
540 if lenpar == len(files):
540 if lenpar == len(files):
541 newls.append(par)
541 newls.append(par)
542
542
543 if not newls:
543 if not newls:
544 continue
544 continue
545
545
546 while newls:
546 while newls:
547 newel = newls.pop()
547 newel = newls.pop()
548 if newel == '':
548 if newel == '':
549 continue
549 continue
550 parn = os.path.dirname(newel)
550 parn = os.path.dirname(newel)
551 pardict[newel] = []
551 pardict[newel] = []
552 # Adding pycompat.ossep as newel is a directory.
552 # Adding pycompat.ossep as newel is a directory.
553 pardict.setdefault(parn, []).append(newel + pycompat.ossep)
553 pardict.setdefault(parn, []).append(newel + pycompat.ossep)
554 lenpar = numfiles(parn)
554 lenpar = numfiles(parn)
555 if lenpar == len(pardict[parn]):
555 if lenpar == len(pardict[parn]):
556 newls.append(parn)
556 newls.append(parn)
557
557
558 # dict.values() for Py3 compatibility
558 # dict.values() for Py3 compatibility
559 for files in pardict.values():
559 for files in pardict.values():
560 rs.extend(files)
560 rs.extend(files)
561
561
562 rs.sort()
562 rs.sort()
563 finalrs[ind] = rs
563 finalrs[ind] = rs
564 didsomethingchanged = True
564 didsomethingchanged = True
565
565
566 # If nothing is changed, make sure the order of files is preserved.
566 # If nothing is changed, make sure the order of files is preserved.
567 if not didsomethingchanged:
567 if not didsomethingchanged:
568 return statlist
568 return statlist
569
569
570 for x in xrange(len(indexes)):
570 for x in xrange(len(indexes)):
571 if not finalrs[x]:
571 if not finalrs[x]:
572 finalrs[x] = statlist[x]
572 finalrs[x] = statlist[x]
573
573
574 return finalrs
574 return finalrs
575
575
576 def _commentlines(raw):
576 def _commentlines(raw):
577 '''Surround lineswith a comment char and a new line'''
577 '''Surround lineswith a comment char and a new line'''
578 lines = raw.splitlines()
578 lines = raw.splitlines()
579 commentedlines = ['# %s' % line for line in lines]
579 commentedlines = ['# %s' % line for line in lines]
580 return '\n'.join(commentedlines) + '\n'
580 return '\n'.join(commentedlines) + '\n'
581
581
582 def _conflictsmsg(repo):
582 def _conflictsmsg(repo):
583 # avoid merge cycle
583 # avoid merge cycle
584 from . import merge as mergemod
584 from . import merge as mergemod
585 mergestate = mergemod.mergestate.read(repo)
585 mergestate = mergemod.mergestate.read(repo)
586 if not mergestate.active():
586 if not mergestate.active():
587 return
587 return
588
588
589 m = scmutil.match(repo[None])
589 m = scmutil.match(repo[None])
590 unresolvedlist = [f for f in mergestate if m(f) and mergestate[f] == 'u']
590 unresolvedlist = [f for f in mergestate if m(f) and mergestate[f] == 'u']
591 if unresolvedlist:
591 if unresolvedlist:
592 mergeliststr = '\n'.join(
592 mergeliststr = '\n'.join(
593 [' %s' % os.path.relpath(
593 [' %s' % os.path.relpath(
594 os.path.join(repo.root, path),
594 os.path.join(repo.root, path),
595 pycompat.getcwd()) for path in unresolvedlist])
595 pycompat.getcwd()) for path in unresolvedlist])
596 msg = _('''Unresolved merge conflicts:
596 msg = _('''Unresolved merge conflicts:
597
597
598 %s
598 %s
599
599
600 To mark files as resolved: hg resolve --mark FILE''') % mergeliststr
600 To mark files as resolved: hg resolve --mark FILE''') % mergeliststr
601 else:
601 else:
602 msg = _('No unresolved merge conflicts.')
602 msg = _('No unresolved merge conflicts.')
603
603
604 return _commentlines(msg)
604 return _commentlines(msg)
605
605
606 def _helpmessage(continuecmd, abortcmd):
606 def _helpmessage(continuecmd, abortcmd):
607 msg = _('To continue: %s\n'
607 msg = _('To continue: %s\n'
608 'To abort: %s') % (continuecmd, abortcmd)
608 'To abort: %s') % (continuecmd, abortcmd)
609 return _commentlines(msg)
609 return _commentlines(msg)
610
610
611 def _rebasemsg():
611 def _rebasemsg():
612 return _helpmessage('hg rebase --continue', 'hg rebase --abort')
612 return _helpmessage('hg rebase --continue', 'hg rebase --abort')
613
613
614 def _histeditmsg():
614 def _histeditmsg():
615 return _helpmessage('hg histedit --continue', 'hg histedit --abort')
615 return _helpmessage('hg histedit --continue', 'hg histedit --abort')
616
616
617 def _unshelvemsg():
617 def _unshelvemsg():
618 return _helpmessage('hg unshelve --continue', 'hg unshelve --abort')
618 return _helpmessage('hg unshelve --continue', 'hg unshelve --abort')
619
619
620 def _updatecleanmsg(dest=None):
620 def _updatecleanmsg(dest=None):
621 warning = _('warning: this will discard uncommitted changes')
621 warning = _('warning: this will discard uncommitted changes')
622 return 'hg update --clean %s (%s)' % (dest or '.', warning)
622 return 'hg update --clean %s (%s)' % (dest or '.', warning)
623
623
624 def _graftmsg():
624 def _graftmsg():
625 # tweakdefaults requires `update` to have a rev hence the `.`
625 # tweakdefaults requires `update` to have a rev hence the `.`
626 return _helpmessage('hg graft --continue', _updatecleanmsg())
626 return _helpmessage('hg graft --continue', _updatecleanmsg())
627
627
628 def _mergemsg():
628 def _mergemsg():
629 # tweakdefaults requires `update` to have a rev hence the `.`
629 # tweakdefaults requires `update` to have a rev hence the `.`
630 return _helpmessage('hg commit', _updatecleanmsg())
630 return _helpmessage('hg commit', _updatecleanmsg())
631
631
632 def _bisectmsg():
632 def _bisectmsg():
633 msg = _('To mark the changeset good: hg bisect --good\n'
633 msg = _('To mark the changeset good: hg bisect --good\n'
634 'To mark the changeset bad: hg bisect --bad\n'
634 'To mark the changeset bad: hg bisect --bad\n'
635 'To abort: hg bisect --reset\n')
635 'To abort: hg bisect --reset\n')
636 return _commentlines(msg)
636 return _commentlines(msg)
637
637
638 def fileexistspredicate(filename):
638 def fileexistspredicate(filename):
639 return lambda repo: repo.vfs.exists(filename)
639 return lambda repo: repo.vfs.exists(filename)
640
640
641 def _mergepredicate(repo):
641 def _mergepredicate(repo):
642 return len(repo[None].parents()) > 1
642 return len(repo[None].parents()) > 1
643
643
644 STATES = (
644 STATES = (
645 # (state, predicate to detect states, helpful message function)
645 # (state, predicate to detect states, helpful message function)
646 ('histedit', fileexistspredicate('histedit-state'), _histeditmsg),
646 ('histedit', fileexistspredicate('histedit-state'), _histeditmsg),
647 ('bisect', fileexistspredicate('bisect.state'), _bisectmsg),
647 ('bisect', fileexistspredicate('bisect.state'), _bisectmsg),
648 ('graft', fileexistspredicate('graftstate'), _graftmsg),
648 ('graft', fileexistspredicate('graftstate'), _graftmsg),
649 ('unshelve', fileexistspredicate('unshelverebasestate'), _unshelvemsg),
649 ('unshelve', fileexistspredicate('unshelverebasestate'), _unshelvemsg),
650 ('rebase', fileexistspredicate('rebasestate'), _rebasemsg),
650 ('rebase', fileexistspredicate('rebasestate'), _rebasemsg),
651 # The merge state is part of a list that will be iterated over.
651 # The merge state is part of a list that will be iterated over.
652 # They need to be last because some of the other unfinished states may also
652 # They need to be last because some of the other unfinished states may also
653 # be in a merge or update state (eg. rebase, histedit, graft, etc).
653 # be in a merge or update state (eg. rebase, histedit, graft, etc).
654 # We want those to have priority.
654 # We want those to have priority.
655 ('merge', _mergepredicate, _mergemsg),
655 ('merge', _mergepredicate, _mergemsg),
656 )
656 )
657
657
658 def _getrepostate(repo):
658 def _getrepostate(repo):
659 # experimental config: commands.status.skipstates
659 # experimental config: commands.status.skipstates
660 skip = set(repo.ui.configlist('commands', 'status.skipstates'))
660 skip = set(repo.ui.configlist('commands', 'status.skipstates'))
661 for state, statedetectionpredicate, msgfn in STATES:
661 for state, statedetectionpredicate, msgfn in STATES:
662 if state in skip:
662 if state in skip:
663 continue
663 continue
664 if statedetectionpredicate(repo):
664 if statedetectionpredicate(repo):
665 return (state, statedetectionpredicate, msgfn)
665 return (state, statedetectionpredicate, msgfn)
666
666
667 def morestatus(repo, fm):
667 def morestatus(repo, fm):
668 statetuple = _getrepostate(repo)
668 statetuple = _getrepostate(repo)
669 label = 'status.morestatus'
669 label = 'status.morestatus'
670 if statetuple:
670 if statetuple:
671 fm.startitem()
671 fm.startitem()
672 state, statedetectionpredicate, helpfulmsg = statetuple
672 state, statedetectionpredicate, helpfulmsg = statetuple
673 statemsg = _('The repository is in an unfinished *%s* state.') % state
673 statemsg = _('The repository is in an unfinished *%s* state.') % state
674 fm.write('statemsg', '%s\n', _commentlines(statemsg), label=label)
674 fm.write('statemsg', '%s\n', _commentlines(statemsg), label=label)
675 conmsg = _conflictsmsg(repo)
675 conmsg = _conflictsmsg(repo)
676 fm.write('conflictsmsg', '%s\n', conmsg, label=label)
676 fm.write('conflictsmsg', '%s\n', conmsg, label=label)
677 if helpfulmsg:
677 if helpfulmsg:
678 helpmsg = helpfulmsg()
678 helpmsg = helpfulmsg()
679 fm.write('helpmsg', '%s\n', helpmsg, label=label)
679 fm.write('helpmsg', '%s\n', helpmsg, label=label)
680
680
681 def findpossible(cmd, table, strict=False):
681 def findpossible(cmd, table, strict=False):
682 """
682 """
683 Return cmd -> (aliases, command table entry)
683 Return cmd -> (aliases, command table entry)
684 for each matching command.
684 for each matching command.
685 Return debug commands (or their aliases) only if no normal command matches.
685 Return debug commands (or their aliases) only if no normal command matches.
686 """
686 """
687 choice = {}
687 choice = {}
688 debugchoice = {}
688 debugchoice = {}
689
689
690 if cmd in table:
690 if cmd in table:
691 # short-circuit exact matches, "log" alias beats "^log|history"
691 # short-circuit exact matches, "log" alias beats "^log|history"
692 keys = [cmd]
692 keys = [cmd]
693 else:
693 else:
694 keys = table.keys()
694 keys = table.keys()
695
695
696 allcmds = []
696 allcmds = []
697 for e in keys:
697 for e in keys:
698 aliases = parsealiases(e)
698 aliases = parsealiases(e)
699 allcmds.extend(aliases)
699 allcmds.extend(aliases)
700 found = None
700 found = None
701 if cmd in aliases:
701 if cmd in aliases:
702 found = cmd
702 found = cmd
703 elif not strict:
703 elif not strict:
704 for a in aliases:
704 for a in aliases:
705 if a.startswith(cmd):
705 if a.startswith(cmd):
706 found = a
706 found = a
707 break
707 break
708 if found is not None:
708 if found is not None:
709 if aliases[0].startswith("debug") or found.startswith("debug"):
709 if aliases[0].startswith("debug") or found.startswith("debug"):
710 debugchoice[found] = (aliases, table[e])
710 debugchoice[found] = (aliases, table[e])
711 else:
711 else:
712 choice[found] = (aliases, table[e])
712 choice[found] = (aliases, table[e])
713
713
714 if not choice and debugchoice:
714 if not choice and debugchoice:
715 choice = debugchoice
715 choice = debugchoice
716
716
717 return choice, allcmds
717 return choice, allcmds
718
718
719 def findcmd(cmd, table, strict=True):
719 def findcmd(cmd, table, strict=True):
720 """Return (aliases, command table entry) for command string."""
720 """Return (aliases, command table entry) for command string."""
721 choice, allcmds = findpossible(cmd, table, strict)
721 choice, allcmds = findpossible(cmd, table, strict)
722
722
723 if cmd in choice:
723 if cmd in choice:
724 return choice[cmd]
724 return choice[cmd]
725
725
726 if len(choice) > 1:
726 if len(choice) > 1:
727 clist = sorted(choice)
727 clist = sorted(choice)
728 raise error.AmbiguousCommand(cmd, clist)
728 raise error.AmbiguousCommand(cmd, clist)
729
729
730 if choice:
730 if choice:
731 return list(choice.values())[0]
731 return list(choice.values())[0]
732
732
733 raise error.UnknownCommand(cmd, allcmds)
733 raise error.UnknownCommand(cmd, allcmds)
734
734
735 def findrepo(p):
735 def findrepo(p):
736 while not os.path.isdir(os.path.join(p, ".hg")):
736 while not os.path.isdir(os.path.join(p, ".hg")):
737 oldp, p = p, os.path.dirname(p)
737 oldp, p = p, os.path.dirname(p)
738 if p == oldp:
738 if p == oldp:
739 return None
739 return None
740
740
741 return p
741 return p
742
742
743 def bailifchanged(repo, merge=True, hint=None):
743 def bailifchanged(repo, merge=True, hint=None):
744 """ enforce the precondition that working directory must be clean.
744 """ enforce the precondition that working directory must be clean.
745
745
746 'merge' can be set to false if a pending uncommitted merge should be
746 'merge' can be set to false if a pending uncommitted merge should be
747 ignored (such as when 'update --check' runs).
747 ignored (such as when 'update --check' runs).
748
748
749 'hint' is the usual hint given to Abort exception.
749 'hint' is the usual hint given to Abort exception.
750 """
750 """
751
751
752 if merge and repo.dirstate.p2() != nullid:
752 if merge and repo.dirstate.p2() != nullid:
753 raise error.Abort(_('outstanding uncommitted merge'), hint=hint)
753 raise error.Abort(_('outstanding uncommitted merge'), hint=hint)
754 modified, added, removed, deleted = repo.status()[:4]
754 modified, added, removed, deleted = repo.status()[:4]
755 if modified or added or removed or deleted:
755 if modified or added or removed or deleted:
756 raise error.Abort(_('uncommitted changes'), hint=hint)
756 raise error.Abort(_('uncommitted changes'), hint=hint)
757 ctx = repo[None]
757 ctx = repo[None]
758 for s in sorted(ctx.substate):
758 for s in sorted(ctx.substate):
759 ctx.sub(s).bailifchanged(hint=hint)
759 ctx.sub(s).bailifchanged(hint=hint)
760
760
761 def logmessage(ui, opts):
761 def logmessage(ui, opts):
762 """ get the log message according to -m and -l option """
762 """ get the log message according to -m and -l option """
763 message = opts.get('message')
763 message = opts.get('message')
764 logfile = opts.get('logfile')
764 logfile = opts.get('logfile')
765
765
766 if message and logfile:
766 if message and logfile:
767 raise error.Abort(_('options --message and --logfile are mutually '
767 raise error.Abort(_('options --message and --logfile are mutually '
768 'exclusive'))
768 'exclusive'))
769 if not message and logfile:
769 if not message and logfile:
770 try:
770 try:
771 if isstdiofilename(logfile):
771 if isstdiofilename(logfile):
772 message = ui.fin.read()
772 message = ui.fin.read()
773 else:
773 else:
774 message = '\n'.join(util.readfile(logfile).splitlines())
774 message = '\n'.join(util.readfile(logfile).splitlines())
775 except IOError as inst:
775 except IOError as inst:
776 raise error.Abort(_("can't read commit message '%s': %s") %
776 raise error.Abort(_("can't read commit message '%s': %s") %
777 (logfile, inst.strerror))
777 (logfile, inst.strerror))
778 return message
778 return message
779
779
780 def mergeeditform(ctxorbool, baseformname):
780 def mergeeditform(ctxorbool, baseformname):
781 """return appropriate editform name (referencing a committemplate)
781 """return appropriate editform name (referencing a committemplate)
782
782
783 'ctxorbool' is either a ctx to be committed, or a bool indicating whether
783 'ctxorbool' is either a ctx to be committed, or a bool indicating whether
784 merging is committed.
784 merging is committed.
785
785
786 This returns baseformname with '.merge' appended if it is a merge,
786 This returns baseformname with '.merge' appended if it is a merge,
787 otherwise '.normal' is appended.
787 otherwise '.normal' is appended.
788 """
788 """
789 if isinstance(ctxorbool, bool):
789 if isinstance(ctxorbool, bool):
790 if ctxorbool:
790 if ctxorbool:
791 return baseformname + ".merge"
791 return baseformname + ".merge"
792 elif 1 < len(ctxorbool.parents()):
792 elif 1 < len(ctxorbool.parents()):
793 return baseformname + ".merge"
793 return baseformname + ".merge"
794
794
795 return baseformname + ".normal"
795 return baseformname + ".normal"
796
796
797 def getcommiteditor(edit=False, finishdesc=None, extramsg=None,
797 def getcommiteditor(edit=False, finishdesc=None, extramsg=None,
798 editform='', **opts):
798 editform='', **opts):
799 """get appropriate commit message editor according to '--edit' option
799 """get appropriate commit message editor according to '--edit' option
800
800
801 'finishdesc' is a function to be called with edited commit message
801 'finishdesc' is a function to be called with edited commit message
802 (= 'description' of the new changeset) just after editing, but
802 (= 'description' of the new changeset) just after editing, but
803 before checking empty-ness. It should return actual text to be
803 before checking empty-ness. It should return actual text to be
804 stored into history. This allows to change description before
804 stored into history. This allows to change description before
805 storing.
805 storing.
806
806
807 'extramsg' is a extra message to be shown in the editor instead of
807 'extramsg' is a extra message to be shown in the editor instead of
808 'Leave message empty to abort commit' line. 'HG: ' prefix and EOL
808 'Leave message empty to abort commit' line. 'HG: ' prefix and EOL
809 is automatically added.
809 is automatically added.
810
810
811 'editform' is a dot-separated list of names, to distinguish
811 'editform' is a dot-separated list of names, to distinguish
812 the purpose of commit text editing.
812 the purpose of commit text editing.
813
813
814 'getcommiteditor' returns 'commitforceeditor' regardless of
814 'getcommiteditor' returns 'commitforceeditor' regardless of
815 'edit', if one of 'finishdesc' or 'extramsg' is specified, because
815 'edit', if one of 'finishdesc' or 'extramsg' is specified, because
816 they are specific for usage in MQ.
816 they are specific for usage in MQ.
817 """
817 """
818 if edit or finishdesc or extramsg:
818 if edit or finishdesc or extramsg:
819 return lambda r, c, s: commitforceeditor(r, c, s,
819 return lambda r, c, s: commitforceeditor(r, c, s,
820 finishdesc=finishdesc,
820 finishdesc=finishdesc,
821 extramsg=extramsg,
821 extramsg=extramsg,
822 editform=editform)
822 editform=editform)
823 elif editform:
823 elif editform:
824 return lambda r, c, s: commiteditor(r, c, s, editform=editform)
824 return lambda r, c, s: commiteditor(r, c, s, editform=editform)
825 else:
825 else:
826 return commiteditor
826 return commiteditor
827
827
828 def loglimit(opts):
828 def loglimit(opts):
829 """get the log limit according to option -l/--limit"""
829 """get the log limit according to option -l/--limit"""
830 limit = opts.get('limit')
830 limit = opts.get('limit')
831 if limit:
831 if limit:
832 try:
832 try:
833 limit = int(limit)
833 limit = int(limit)
834 except ValueError:
834 except ValueError:
835 raise error.Abort(_('limit must be a positive integer'))
835 raise error.Abort(_('limit must be a positive integer'))
836 if limit <= 0:
836 if limit <= 0:
837 raise error.Abort(_('limit must be positive'))
837 raise error.Abort(_('limit must be positive'))
838 else:
838 else:
839 limit = None
839 limit = None
840 return limit
840 return limit
841
841
842 def makefilename(repo, pat, node, desc=None,
842 def makefilename(repo, pat, node, desc=None,
843 total=None, seqno=None, revwidth=None, pathname=None):
843 total=None, seqno=None, revwidth=None, pathname=None):
844 node_expander = {
844 node_expander = {
845 'H': lambda: hex(node),
845 'H': lambda: hex(node),
846 'R': lambda: str(repo.changelog.rev(node)),
846 'R': lambda: str(repo.changelog.rev(node)),
847 'h': lambda: short(node),
847 'h': lambda: short(node),
848 'm': lambda: re.sub('[^\w]', '_', str(desc))
848 'm': lambda: re.sub('[^\w]', '_', str(desc))
849 }
849 }
850 expander = {
850 expander = {
851 '%': lambda: '%',
851 '%': lambda: '%',
852 'b': lambda: os.path.basename(repo.root),
852 'b': lambda: os.path.basename(repo.root),
853 }
853 }
854
854
855 try:
855 try:
856 if node:
856 if node:
857 expander.update(node_expander)
857 expander.update(node_expander)
858 if node:
858 if node:
859 expander['r'] = (lambda:
859 expander['r'] = (lambda:
860 str(repo.changelog.rev(node)).zfill(revwidth or 0))
860 str(repo.changelog.rev(node)).zfill(revwidth or 0))
861 if total is not None:
861 if total is not None:
862 expander['N'] = lambda: str(total)
862 expander['N'] = lambda: str(total)
863 if seqno is not None:
863 if seqno is not None:
864 expander['n'] = lambda: str(seqno)
864 expander['n'] = lambda: str(seqno)
865 if total is not None and seqno is not None:
865 if total is not None and seqno is not None:
866 expander['n'] = lambda: str(seqno).zfill(len(str(total)))
866 expander['n'] = lambda: str(seqno).zfill(len(str(total)))
867 if pathname is not None:
867 if pathname is not None:
868 expander['s'] = lambda: os.path.basename(pathname)
868 expander['s'] = lambda: os.path.basename(pathname)
869 expander['d'] = lambda: os.path.dirname(pathname) or '.'
869 expander['d'] = lambda: os.path.dirname(pathname) or '.'
870 expander['p'] = lambda: pathname
870 expander['p'] = lambda: pathname
871
871
872 newname = []
872 newname = []
873 patlen = len(pat)
873 patlen = len(pat)
874 i = 0
874 i = 0
875 while i < patlen:
875 while i < patlen:
876 c = pat[i:i + 1]
876 c = pat[i:i + 1]
877 if c == '%':
877 if c == '%':
878 i += 1
878 i += 1
879 c = pat[i:i + 1]
879 c = pat[i:i + 1]
880 c = expander[c]()
880 c = expander[c]()
881 newname.append(c)
881 newname.append(c)
882 i += 1
882 i += 1
883 return ''.join(newname)
883 return ''.join(newname)
884 except KeyError as inst:
884 except KeyError as inst:
885 raise error.Abort(_("invalid format spec '%%%s' in output filename") %
885 raise error.Abort(_("invalid format spec '%%%s' in output filename") %
886 inst.args[0])
886 inst.args[0])
887
887
888 def isstdiofilename(pat):
888 def isstdiofilename(pat):
889 """True if the given pat looks like a filename denoting stdin/stdout"""
889 """True if the given pat looks like a filename denoting stdin/stdout"""
890 return not pat or pat == '-'
890 return not pat or pat == '-'
891
891
892 class _unclosablefile(object):
892 class _unclosablefile(object):
893 def __init__(self, fp):
893 def __init__(self, fp):
894 self._fp = fp
894 self._fp = fp
895
895
896 def close(self):
896 def close(self):
897 pass
897 pass
898
898
899 def __iter__(self):
899 def __iter__(self):
900 return iter(self._fp)
900 return iter(self._fp)
901
901
902 def __getattr__(self, attr):
902 def __getattr__(self, attr):
903 return getattr(self._fp, attr)
903 return getattr(self._fp, attr)
904
904
905 def __enter__(self):
905 def __enter__(self):
906 return self
906 return self
907
907
908 def __exit__(self, exc_type, exc_value, exc_tb):
908 def __exit__(self, exc_type, exc_value, exc_tb):
909 pass
909 pass
910
910
911 def makefileobj(repo, pat, node=None, desc=None, total=None,
911 def makefileobj(repo, pat, node=None, desc=None, total=None,
912 seqno=None, revwidth=None, mode='wb', modemap=None,
912 seqno=None, revwidth=None, mode='wb', modemap=None,
913 pathname=None):
913 pathname=None):
914
914
915 writable = mode not in ('r', 'rb')
915 writable = mode not in ('r', 'rb')
916
916
917 if isstdiofilename(pat):
917 if isstdiofilename(pat):
918 if writable:
918 if writable:
919 fp = repo.ui.fout
919 fp = repo.ui.fout
920 else:
920 else:
921 fp = repo.ui.fin
921 fp = repo.ui.fin
922 return _unclosablefile(fp)
922 return _unclosablefile(fp)
923 fn = makefilename(repo, pat, node, desc, total, seqno, revwidth, pathname)
923 fn = makefilename(repo, pat, node, desc, total, seqno, revwidth, pathname)
924 if modemap is not None:
924 if modemap is not None:
925 mode = modemap.get(fn, mode)
925 mode = modemap.get(fn, mode)
926 if mode == 'wb':
926 if mode == 'wb':
927 modemap[fn] = 'ab'
927 modemap[fn] = 'ab'
928 return open(fn, mode)
928 return open(fn, mode)
929
929
930 def openrevlog(repo, cmd, file_, opts):
930 def openrevlog(repo, cmd, file_, opts):
931 """opens the changelog, manifest, a filelog or a given revlog"""
931 """opens the changelog, manifest, a filelog or a given revlog"""
932 cl = opts['changelog']
932 cl = opts['changelog']
933 mf = opts['manifest']
933 mf = opts['manifest']
934 dir = opts['dir']
934 dir = opts['dir']
935 msg = None
935 msg = None
936 if cl and mf:
936 if cl and mf:
937 msg = _('cannot specify --changelog and --manifest at the same time')
937 msg = _('cannot specify --changelog and --manifest at the same time')
938 elif cl and dir:
938 elif cl and dir:
939 msg = _('cannot specify --changelog and --dir at the same time')
939 msg = _('cannot specify --changelog and --dir at the same time')
940 elif cl or mf or dir:
940 elif cl or mf or dir:
941 if file_:
941 if file_:
942 msg = _('cannot specify filename with --changelog or --manifest')
942 msg = _('cannot specify filename with --changelog or --manifest')
943 elif not repo:
943 elif not repo:
944 msg = _('cannot specify --changelog or --manifest or --dir '
944 msg = _('cannot specify --changelog or --manifest or --dir '
945 'without a repository')
945 'without a repository')
946 if msg:
946 if msg:
947 raise error.Abort(msg)
947 raise error.Abort(msg)
948
948
949 r = None
949 r = None
950 if repo:
950 if repo:
951 if cl:
951 if cl:
952 r = repo.unfiltered().changelog
952 r = repo.unfiltered().changelog
953 elif dir:
953 elif dir:
954 if 'treemanifest' not in repo.requirements:
954 if 'treemanifest' not in repo.requirements:
955 raise error.Abort(_("--dir can only be used on repos with "
955 raise error.Abort(_("--dir can only be used on repos with "
956 "treemanifest enabled"))
956 "treemanifest enabled"))
957 dirlog = repo.manifestlog._revlog.dirlog(dir)
957 dirlog = repo.manifestlog._revlog.dirlog(dir)
958 if len(dirlog):
958 if len(dirlog):
959 r = dirlog
959 r = dirlog
960 elif mf:
960 elif mf:
961 r = repo.manifestlog._revlog
961 r = repo.manifestlog._revlog
962 elif file_:
962 elif file_:
963 filelog = repo.file(file_)
963 filelog = repo.file(file_)
964 if len(filelog):
964 if len(filelog):
965 r = filelog
965 r = filelog
966 if not r:
966 if not r:
967 if not file_:
967 if not file_:
968 raise error.CommandError(cmd, _('invalid arguments'))
968 raise error.CommandError(cmd, _('invalid arguments'))
969 if not os.path.isfile(file_):
969 if not os.path.isfile(file_):
970 raise error.Abort(_("revlog '%s' not found") % file_)
970 raise error.Abort(_("revlog '%s' not found") % file_)
971 r = revlog.revlog(vfsmod.vfs(pycompat.getcwd(), audit=False),
971 r = revlog.revlog(vfsmod.vfs(pycompat.getcwd(), audit=False),
972 file_[:-2] + ".i")
972 file_[:-2] + ".i")
973 return r
973 return r
974
974
975 def copy(ui, repo, pats, opts, rename=False):
975 def copy(ui, repo, pats, opts, rename=False):
976 # called with the repo lock held
976 # called with the repo lock held
977 #
977 #
978 # hgsep => pathname that uses "/" to separate directories
978 # hgsep => pathname that uses "/" to separate directories
979 # ossep => pathname that uses os.sep to separate directories
979 # ossep => pathname that uses os.sep to separate directories
980 cwd = repo.getcwd()
980 cwd = repo.getcwd()
981 targets = {}
981 targets = {}
982 after = opts.get("after")
982 after = opts.get("after")
983 dryrun = opts.get("dry_run")
983 dryrun = opts.get("dry_run")
984 wctx = repo[None]
984 wctx = repo[None]
985
985
986 def walkpat(pat):
986 def walkpat(pat):
987 srcs = []
987 srcs = []
988 if after:
988 if after:
989 badstates = '?'
989 badstates = '?'
990 else:
990 else:
991 badstates = '?r'
991 badstates = '?r'
992 m = scmutil.match(wctx, [pat], opts, globbed=True)
992 m = scmutil.match(wctx, [pat], opts, globbed=True)
993 for abs in wctx.walk(m):
993 for abs in wctx.walk(m):
994 state = repo.dirstate[abs]
994 state = repo.dirstate[abs]
995 rel = m.rel(abs)
995 rel = m.rel(abs)
996 exact = m.exact(abs)
996 exact = m.exact(abs)
997 if state in badstates:
997 if state in badstates:
998 if exact and state == '?':
998 if exact and state == '?':
999 ui.warn(_('%s: not copying - file is not managed\n') % rel)
999 ui.warn(_('%s: not copying - file is not managed\n') % rel)
1000 if exact and state == 'r':
1000 if exact and state == 'r':
1001 ui.warn(_('%s: not copying - file has been marked for'
1001 ui.warn(_('%s: not copying - file has been marked for'
1002 ' remove\n') % rel)
1002 ' remove\n') % rel)
1003 continue
1003 continue
1004 # abs: hgsep
1004 # abs: hgsep
1005 # rel: ossep
1005 # rel: ossep
1006 srcs.append((abs, rel, exact))
1006 srcs.append((abs, rel, exact))
1007 return srcs
1007 return srcs
1008
1008
1009 # abssrc: hgsep
1009 # abssrc: hgsep
1010 # relsrc: ossep
1010 # relsrc: ossep
1011 # otarget: ossep
1011 # otarget: ossep
1012 def copyfile(abssrc, relsrc, otarget, exact):
1012 def copyfile(abssrc, relsrc, otarget, exact):
1013 abstarget = pathutil.canonpath(repo.root, cwd, otarget)
1013 abstarget = pathutil.canonpath(repo.root, cwd, otarget)
1014 if '/' in abstarget:
1014 if '/' in abstarget:
1015 # We cannot normalize abstarget itself, this would prevent
1015 # We cannot normalize abstarget itself, this would prevent
1016 # case only renames, like a => A.
1016 # case only renames, like a => A.
1017 abspath, absname = abstarget.rsplit('/', 1)
1017 abspath, absname = abstarget.rsplit('/', 1)
1018 abstarget = repo.dirstate.normalize(abspath) + '/' + absname
1018 abstarget = repo.dirstate.normalize(abspath) + '/' + absname
1019 reltarget = repo.pathto(abstarget, cwd)
1019 reltarget = repo.pathto(abstarget, cwd)
1020 target = repo.wjoin(abstarget)
1020 target = repo.wjoin(abstarget)
1021 src = repo.wjoin(abssrc)
1021 src = repo.wjoin(abssrc)
1022 state = repo.dirstate[abstarget]
1022 state = repo.dirstate[abstarget]
1023
1023
1024 scmutil.checkportable(ui, abstarget)
1024 scmutil.checkportable(ui, abstarget)
1025
1025
1026 # check for collisions
1026 # check for collisions
1027 prevsrc = targets.get(abstarget)
1027 prevsrc = targets.get(abstarget)
1028 if prevsrc is not None:
1028 if prevsrc is not None:
1029 ui.warn(_('%s: not overwriting - %s collides with %s\n') %
1029 ui.warn(_('%s: not overwriting - %s collides with %s\n') %
1030 (reltarget, repo.pathto(abssrc, cwd),
1030 (reltarget, repo.pathto(abssrc, cwd),
1031 repo.pathto(prevsrc, cwd)))
1031 repo.pathto(prevsrc, cwd)))
1032 return
1032 return
1033
1033
1034 # check for overwrites
1034 # check for overwrites
1035 exists = os.path.lexists(target)
1035 exists = os.path.lexists(target)
1036 samefile = False
1036 samefile = False
1037 if exists and abssrc != abstarget:
1037 if exists and abssrc != abstarget:
1038 if (repo.dirstate.normalize(abssrc) ==
1038 if (repo.dirstate.normalize(abssrc) ==
1039 repo.dirstate.normalize(abstarget)):
1039 repo.dirstate.normalize(abstarget)):
1040 if not rename:
1040 if not rename:
1041 ui.warn(_("%s: can't copy - same file\n") % reltarget)
1041 ui.warn(_("%s: can't copy - same file\n") % reltarget)
1042 return
1042 return
1043 exists = False
1043 exists = False
1044 samefile = True
1044 samefile = True
1045
1045
1046 if not after and exists or after and state in 'mn':
1046 if not after and exists or after and state in 'mn':
1047 if not opts['force']:
1047 if not opts['force']:
1048 if state in 'mn':
1048 if state in 'mn':
1049 msg = _('%s: not overwriting - file already committed\n')
1049 msg = _('%s: not overwriting - file already committed\n')
1050 if after:
1050 if after:
1051 flags = '--after --force'
1051 flags = '--after --force'
1052 else:
1052 else:
1053 flags = '--force'
1053 flags = '--force'
1054 if rename:
1054 if rename:
1055 hint = _('(hg rename %s to replace the file by '
1055 hint = _('(hg rename %s to replace the file by '
1056 'recording a rename)\n') % flags
1056 'recording a rename)\n') % flags
1057 else:
1057 else:
1058 hint = _('(hg copy %s to replace the file by '
1058 hint = _('(hg copy %s to replace the file by '
1059 'recording a copy)\n') % flags
1059 'recording a copy)\n') % flags
1060 else:
1060 else:
1061 msg = _('%s: not overwriting - file exists\n')
1061 msg = _('%s: not overwriting - file exists\n')
1062 if rename:
1062 if rename:
1063 hint = _('(hg rename --after to record the rename)\n')
1063 hint = _('(hg rename --after to record the rename)\n')
1064 else:
1064 else:
1065 hint = _('(hg copy --after to record the copy)\n')
1065 hint = _('(hg copy --after to record the copy)\n')
1066 ui.warn(msg % reltarget)
1066 ui.warn(msg % reltarget)
1067 ui.warn(hint)
1067 ui.warn(hint)
1068 return
1068 return
1069
1069
1070 if after:
1070 if after:
1071 if not exists:
1071 if not exists:
1072 if rename:
1072 if rename:
1073 ui.warn(_('%s: not recording move - %s does not exist\n') %
1073 ui.warn(_('%s: not recording move - %s does not exist\n') %
1074 (relsrc, reltarget))
1074 (relsrc, reltarget))
1075 else:
1075 else:
1076 ui.warn(_('%s: not recording copy - %s does not exist\n') %
1076 ui.warn(_('%s: not recording copy - %s does not exist\n') %
1077 (relsrc, reltarget))
1077 (relsrc, reltarget))
1078 return
1078 return
1079 elif not dryrun:
1079 elif not dryrun:
1080 try:
1080 try:
1081 if exists:
1081 if exists:
1082 os.unlink(target)
1082 os.unlink(target)
1083 targetdir = os.path.dirname(target) or '.'
1083 targetdir = os.path.dirname(target) or '.'
1084 if not os.path.isdir(targetdir):
1084 if not os.path.isdir(targetdir):
1085 os.makedirs(targetdir)
1085 os.makedirs(targetdir)
1086 if samefile:
1086 if samefile:
1087 tmp = target + "~hgrename"
1087 tmp = target + "~hgrename"
1088 os.rename(src, tmp)
1088 os.rename(src, tmp)
1089 os.rename(tmp, target)
1089 os.rename(tmp, target)
1090 else:
1090 else:
1091 util.copyfile(src, target)
1091 util.copyfile(src, target)
1092 srcexists = True
1092 srcexists = True
1093 except IOError as inst:
1093 except IOError as inst:
1094 if inst.errno == errno.ENOENT:
1094 if inst.errno == errno.ENOENT:
1095 ui.warn(_('%s: deleted in working directory\n') % relsrc)
1095 ui.warn(_('%s: deleted in working directory\n') % relsrc)
1096 srcexists = False
1096 srcexists = False
1097 else:
1097 else:
1098 ui.warn(_('%s: cannot copy - %s\n') %
1098 ui.warn(_('%s: cannot copy - %s\n') %
1099 (relsrc, inst.strerror))
1099 (relsrc, inst.strerror))
1100 return True # report a failure
1100 return True # report a failure
1101
1101
1102 if ui.verbose or not exact:
1102 if ui.verbose or not exact:
1103 if rename:
1103 if rename:
1104 ui.status(_('moving %s to %s\n') % (relsrc, reltarget))
1104 ui.status(_('moving %s to %s\n') % (relsrc, reltarget))
1105 else:
1105 else:
1106 ui.status(_('copying %s to %s\n') % (relsrc, reltarget))
1106 ui.status(_('copying %s to %s\n') % (relsrc, reltarget))
1107
1107
1108 targets[abstarget] = abssrc
1108 targets[abstarget] = abssrc
1109
1109
1110 # fix up dirstate
1110 # fix up dirstate
1111 scmutil.dirstatecopy(ui, repo, wctx, abssrc, abstarget,
1111 scmutil.dirstatecopy(ui, repo, wctx, abssrc, abstarget,
1112 dryrun=dryrun, cwd=cwd)
1112 dryrun=dryrun, cwd=cwd)
1113 if rename and not dryrun:
1113 if rename and not dryrun:
1114 if not after and srcexists and not samefile:
1114 if not after and srcexists and not samefile:
1115 repo.wvfs.unlinkpath(abssrc)
1115 repo.wvfs.unlinkpath(abssrc)
1116 wctx.forget([abssrc])
1116 wctx.forget([abssrc])
1117
1117
1118 # pat: ossep
1118 # pat: ossep
1119 # dest ossep
1119 # dest ossep
1120 # srcs: list of (hgsep, hgsep, ossep, bool)
1120 # srcs: list of (hgsep, hgsep, ossep, bool)
1121 # return: function that takes hgsep and returns ossep
1121 # return: function that takes hgsep and returns ossep
1122 def targetpathfn(pat, dest, srcs):
1122 def targetpathfn(pat, dest, srcs):
1123 if os.path.isdir(pat):
1123 if os.path.isdir(pat):
1124 abspfx = pathutil.canonpath(repo.root, cwd, pat)
1124 abspfx = pathutil.canonpath(repo.root, cwd, pat)
1125 abspfx = util.localpath(abspfx)
1125 abspfx = util.localpath(abspfx)
1126 if destdirexists:
1126 if destdirexists:
1127 striplen = len(os.path.split(abspfx)[0])
1127 striplen = len(os.path.split(abspfx)[0])
1128 else:
1128 else:
1129 striplen = len(abspfx)
1129 striplen = len(abspfx)
1130 if striplen:
1130 if striplen:
1131 striplen += len(pycompat.ossep)
1131 striplen += len(pycompat.ossep)
1132 res = lambda p: os.path.join(dest, util.localpath(p)[striplen:])
1132 res = lambda p: os.path.join(dest, util.localpath(p)[striplen:])
1133 elif destdirexists:
1133 elif destdirexists:
1134 res = lambda p: os.path.join(dest,
1134 res = lambda p: os.path.join(dest,
1135 os.path.basename(util.localpath(p)))
1135 os.path.basename(util.localpath(p)))
1136 else:
1136 else:
1137 res = lambda p: dest
1137 res = lambda p: dest
1138 return res
1138 return res
1139
1139
1140 # pat: ossep
1140 # pat: ossep
1141 # dest ossep
1141 # dest ossep
1142 # srcs: list of (hgsep, hgsep, ossep, bool)
1142 # srcs: list of (hgsep, hgsep, ossep, bool)
1143 # return: function that takes hgsep and returns ossep
1143 # return: function that takes hgsep and returns ossep
1144 def targetpathafterfn(pat, dest, srcs):
1144 def targetpathafterfn(pat, dest, srcs):
1145 if matchmod.patkind(pat):
1145 if matchmod.patkind(pat):
1146 # a mercurial pattern
1146 # a mercurial pattern
1147 res = lambda p: os.path.join(dest,
1147 res = lambda p: os.path.join(dest,
1148 os.path.basename(util.localpath(p)))
1148 os.path.basename(util.localpath(p)))
1149 else:
1149 else:
1150 abspfx = pathutil.canonpath(repo.root, cwd, pat)
1150 abspfx = pathutil.canonpath(repo.root, cwd, pat)
1151 if len(abspfx) < len(srcs[0][0]):
1151 if len(abspfx) < len(srcs[0][0]):
1152 # A directory. Either the target path contains the last
1152 # A directory. Either the target path contains the last
1153 # component of the source path or it does not.
1153 # component of the source path or it does not.
1154 def evalpath(striplen):
1154 def evalpath(striplen):
1155 score = 0
1155 score = 0
1156 for s in srcs:
1156 for s in srcs:
1157 t = os.path.join(dest, util.localpath(s[0])[striplen:])
1157 t = os.path.join(dest, util.localpath(s[0])[striplen:])
1158 if os.path.lexists(t):
1158 if os.path.lexists(t):
1159 score += 1
1159 score += 1
1160 return score
1160 return score
1161
1161
1162 abspfx = util.localpath(abspfx)
1162 abspfx = util.localpath(abspfx)
1163 striplen = len(abspfx)
1163 striplen = len(abspfx)
1164 if striplen:
1164 if striplen:
1165 striplen += len(pycompat.ossep)
1165 striplen += len(pycompat.ossep)
1166 if os.path.isdir(os.path.join(dest, os.path.split(abspfx)[1])):
1166 if os.path.isdir(os.path.join(dest, os.path.split(abspfx)[1])):
1167 score = evalpath(striplen)
1167 score = evalpath(striplen)
1168 striplen1 = len(os.path.split(abspfx)[0])
1168 striplen1 = len(os.path.split(abspfx)[0])
1169 if striplen1:
1169 if striplen1:
1170 striplen1 += len(pycompat.ossep)
1170 striplen1 += len(pycompat.ossep)
1171 if evalpath(striplen1) > score:
1171 if evalpath(striplen1) > score:
1172 striplen = striplen1
1172 striplen = striplen1
1173 res = lambda p: os.path.join(dest,
1173 res = lambda p: os.path.join(dest,
1174 util.localpath(p)[striplen:])
1174 util.localpath(p)[striplen:])
1175 else:
1175 else:
1176 # a file
1176 # a file
1177 if destdirexists:
1177 if destdirexists:
1178 res = lambda p: os.path.join(dest,
1178 res = lambda p: os.path.join(dest,
1179 os.path.basename(util.localpath(p)))
1179 os.path.basename(util.localpath(p)))
1180 else:
1180 else:
1181 res = lambda p: dest
1181 res = lambda p: dest
1182 return res
1182 return res
1183
1183
1184 pats = scmutil.expandpats(pats)
1184 pats = scmutil.expandpats(pats)
1185 if not pats:
1185 if not pats:
1186 raise error.Abort(_('no source or destination specified'))
1186 raise error.Abort(_('no source or destination specified'))
1187 if len(pats) == 1:
1187 if len(pats) == 1:
1188 raise error.Abort(_('no destination specified'))
1188 raise error.Abort(_('no destination specified'))
1189 dest = pats.pop()
1189 dest = pats.pop()
1190 destdirexists = os.path.isdir(dest) and not os.path.islink(dest)
1190 destdirexists = os.path.isdir(dest) and not os.path.islink(dest)
1191 if not destdirexists:
1191 if not destdirexists:
1192 if len(pats) > 1 or matchmod.patkind(pats[0]):
1192 if len(pats) > 1 or matchmod.patkind(pats[0]):
1193 raise error.Abort(_('with multiple sources, destination must be an '
1193 raise error.Abort(_('with multiple sources, destination must be an '
1194 'existing directory'))
1194 'existing directory'))
1195 if util.endswithsep(dest):
1195 if util.endswithsep(dest):
1196 raise error.Abort(_('destination %s is not a directory') % dest)
1196 raise error.Abort(_('destination %s is not a directory') % dest)
1197
1197
1198 tfn = targetpathfn
1198 tfn = targetpathfn
1199 if after:
1199 if after:
1200 tfn = targetpathafterfn
1200 tfn = targetpathafterfn
1201 copylist = []
1201 copylist = []
1202 for pat in pats:
1202 for pat in pats:
1203 srcs = walkpat(pat)
1203 srcs = walkpat(pat)
1204 if not srcs:
1204 if not srcs:
1205 continue
1205 continue
1206 copylist.append((tfn(pat, dest, srcs), srcs))
1206 copylist.append((tfn(pat, dest, srcs), srcs))
1207 if not copylist:
1207 if not copylist:
1208 raise error.Abort(_('no files to copy'))
1208 raise error.Abort(_('no files to copy'))
1209
1209
1210 errors = 0
1210 errors = 0
1211 for targetpath, srcs in copylist:
1211 for targetpath, srcs in copylist:
1212 for abssrc, relsrc, exact in srcs:
1212 for abssrc, relsrc, exact in srcs:
1213 if copyfile(abssrc, relsrc, targetpath(abssrc), exact):
1213 if copyfile(abssrc, relsrc, targetpath(abssrc), exact):
1214 errors += 1
1214 errors += 1
1215
1215
1216 if errors:
1216 if errors:
1217 ui.warn(_('(consider using --after)\n'))
1217 ui.warn(_('(consider using --after)\n'))
1218
1218
1219 return errors != 0
1219 return errors != 0
1220
1220
1221 ## facility to let extension process additional data into an import patch
1221 ## facility to let extension process additional data into an import patch
1222 # list of identifier to be executed in order
1222 # list of identifier to be executed in order
1223 extrapreimport = [] # run before commit
1223 extrapreimport = [] # run before commit
1224 extrapostimport = [] # run after commit
1224 extrapostimport = [] # run after commit
1225 # mapping from identifier to actual import function
1225 # mapping from identifier to actual import function
1226 #
1226 #
1227 # 'preimport' are run before the commit is made and are provided the following
1227 # 'preimport' are run before the commit is made and are provided the following
1228 # arguments:
1228 # arguments:
1229 # - repo: the localrepository instance,
1229 # - repo: the localrepository instance,
1230 # - patchdata: data extracted from patch header (cf m.patch.patchheadermap),
1230 # - patchdata: data extracted from patch header (cf m.patch.patchheadermap),
1231 # - extra: the future extra dictionary of the changeset, please mutate it,
1231 # - extra: the future extra dictionary of the changeset, please mutate it,
1232 # - opts: the import options.
1232 # - opts: the import options.
1233 # XXX ideally, we would just pass an ctx ready to be computed, that would allow
1233 # XXX ideally, we would just pass an ctx ready to be computed, that would allow
1234 # mutation of in memory commit and more. Feel free to rework the code to get
1234 # mutation of in memory commit and more. Feel free to rework the code to get
1235 # there.
1235 # there.
1236 extrapreimportmap = {}
1236 extrapreimportmap = {}
1237 # 'postimport' are run after the commit is made and are provided the following
1237 # 'postimport' are run after the commit is made and are provided the following
1238 # argument:
1238 # argument:
1239 # - ctx: the changectx created by import.
1239 # - ctx: the changectx created by import.
1240 extrapostimportmap = {}
1240 extrapostimportmap = {}
1241
1241
1242 def tryimportone(ui, repo, hunk, parents, opts, msgs, updatefunc):
1242 def tryimportone(ui, repo, hunk, parents, opts, msgs, updatefunc):
1243 """Utility function used by commands.import to import a single patch
1243 """Utility function used by commands.import to import a single patch
1244
1244
1245 This function is explicitly defined here to help the evolve extension to
1245 This function is explicitly defined here to help the evolve extension to
1246 wrap this part of the import logic.
1246 wrap this part of the import logic.
1247
1247
1248 The API is currently a bit ugly because it a simple code translation from
1248 The API is currently a bit ugly because it a simple code translation from
1249 the import command. Feel free to make it better.
1249 the import command. Feel free to make it better.
1250
1250
1251 :hunk: a patch (as a binary string)
1251 :hunk: a patch (as a binary string)
1252 :parents: nodes that will be parent of the created commit
1252 :parents: nodes that will be parent of the created commit
1253 :opts: the full dict of option passed to the import command
1253 :opts: the full dict of option passed to the import command
1254 :msgs: list to save commit message to.
1254 :msgs: list to save commit message to.
1255 (used in case we need to save it when failing)
1255 (used in case we need to save it when failing)
1256 :updatefunc: a function that update a repo to a given node
1256 :updatefunc: a function that update a repo to a given node
1257 updatefunc(<repo>, <node>)
1257 updatefunc(<repo>, <node>)
1258 """
1258 """
1259 # avoid cycle context -> subrepo -> cmdutil
1259 # avoid cycle context -> subrepo -> cmdutil
1260 from . import context
1260 from . import context
1261 extractdata = patch.extract(ui, hunk)
1261 extractdata = patch.extract(ui, hunk)
1262 tmpname = extractdata.get('filename')
1262 tmpname = extractdata.get('filename')
1263 message = extractdata.get('message')
1263 message = extractdata.get('message')
1264 user = opts.get('user') or extractdata.get('user')
1264 user = opts.get('user') or extractdata.get('user')
1265 date = opts.get('date') or extractdata.get('date')
1265 date = opts.get('date') or extractdata.get('date')
1266 branch = extractdata.get('branch')
1266 branch = extractdata.get('branch')
1267 nodeid = extractdata.get('nodeid')
1267 nodeid = extractdata.get('nodeid')
1268 p1 = extractdata.get('p1')
1268 p1 = extractdata.get('p1')
1269 p2 = extractdata.get('p2')
1269 p2 = extractdata.get('p2')
1270
1270
1271 nocommit = opts.get('no_commit')
1271 nocommit = opts.get('no_commit')
1272 importbranch = opts.get('import_branch')
1272 importbranch = opts.get('import_branch')
1273 update = not opts.get('bypass')
1273 update = not opts.get('bypass')
1274 strip = opts["strip"]
1274 strip = opts["strip"]
1275 prefix = opts["prefix"]
1275 prefix = opts["prefix"]
1276 sim = float(opts.get('similarity') or 0)
1276 sim = float(opts.get('similarity') or 0)
1277 if not tmpname:
1277 if not tmpname:
1278 return (None, None, False)
1278 return (None, None, False)
1279
1279
1280 rejects = False
1280 rejects = False
1281
1281
1282 try:
1282 try:
1283 cmdline_message = logmessage(ui, opts)
1283 cmdline_message = logmessage(ui, opts)
1284 if cmdline_message:
1284 if cmdline_message:
1285 # pickup the cmdline msg
1285 # pickup the cmdline msg
1286 message = cmdline_message
1286 message = cmdline_message
1287 elif message:
1287 elif message:
1288 # pickup the patch msg
1288 # pickup the patch msg
1289 message = message.strip()
1289 message = message.strip()
1290 else:
1290 else:
1291 # launch the editor
1291 # launch the editor
1292 message = None
1292 message = None
1293 ui.debug('message:\n%s\n' % message)
1293 ui.debug('message:\n%s\n' % message)
1294
1294
1295 if len(parents) == 1:
1295 if len(parents) == 1:
1296 parents.append(repo[nullid])
1296 parents.append(repo[nullid])
1297 if opts.get('exact'):
1297 if opts.get('exact'):
1298 if not nodeid or not p1:
1298 if not nodeid or not p1:
1299 raise error.Abort(_('not a Mercurial patch'))
1299 raise error.Abort(_('not a Mercurial patch'))
1300 p1 = repo[p1]
1300 p1 = repo[p1]
1301 p2 = repo[p2 or nullid]
1301 p2 = repo[p2 or nullid]
1302 elif p2:
1302 elif p2:
1303 try:
1303 try:
1304 p1 = repo[p1]
1304 p1 = repo[p1]
1305 p2 = repo[p2]
1305 p2 = repo[p2]
1306 # Without any options, consider p2 only if the
1306 # Without any options, consider p2 only if the
1307 # patch is being applied on top of the recorded
1307 # patch is being applied on top of the recorded
1308 # first parent.
1308 # first parent.
1309 if p1 != parents[0]:
1309 if p1 != parents[0]:
1310 p1 = parents[0]
1310 p1 = parents[0]
1311 p2 = repo[nullid]
1311 p2 = repo[nullid]
1312 except error.RepoError:
1312 except error.RepoError:
1313 p1, p2 = parents
1313 p1, p2 = parents
1314 if p2.node() == nullid:
1314 if p2.node() == nullid:
1315 ui.warn(_("warning: import the patch as a normal revision\n"
1315 ui.warn(_("warning: import the patch as a normal revision\n"
1316 "(use --exact to import the patch as a merge)\n"))
1316 "(use --exact to import the patch as a merge)\n"))
1317 else:
1317 else:
1318 p1, p2 = parents
1318 p1, p2 = parents
1319
1319
1320 n = None
1320 n = None
1321 if update:
1321 if update:
1322 if p1 != parents[0]:
1322 if p1 != parents[0]:
1323 updatefunc(repo, p1.node())
1323 updatefunc(repo, p1.node())
1324 if p2 != parents[1]:
1324 if p2 != parents[1]:
1325 repo.setparents(p1.node(), p2.node())
1325 repo.setparents(p1.node(), p2.node())
1326
1326
1327 if opts.get('exact') or importbranch:
1327 if opts.get('exact') or importbranch:
1328 repo.dirstate.setbranch(branch or 'default')
1328 repo.dirstate.setbranch(branch or 'default')
1329
1329
1330 partial = opts.get('partial', False)
1330 partial = opts.get('partial', False)
1331 files = set()
1331 files = set()
1332 try:
1332 try:
1333 patch.patch(ui, repo, tmpname, strip=strip, prefix=prefix,
1333 patch.patch(ui, repo, tmpname, strip=strip, prefix=prefix,
1334 files=files, eolmode=None, similarity=sim / 100.0)
1334 files=files, eolmode=None, similarity=sim / 100.0)
1335 except patch.PatchError as e:
1335 except patch.PatchError as e:
1336 if not partial:
1336 if not partial:
1337 raise error.Abort(str(e))
1337 raise error.Abort(str(e))
1338 if partial:
1338 if partial:
1339 rejects = True
1339 rejects = True
1340
1340
1341 files = list(files)
1341 files = list(files)
1342 if nocommit:
1342 if nocommit:
1343 if message:
1343 if message:
1344 msgs.append(message)
1344 msgs.append(message)
1345 else:
1345 else:
1346 if opts.get('exact') or p2:
1346 if opts.get('exact') or p2:
1347 # If you got here, you either use --force and know what
1347 # If you got here, you either use --force and know what
1348 # you are doing or used --exact or a merge patch while
1348 # you are doing or used --exact or a merge patch while
1349 # being updated to its first parent.
1349 # being updated to its first parent.
1350 m = None
1350 m = None
1351 else:
1351 else:
1352 m = scmutil.matchfiles(repo, files or [])
1352 m = scmutil.matchfiles(repo, files or [])
1353 editform = mergeeditform(repo[None], 'import.normal')
1353 editform = mergeeditform(repo[None], 'import.normal')
1354 if opts.get('exact'):
1354 if opts.get('exact'):
1355 editor = None
1355 editor = None
1356 else:
1356 else:
1357 editor = getcommiteditor(editform=editform, **opts)
1357 editor = getcommiteditor(editform=editform, **opts)
1358 extra = {}
1358 extra = {}
1359 for idfunc in extrapreimport:
1359 for idfunc in extrapreimport:
1360 extrapreimportmap[idfunc](repo, extractdata, extra, opts)
1360 extrapreimportmap[idfunc](repo, extractdata, extra, opts)
1361 overrides = {}
1361 overrides = {}
1362 if partial:
1362 if partial:
1363 overrides[('ui', 'allowemptycommit')] = True
1363 overrides[('ui', 'allowemptycommit')] = True
1364 with repo.ui.configoverride(overrides, 'import'):
1364 with repo.ui.configoverride(overrides, 'import'):
1365 n = repo.commit(message, user,
1365 n = repo.commit(message, user,
1366 date, match=m,
1366 date, match=m,
1367 editor=editor, extra=extra)
1367 editor=editor, extra=extra)
1368 for idfunc in extrapostimport:
1368 for idfunc in extrapostimport:
1369 extrapostimportmap[idfunc](repo[n])
1369 extrapostimportmap[idfunc](repo[n])
1370 else:
1370 else:
1371 if opts.get('exact') or importbranch:
1371 if opts.get('exact') or importbranch:
1372 branch = branch or 'default'
1372 branch = branch or 'default'
1373 else:
1373 else:
1374 branch = p1.branch()
1374 branch = p1.branch()
1375 store = patch.filestore()
1375 store = patch.filestore()
1376 try:
1376 try:
1377 files = set()
1377 files = set()
1378 try:
1378 try:
1379 patch.patchrepo(ui, repo, p1, store, tmpname, strip, prefix,
1379 patch.patchrepo(ui, repo, p1, store, tmpname, strip, prefix,
1380 files, eolmode=None)
1380 files, eolmode=None)
1381 except patch.PatchError as e:
1381 except patch.PatchError as e:
1382 raise error.Abort(str(e))
1382 raise error.Abort(str(e))
1383 if opts.get('exact'):
1383 if opts.get('exact'):
1384 editor = None
1384 editor = None
1385 else:
1385 else:
1386 editor = getcommiteditor(editform='import.bypass')
1386 editor = getcommiteditor(editform='import.bypass')
1387 memctx = context.memctx(repo, (p1.node(), p2.node()),
1387 memctx = context.memctx(repo, (p1.node(), p2.node()),
1388 message,
1388 message,
1389 files=files,
1389 files=files,
1390 filectxfn=store,
1390 filectxfn=store,
1391 user=user,
1391 user=user,
1392 date=date,
1392 date=date,
1393 branch=branch,
1393 branch=branch,
1394 editor=editor)
1394 editor=editor)
1395 n = memctx.commit()
1395 n = memctx.commit()
1396 finally:
1396 finally:
1397 store.close()
1397 store.close()
1398 if opts.get('exact') and nocommit:
1398 if opts.get('exact') and nocommit:
1399 # --exact with --no-commit is still useful in that it does merge
1399 # --exact with --no-commit is still useful in that it does merge
1400 # and branch bits
1400 # and branch bits
1401 ui.warn(_("warning: can't check exact import with --no-commit\n"))
1401 ui.warn(_("warning: can't check exact import with --no-commit\n"))
1402 elif opts.get('exact') and hex(n) != nodeid:
1402 elif opts.get('exact') and hex(n) != nodeid:
1403 raise error.Abort(_('patch is damaged or loses information'))
1403 raise error.Abort(_('patch is damaged or loses information'))
1404 msg = _('applied to working directory')
1404 msg = _('applied to working directory')
1405 if n:
1405 if n:
1406 # i18n: refers to a short changeset id
1406 # i18n: refers to a short changeset id
1407 msg = _('created %s') % short(n)
1407 msg = _('created %s') % short(n)
1408 return (msg, n, rejects)
1408 return (msg, n, rejects)
1409 finally:
1409 finally:
1410 os.unlink(tmpname)
1410 os.unlink(tmpname)
1411
1411
1412 # facility to let extensions include additional data in an exported patch
1412 # facility to let extensions include additional data in an exported patch
1413 # list of identifiers to be executed in order
1413 # list of identifiers to be executed in order
1414 extraexport = []
1414 extraexport = []
1415 # mapping from identifier to actual export function
1415 # mapping from identifier to actual export function
1416 # function as to return a string to be added to the header or None
1416 # function as to return a string to be added to the header or None
1417 # it is given two arguments (sequencenumber, changectx)
1417 # it is given two arguments (sequencenumber, changectx)
1418 extraexportmap = {}
1418 extraexportmap = {}
1419
1419
1420 def _exportsingle(repo, ctx, match, switch_parent, rev, seqno, write, diffopts):
1420 def _exportsingle(repo, ctx, match, switch_parent, rev, seqno, write, diffopts):
1421 node = scmutil.binnode(ctx)
1421 node = scmutil.binnode(ctx)
1422 parents = [p.node() for p in ctx.parents() if p]
1422 parents = [p.node() for p in ctx.parents() if p]
1423 branch = ctx.branch()
1423 branch = ctx.branch()
1424 if switch_parent:
1424 if switch_parent:
1425 parents.reverse()
1425 parents.reverse()
1426
1426
1427 if parents:
1427 if parents:
1428 prev = parents[0]
1428 prev = parents[0]
1429 else:
1429 else:
1430 prev = nullid
1430 prev = nullid
1431
1431
1432 write("# HG changeset patch\n")
1432 write("# HG changeset patch\n")
1433 write("# User %s\n" % ctx.user())
1433 write("# User %s\n" % ctx.user())
1434 write("# Date %d %d\n" % ctx.date())
1434 write("# Date %d %d\n" % ctx.date())
1435 write("# %s\n" % util.datestr(ctx.date()))
1435 write("# %s\n" % util.datestr(ctx.date()))
1436 if branch and branch != 'default':
1436 if branch and branch != 'default':
1437 write("# Branch %s\n" % branch)
1437 write("# Branch %s\n" % branch)
1438 write("# Node ID %s\n" % hex(node))
1438 write("# Node ID %s\n" % hex(node))
1439 write("# Parent %s\n" % hex(prev))
1439 write("# Parent %s\n" % hex(prev))
1440 if len(parents) > 1:
1440 if len(parents) > 1:
1441 write("# Parent %s\n" % hex(parents[1]))
1441 write("# Parent %s\n" % hex(parents[1]))
1442
1442
1443 for headerid in extraexport:
1443 for headerid in extraexport:
1444 header = extraexportmap[headerid](seqno, ctx)
1444 header = extraexportmap[headerid](seqno, ctx)
1445 if header is not None:
1445 if header is not None:
1446 write('# %s\n' % header)
1446 write('# %s\n' % header)
1447 write(ctx.description().rstrip())
1447 write(ctx.description().rstrip())
1448 write("\n\n")
1448 write("\n\n")
1449
1449
1450 for chunk, label in patch.diffui(repo, prev, node, match, opts=diffopts):
1450 for chunk, label in patch.diffui(repo, prev, node, match, opts=diffopts):
1451 write(chunk, label=label)
1451 write(chunk, label=label)
1452
1452
1453 def export(repo, revs, fntemplate='hg-%h.patch', fp=None, switch_parent=False,
1453 def export(repo, revs, fntemplate='hg-%h.patch', fp=None, switch_parent=False,
1454 opts=None, match=None):
1454 opts=None, match=None):
1455 '''export changesets as hg patches
1455 '''export changesets as hg patches
1456
1456
1457 Args:
1457 Args:
1458 repo: The repository from which we're exporting revisions.
1458 repo: The repository from which we're exporting revisions.
1459 revs: A list of revisions to export as revision numbers.
1459 revs: A list of revisions to export as revision numbers.
1460 fntemplate: An optional string to use for generating patch file names.
1460 fntemplate: An optional string to use for generating patch file names.
1461 fp: An optional file-like object to which patches should be written.
1461 fp: An optional file-like object to which patches should be written.
1462 switch_parent: If True, show diffs against second parent when not nullid.
1462 switch_parent: If True, show diffs against second parent when not nullid.
1463 Default is false, which always shows diff against p1.
1463 Default is false, which always shows diff against p1.
1464 opts: diff options to use for generating the patch.
1464 opts: diff options to use for generating the patch.
1465 match: If specified, only export changes to files matching this matcher.
1465 match: If specified, only export changes to files matching this matcher.
1466
1466
1467 Returns:
1467 Returns:
1468 Nothing.
1468 Nothing.
1469
1469
1470 Side Effect:
1470 Side Effect:
1471 "HG Changeset Patch" data is emitted to one of the following
1471 "HG Changeset Patch" data is emitted to one of the following
1472 destinations:
1472 destinations:
1473 fp is specified: All revs are written to the specified
1473 fp is specified: All revs are written to the specified
1474 file-like object.
1474 file-like object.
1475 fntemplate specified: Each rev is written to a unique file named using
1475 fntemplate specified: Each rev is written to a unique file named using
1476 the given template.
1476 the given template.
1477 Neither fp nor template specified: All revs written to repo.ui.write()
1477 Neither fp nor template specified: All revs written to repo.ui.write()
1478 '''
1478 '''
1479
1479
1480 total = len(revs)
1480 total = len(revs)
1481 revwidth = max(len(str(rev)) for rev in revs)
1481 revwidth = max(len(str(rev)) for rev in revs)
1482 filemode = {}
1482 filemode = {}
1483
1483
1484 write = None
1484 write = None
1485 dest = '<unnamed>'
1485 dest = '<unnamed>'
1486 if fp:
1486 if fp:
1487 dest = getattr(fp, 'name', dest)
1487 dest = getattr(fp, 'name', dest)
1488 def write(s, **kw):
1488 def write(s, **kw):
1489 fp.write(s)
1489 fp.write(s)
1490 elif not fntemplate:
1490 elif not fntemplate:
1491 write = repo.ui.write
1491 write = repo.ui.write
1492
1492
1493 for seqno, rev in enumerate(revs, 1):
1493 for seqno, rev in enumerate(revs, 1):
1494 ctx = repo[rev]
1494 ctx = repo[rev]
1495 fo = None
1495 fo = None
1496 if not fp and fntemplate:
1496 if not fp and fntemplate:
1497 desc_lines = ctx.description().rstrip().split('\n')
1497 desc_lines = ctx.description().rstrip().split('\n')
1498 desc = desc_lines[0] #Commit always has a first line.
1498 desc = desc_lines[0] #Commit always has a first line.
1499 fo = makefileobj(repo, fntemplate, ctx.node(), desc=desc,
1499 fo = makefileobj(repo, fntemplate, ctx.node(), desc=desc,
1500 total=total, seqno=seqno, revwidth=revwidth,
1500 total=total, seqno=seqno, revwidth=revwidth,
1501 mode='wb', modemap=filemode)
1501 mode='wb', modemap=filemode)
1502 dest = fo.name
1502 dest = fo.name
1503 def write(s, **kw):
1503 def write(s, **kw):
1504 fo.write(s)
1504 fo.write(s)
1505 if not dest.startswith('<'):
1505 if not dest.startswith('<'):
1506 repo.ui.note("%s\n" % dest)
1506 repo.ui.note("%s\n" % dest)
1507 _exportsingle(
1507 _exportsingle(
1508 repo, ctx, match, switch_parent, rev, seqno, write, opts)
1508 repo, ctx, match, switch_parent, rev, seqno, write, opts)
1509 if fo is not None:
1509 if fo is not None:
1510 fo.close()
1510 fo.close()
1511
1511
1512 def diffordiffstat(ui, repo, diffopts, node1, node2, match,
1512 def diffordiffstat(ui, repo, diffopts, node1, node2, match,
1513 changes=None, stat=False, fp=None, prefix='',
1513 changes=None, stat=False, fp=None, prefix='',
1514 root='', listsubrepos=False):
1514 root='', listsubrepos=False):
1515 '''show diff or diffstat.'''
1515 '''show diff or diffstat.'''
1516 if fp is None:
1516 if fp is None:
1517 write = ui.write
1517 write = ui.write
1518 else:
1518 else:
1519 def write(s, **kw):
1519 def write(s, **kw):
1520 fp.write(s)
1520 fp.write(s)
1521
1521
1522 if root:
1522 if root:
1523 relroot = pathutil.canonpath(repo.root, repo.getcwd(), root)
1523 relroot = pathutil.canonpath(repo.root, repo.getcwd(), root)
1524 else:
1524 else:
1525 relroot = ''
1525 relroot = ''
1526 if relroot != '':
1526 if relroot != '':
1527 # XXX relative roots currently don't work if the root is within a
1527 # XXX relative roots currently don't work if the root is within a
1528 # subrepo
1528 # subrepo
1529 uirelroot = match.uipath(relroot)
1529 uirelroot = match.uipath(relroot)
1530 relroot += '/'
1530 relroot += '/'
1531 for matchroot in match.files():
1531 for matchroot in match.files():
1532 if not matchroot.startswith(relroot):
1532 if not matchroot.startswith(relroot):
1533 ui.warn(_('warning: %s not inside relative root %s\n') % (
1533 ui.warn(_('warning: %s not inside relative root %s\n') % (
1534 match.uipath(matchroot), uirelroot))
1534 match.uipath(matchroot), uirelroot))
1535
1535
1536 if stat:
1536 if stat:
1537 diffopts = diffopts.copy(context=0)
1537 diffopts = diffopts.copy(context=0)
1538 width = 80
1538 width = 80
1539 if not ui.plain():
1539 if not ui.plain():
1540 width = ui.termwidth()
1540 width = ui.termwidth()
1541 chunks = patch.diff(repo, node1, node2, match, changes, diffopts,
1541 chunks = patch.diff(repo, node1, node2, match, changes, diffopts,
1542 prefix=prefix, relroot=relroot)
1542 prefix=prefix, relroot=relroot)
1543 for chunk, label in patch.diffstatui(util.iterlines(chunks),
1543 for chunk, label in patch.diffstatui(util.iterlines(chunks),
1544 width=width):
1544 width=width):
1545 write(chunk, label=label)
1545 write(chunk, label=label)
1546 else:
1546 else:
1547 for chunk, label in patch.diffui(repo, node1, node2, match,
1547 for chunk, label in patch.diffui(repo, node1, node2, match,
1548 changes, diffopts, prefix=prefix,
1548 changes, diffopts, prefix=prefix,
1549 relroot=relroot):
1549 relroot=relroot):
1550 write(chunk, label=label)
1550 write(chunk, label=label)
1551
1551
1552 if listsubrepos:
1552 if listsubrepos:
1553 ctx1 = repo[node1]
1553 ctx1 = repo[node1]
1554 ctx2 = repo[node2]
1554 ctx2 = repo[node2]
1555 for subpath, sub in scmutil.itersubrepos(ctx1, ctx2):
1555 for subpath, sub in scmutil.itersubrepos(ctx1, ctx2):
1556 tempnode2 = node2
1556 tempnode2 = node2
1557 try:
1557 try:
1558 if node2 is not None:
1558 if node2 is not None:
1559 tempnode2 = ctx2.substate[subpath][1]
1559 tempnode2 = ctx2.substate[subpath][1]
1560 except KeyError:
1560 except KeyError:
1561 # A subrepo that existed in node1 was deleted between node1 and
1561 # A subrepo that existed in node1 was deleted between node1 and
1562 # node2 (inclusive). Thus, ctx2's substate won't contain that
1562 # node2 (inclusive). Thus, ctx2's substate won't contain that
1563 # subpath. The best we can do is to ignore it.
1563 # subpath. The best we can do is to ignore it.
1564 tempnode2 = None
1564 tempnode2 = None
1565 submatch = matchmod.subdirmatcher(subpath, match)
1565 submatch = matchmod.subdirmatcher(subpath, match)
1566 sub.diff(ui, diffopts, tempnode2, submatch, changes=changes,
1566 sub.diff(ui, diffopts, tempnode2, submatch, changes=changes,
1567 stat=stat, fp=fp, prefix=prefix)
1567 stat=stat, fp=fp, prefix=prefix)
1568
1568
1569 def _changesetlabels(ctx):
1569 def _changesetlabels(ctx):
1570 labels = ['log.changeset', 'changeset.%s' % ctx.phasestr()]
1570 labels = ['log.changeset', 'changeset.%s' % ctx.phasestr()]
1571 if ctx.obsolete():
1571 if ctx.obsolete():
1572 labels.append('changeset.obsolete')
1572 labels.append('changeset.obsolete')
1573 if ctx.isunstable():
1573 if ctx.isunstable():
1574 labels.append('changeset.unstable')
1574 labels.append('changeset.unstable')
1575 for instability in ctx.instabilities():
1575 for instability in ctx.instabilities():
1576 labels.append('instability.%s' % instability)
1576 labels.append('instability.%s' % instability)
1577 return ' '.join(labels)
1577 return ' '.join(labels)
1578
1578
1579 class changeset_printer(object):
1579 class changeset_printer(object):
1580 '''show changeset information when templating not requested.'''
1580 '''show changeset information when templating not requested.'''
1581
1581
1582 def __init__(self, ui, repo, matchfn, diffopts, buffered):
1582 def __init__(self, ui, repo, matchfn, diffopts, buffered):
1583 self.ui = ui
1583 self.ui = ui
1584 self.repo = repo
1584 self.repo = repo
1585 self.buffered = buffered
1585 self.buffered = buffered
1586 self.matchfn = matchfn
1586 self.matchfn = matchfn
1587 self.diffopts = diffopts
1587 self.diffopts = diffopts
1588 self.header = {}
1588 self.header = {}
1589 self.hunk = {}
1589 self.hunk = {}
1590 self.lastheader = None
1590 self.lastheader = None
1591 self.footer = None
1591 self.footer = None
1592
1592
1593 def flush(self, ctx):
1593 def flush(self, ctx):
1594 rev = ctx.rev()
1594 rev = ctx.rev()
1595 if rev in self.header:
1595 if rev in self.header:
1596 h = self.header[rev]
1596 h = self.header[rev]
1597 if h != self.lastheader:
1597 if h != self.lastheader:
1598 self.lastheader = h
1598 self.lastheader = h
1599 self.ui.write(h)
1599 self.ui.write(h)
1600 del self.header[rev]
1600 del self.header[rev]
1601 if rev in self.hunk:
1601 if rev in self.hunk:
1602 self.ui.write(self.hunk[rev])
1602 self.ui.write(self.hunk[rev])
1603 del self.hunk[rev]
1603 del self.hunk[rev]
1604 return 1
1604 return 1
1605 return 0
1605 return 0
1606
1606
1607 def close(self):
1607 def close(self):
1608 if self.footer:
1608 if self.footer:
1609 self.ui.write(self.footer)
1609 self.ui.write(self.footer)
1610
1610
1611 def show(self, ctx, copies=None, matchfn=None, **props):
1611 def show(self, ctx, copies=None, matchfn=None, **props):
1612 props = pycompat.byteskwargs(props)
1612 props = pycompat.byteskwargs(props)
1613 if self.buffered:
1613 if self.buffered:
1614 self.ui.pushbuffer(labeled=True)
1614 self.ui.pushbuffer(labeled=True)
1615 self._show(ctx, copies, matchfn, props)
1615 self._show(ctx, copies, matchfn, props)
1616 self.hunk[ctx.rev()] = self.ui.popbuffer()
1616 self.hunk[ctx.rev()] = self.ui.popbuffer()
1617 else:
1617 else:
1618 self._show(ctx, copies, matchfn, props)
1618 self._show(ctx, copies, matchfn, props)
1619
1619
1620 def _show(self, ctx, copies, matchfn, props):
1620 def _show(self, ctx, copies, matchfn, props):
1621 '''show a single changeset or file revision'''
1621 '''show a single changeset or file revision'''
1622 changenode = ctx.node()
1622 changenode = ctx.node()
1623 rev = ctx.rev()
1623 rev = ctx.rev()
1624 if self.ui.debugflag:
1624 if self.ui.debugflag:
1625 hexfunc = hex
1625 hexfunc = hex
1626 else:
1626 else:
1627 hexfunc = short
1627 hexfunc = short
1628 # as of now, wctx.node() and wctx.rev() return None, but we want to
1628 # as of now, wctx.node() and wctx.rev() return None, but we want to
1629 # show the same values as {node} and {rev} templatekw
1629 # show the same values as {node} and {rev} templatekw
1630 revnode = (scmutil.intrev(ctx), hexfunc(scmutil.binnode(ctx)))
1630 revnode = (scmutil.intrev(ctx), hexfunc(scmutil.binnode(ctx)))
1631
1631
1632 if self.ui.quiet:
1632 if self.ui.quiet:
1633 self.ui.write("%d:%s\n" % revnode, label='log.node')
1633 self.ui.write("%d:%s\n" % revnode, label='log.node')
1634 return
1634 return
1635
1635
1636 date = util.datestr(ctx.date())
1636 date = util.datestr(ctx.date())
1637
1637
1638 # i18n: column positioning for "hg log"
1638 # i18n: column positioning for "hg log"
1639 self.ui.write(_("changeset: %d:%s\n") % revnode,
1639 self.ui.write(_("changeset: %d:%s\n") % revnode,
1640 label=_changesetlabels(ctx))
1640 label=_changesetlabels(ctx))
1641
1641
1642 # branches are shown first before any other names due to backwards
1642 # branches are shown first before any other names due to backwards
1643 # compatibility
1643 # compatibility
1644 branch = ctx.branch()
1644 branch = ctx.branch()
1645 # don't show the default branch name
1645 # don't show the default branch name
1646 if branch != 'default':
1646 if branch != 'default':
1647 # i18n: column positioning for "hg log"
1647 # i18n: column positioning for "hg log"
1648 self.ui.write(_("branch: %s\n") % branch,
1648 self.ui.write(_("branch: %s\n") % branch,
1649 label='log.branch')
1649 label='log.branch')
1650
1650
1651 for nsname, ns in self.repo.names.iteritems():
1651 for nsname, ns in self.repo.names.iteritems():
1652 # branches has special logic already handled above, so here we just
1652 # branches has special logic already handled above, so here we just
1653 # skip it
1653 # skip it
1654 if nsname == 'branches':
1654 if nsname == 'branches':
1655 continue
1655 continue
1656 # we will use the templatename as the color name since those two
1656 # we will use the templatename as the color name since those two
1657 # should be the same
1657 # should be the same
1658 for name in ns.names(self.repo, changenode):
1658 for name in ns.names(self.repo, changenode):
1659 self.ui.write(ns.logfmt % name,
1659 self.ui.write(ns.logfmt % name,
1660 label='log.%s' % ns.colorname)
1660 label='log.%s' % ns.colorname)
1661 if self.ui.debugflag:
1661 if self.ui.debugflag:
1662 # i18n: column positioning for "hg log"
1662 # i18n: column positioning for "hg log"
1663 self.ui.write(_("phase: %s\n") % ctx.phasestr(),
1663 self.ui.write(_("phase: %s\n") % ctx.phasestr(),
1664 label='log.phase')
1664 label='log.phase')
1665 for pctx in scmutil.meaningfulparents(self.repo, ctx):
1665 for pctx in scmutil.meaningfulparents(self.repo, ctx):
1666 label = 'log.parent changeset.%s' % pctx.phasestr()
1666 label = 'log.parent changeset.%s' % pctx.phasestr()
1667 # i18n: column positioning for "hg log"
1667 # i18n: column positioning for "hg log"
1668 self.ui.write(_("parent: %d:%s\n")
1668 self.ui.write(_("parent: %d:%s\n")
1669 % (pctx.rev(), hexfunc(pctx.node())),
1669 % (pctx.rev(), hexfunc(pctx.node())),
1670 label=label)
1670 label=label)
1671
1671
1672 if self.ui.debugflag and rev is not None:
1672 if self.ui.debugflag and rev is not None:
1673 mnode = ctx.manifestnode()
1673 mnode = ctx.manifestnode()
1674 # i18n: column positioning for "hg log"
1674 # i18n: column positioning for "hg log"
1675 self.ui.write(_("manifest: %d:%s\n") %
1675 self.ui.write(_("manifest: %d:%s\n") %
1676 (self.repo.manifestlog._revlog.rev(mnode),
1676 (self.repo.manifestlog._revlog.rev(mnode),
1677 hex(mnode)),
1677 hex(mnode)),
1678 label='ui.debug log.manifest')
1678 label='ui.debug log.manifest')
1679 # i18n: column positioning for "hg log"
1679 # i18n: column positioning for "hg log"
1680 self.ui.write(_("user: %s\n") % ctx.user(),
1680 self.ui.write(_("user: %s\n") % ctx.user(),
1681 label='log.user')
1681 label='log.user')
1682 # i18n: column positioning for "hg log"
1682 # i18n: column positioning for "hg log"
1683 self.ui.write(_("date: %s\n") % date,
1683 self.ui.write(_("date: %s\n") % date,
1684 label='log.date')
1684 label='log.date')
1685
1685
1686 if ctx.isunstable():
1686 if ctx.isunstable():
1687 # i18n: column positioning for "hg log"
1687 # i18n: column positioning for "hg log"
1688 instabilities = ctx.instabilities()
1688 instabilities = ctx.instabilities()
1689 self.ui.write(_("instability: %s\n") % ', '.join(instabilities),
1689 self.ui.write(_("instability: %s\n") % ', '.join(instabilities),
1690 label='log.instability')
1690 label='log.instability')
1691
1691
1692 self._exthook(ctx)
1692 self._exthook(ctx)
1693
1693
1694 if self.ui.debugflag:
1694 if self.ui.debugflag:
1695 files = ctx.p1().status(ctx)[:3]
1695 files = ctx.p1().status(ctx)[:3]
1696 for key, value in zip([# i18n: column positioning for "hg log"
1696 for key, value in zip([# i18n: column positioning for "hg log"
1697 _("files:"),
1697 _("files:"),
1698 # i18n: column positioning for "hg log"
1698 # i18n: column positioning for "hg log"
1699 _("files+:"),
1699 _("files+:"),
1700 # i18n: column positioning for "hg log"
1700 # i18n: column positioning for "hg log"
1701 _("files-:")], files):
1701 _("files-:")], files):
1702 if value:
1702 if value:
1703 self.ui.write("%-12s %s\n" % (key, " ".join(value)),
1703 self.ui.write("%-12s %s\n" % (key, " ".join(value)),
1704 label='ui.debug log.files')
1704 label='ui.debug log.files')
1705 elif ctx.files() and self.ui.verbose:
1705 elif ctx.files() and self.ui.verbose:
1706 # i18n: column positioning for "hg log"
1706 # i18n: column positioning for "hg log"
1707 self.ui.write(_("files: %s\n") % " ".join(ctx.files()),
1707 self.ui.write(_("files: %s\n") % " ".join(ctx.files()),
1708 label='ui.note log.files')
1708 label='ui.note log.files')
1709 if copies and self.ui.verbose:
1709 if copies and self.ui.verbose:
1710 copies = ['%s (%s)' % c for c in copies]
1710 copies = ['%s (%s)' % c for c in copies]
1711 # i18n: column positioning for "hg log"
1711 # i18n: column positioning for "hg log"
1712 self.ui.write(_("copies: %s\n") % ' '.join(copies),
1712 self.ui.write(_("copies: %s\n") % ' '.join(copies),
1713 label='ui.note log.copies')
1713 label='ui.note log.copies')
1714
1714
1715 extra = ctx.extra()
1715 extra = ctx.extra()
1716 if extra and self.ui.debugflag:
1716 if extra and self.ui.debugflag:
1717 for key, value in sorted(extra.items()):
1717 for key, value in sorted(extra.items()):
1718 # i18n: column positioning for "hg log"
1718 # i18n: column positioning for "hg log"
1719 self.ui.write(_("extra: %s=%s\n")
1719 self.ui.write(_("extra: %s=%s\n")
1720 % (key, util.escapestr(value)),
1720 % (key, util.escapestr(value)),
1721 label='ui.debug log.extra')
1721 label='ui.debug log.extra')
1722
1722
1723 description = ctx.description().strip()
1723 description = ctx.description().strip()
1724 if description:
1724 if description:
1725 if self.ui.verbose:
1725 if self.ui.verbose:
1726 self.ui.write(_("description:\n"),
1726 self.ui.write(_("description:\n"),
1727 label='ui.note log.description')
1727 label='ui.note log.description')
1728 self.ui.write(description,
1728 self.ui.write(description,
1729 label='ui.note log.description')
1729 label='ui.note log.description')
1730 self.ui.write("\n\n")
1730 self.ui.write("\n\n")
1731 else:
1731 else:
1732 # i18n: column positioning for "hg log"
1732 # i18n: column positioning for "hg log"
1733 self.ui.write(_("summary: %s\n") %
1733 self.ui.write(_("summary: %s\n") %
1734 description.splitlines()[0],
1734 description.splitlines()[0],
1735 label='log.summary')
1735 label='log.summary')
1736 self.ui.write("\n")
1736 self.ui.write("\n")
1737
1737
1738 self.showpatch(ctx, matchfn)
1738 self.showpatch(ctx, matchfn)
1739
1739
1740 def _exthook(self, ctx):
1740 def _exthook(self, ctx):
1741 '''empty method used by extension as a hook point
1741 '''empty method used by extension as a hook point
1742 '''
1742 '''
1743 pass
1743 pass
1744
1744
1745 def showpatch(self, ctx, matchfn):
1745 def showpatch(self, ctx, matchfn):
1746 if not matchfn:
1746 if not matchfn:
1747 matchfn = self.matchfn
1747 matchfn = self.matchfn
1748 if matchfn:
1748 if matchfn:
1749 stat = self.diffopts.get('stat')
1749 stat = self.diffopts.get('stat')
1750 diff = self.diffopts.get('patch')
1750 diff = self.diffopts.get('patch')
1751 diffopts = patch.diffallopts(self.ui, self.diffopts)
1751 diffopts = patch.diffallopts(self.ui, self.diffopts)
1752 node = ctx.node()
1752 node = ctx.node()
1753 prev = ctx.p1().node()
1753 prev = ctx.p1().node()
1754 if stat:
1754 if stat:
1755 diffordiffstat(self.ui, self.repo, diffopts, prev, node,
1755 diffordiffstat(self.ui, self.repo, diffopts, prev, node,
1756 match=matchfn, stat=True)
1756 match=matchfn, stat=True)
1757 if diff:
1757 if diff:
1758 if stat:
1758 if stat:
1759 self.ui.write("\n")
1759 self.ui.write("\n")
1760 diffordiffstat(self.ui, self.repo, diffopts, prev, node,
1760 diffordiffstat(self.ui, self.repo, diffopts, prev, node,
1761 match=matchfn, stat=False)
1761 match=matchfn, stat=False)
1762 self.ui.write("\n")
1762 self.ui.write("\n")
1763
1763
1764 class jsonchangeset(changeset_printer):
1764 class jsonchangeset(changeset_printer):
1765 '''format changeset information.'''
1765 '''format changeset information.'''
1766
1766
1767 def __init__(self, ui, repo, matchfn, diffopts, buffered):
1767 def __init__(self, ui, repo, matchfn, diffopts, buffered):
1768 changeset_printer.__init__(self, ui, repo, matchfn, diffopts, buffered)
1768 changeset_printer.__init__(self, ui, repo, matchfn, diffopts, buffered)
1769 self.cache = {}
1769 self.cache = {}
1770 self._first = True
1770 self._first = True
1771
1771
1772 def close(self):
1772 def close(self):
1773 if not self._first:
1773 if not self._first:
1774 self.ui.write("\n]\n")
1774 self.ui.write("\n]\n")
1775 else:
1775 else:
1776 self.ui.write("[]\n")
1776 self.ui.write("[]\n")
1777
1777
1778 def _show(self, ctx, copies, matchfn, props):
1778 def _show(self, ctx, copies, matchfn, props):
1779 '''show a single changeset or file revision'''
1779 '''show a single changeset or file revision'''
1780 rev = ctx.rev()
1780 rev = ctx.rev()
1781 if rev is None:
1781 if rev is None:
1782 jrev = jnode = 'null'
1782 jrev = jnode = 'null'
1783 else:
1783 else:
1784 jrev = '%d' % rev
1784 jrev = '%d' % rev
1785 jnode = '"%s"' % hex(ctx.node())
1785 jnode = '"%s"' % hex(ctx.node())
1786 j = encoding.jsonescape
1786 j = encoding.jsonescape
1787
1787
1788 if self._first:
1788 if self._first:
1789 self.ui.write("[\n {")
1789 self.ui.write("[\n {")
1790 self._first = False
1790 self._first = False
1791 else:
1791 else:
1792 self.ui.write(",\n {")
1792 self.ui.write(",\n {")
1793
1793
1794 if self.ui.quiet:
1794 if self.ui.quiet:
1795 self.ui.write(('\n "rev": %s') % jrev)
1795 self.ui.write(('\n "rev": %s') % jrev)
1796 self.ui.write((',\n "node": %s') % jnode)
1796 self.ui.write((',\n "node": %s') % jnode)
1797 self.ui.write('\n }')
1797 self.ui.write('\n }')
1798 return
1798 return
1799
1799
1800 self.ui.write(('\n "rev": %s') % jrev)
1800 self.ui.write(('\n "rev": %s') % jrev)
1801 self.ui.write((',\n "node": %s') % jnode)
1801 self.ui.write((',\n "node": %s') % jnode)
1802 self.ui.write((',\n "branch": "%s"') % j(ctx.branch()))
1802 self.ui.write((',\n "branch": "%s"') % j(ctx.branch()))
1803 self.ui.write((',\n "phase": "%s"') % ctx.phasestr())
1803 self.ui.write((',\n "phase": "%s"') % ctx.phasestr())
1804 self.ui.write((',\n "user": "%s"') % j(ctx.user()))
1804 self.ui.write((',\n "user": "%s"') % j(ctx.user()))
1805 self.ui.write((',\n "date": [%d, %d]') % ctx.date())
1805 self.ui.write((',\n "date": [%d, %d]') % ctx.date())
1806 self.ui.write((',\n "desc": "%s"') % j(ctx.description()))
1806 self.ui.write((',\n "desc": "%s"') % j(ctx.description()))
1807
1807
1808 self.ui.write((',\n "bookmarks": [%s]') %
1808 self.ui.write((',\n "bookmarks": [%s]') %
1809 ", ".join('"%s"' % j(b) for b in ctx.bookmarks()))
1809 ", ".join('"%s"' % j(b) for b in ctx.bookmarks()))
1810 self.ui.write((',\n "tags": [%s]') %
1810 self.ui.write((',\n "tags": [%s]') %
1811 ", ".join('"%s"' % j(t) for t in ctx.tags()))
1811 ", ".join('"%s"' % j(t) for t in ctx.tags()))
1812 self.ui.write((',\n "parents": [%s]') %
1812 self.ui.write((',\n "parents": [%s]') %
1813 ", ".join('"%s"' % c.hex() for c in ctx.parents()))
1813 ", ".join('"%s"' % c.hex() for c in ctx.parents()))
1814
1814
1815 if self.ui.debugflag:
1815 if self.ui.debugflag:
1816 if rev is None:
1816 if rev is None:
1817 jmanifestnode = 'null'
1817 jmanifestnode = 'null'
1818 else:
1818 else:
1819 jmanifestnode = '"%s"' % hex(ctx.manifestnode())
1819 jmanifestnode = '"%s"' % hex(ctx.manifestnode())
1820 self.ui.write((',\n "manifest": %s') % jmanifestnode)
1820 self.ui.write((',\n "manifest": %s') % jmanifestnode)
1821
1821
1822 self.ui.write((',\n "extra": {%s}') %
1822 self.ui.write((',\n "extra": {%s}') %
1823 ", ".join('"%s": "%s"' % (j(k), j(v))
1823 ", ".join('"%s": "%s"' % (j(k), j(v))
1824 for k, v in ctx.extra().items()))
1824 for k, v in ctx.extra().items()))
1825
1825
1826 files = ctx.p1().status(ctx)
1826 files = ctx.p1().status(ctx)
1827 self.ui.write((',\n "modified": [%s]') %
1827 self.ui.write((',\n "modified": [%s]') %
1828 ", ".join('"%s"' % j(f) for f in files[0]))
1828 ", ".join('"%s"' % j(f) for f in files[0]))
1829 self.ui.write((',\n "added": [%s]') %
1829 self.ui.write((',\n "added": [%s]') %
1830 ", ".join('"%s"' % j(f) for f in files[1]))
1830 ", ".join('"%s"' % j(f) for f in files[1]))
1831 self.ui.write((',\n "removed": [%s]') %
1831 self.ui.write((',\n "removed": [%s]') %
1832 ", ".join('"%s"' % j(f) for f in files[2]))
1832 ", ".join('"%s"' % j(f) for f in files[2]))
1833
1833
1834 elif self.ui.verbose:
1834 elif self.ui.verbose:
1835 self.ui.write((',\n "files": [%s]') %
1835 self.ui.write((',\n "files": [%s]') %
1836 ", ".join('"%s"' % j(f) for f in ctx.files()))
1836 ", ".join('"%s"' % j(f) for f in ctx.files()))
1837
1837
1838 if copies:
1838 if copies:
1839 self.ui.write((',\n "copies": {%s}') %
1839 self.ui.write((',\n "copies": {%s}') %
1840 ", ".join('"%s": "%s"' % (j(k), j(v))
1840 ", ".join('"%s": "%s"' % (j(k), j(v))
1841 for k, v in copies))
1841 for k, v in copies))
1842
1842
1843 matchfn = self.matchfn
1843 matchfn = self.matchfn
1844 if matchfn:
1844 if matchfn:
1845 stat = self.diffopts.get('stat')
1845 stat = self.diffopts.get('stat')
1846 diff = self.diffopts.get('patch')
1846 diff = self.diffopts.get('patch')
1847 diffopts = patch.difffeatureopts(self.ui, self.diffopts, git=True)
1847 diffopts = patch.difffeatureopts(self.ui, self.diffopts, git=True)
1848 node, prev = ctx.node(), ctx.p1().node()
1848 node, prev = ctx.node(), ctx.p1().node()
1849 if stat:
1849 if stat:
1850 self.ui.pushbuffer()
1850 self.ui.pushbuffer()
1851 diffordiffstat(self.ui, self.repo, diffopts, prev, node,
1851 diffordiffstat(self.ui, self.repo, diffopts, prev, node,
1852 match=matchfn, stat=True)
1852 match=matchfn, stat=True)
1853 self.ui.write((',\n "diffstat": "%s"')
1853 self.ui.write((',\n "diffstat": "%s"')
1854 % j(self.ui.popbuffer()))
1854 % j(self.ui.popbuffer()))
1855 if diff:
1855 if diff:
1856 self.ui.pushbuffer()
1856 self.ui.pushbuffer()
1857 diffordiffstat(self.ui, self.repo, diffopts, prev, node,
1857 diffordiffstat(self.ui, self.repo, diffopts, prev, node,
1858 match=matchfn, stat=False)
1858 match=matchfn, stat=False)
1859 self.ui.write((',\n "diff": "%s"') % j(self.ui.popbuffer()))
1859 self.ui.write((',\n "diff": "%s"') % j(self.ui.popbuffer()))
1860
1860
1861 self.ui.write("\n }")
1861 self.ui.write("\n }")
1862
1862
1863 class changeset_templater(changeset_printer):
1863 class changeset_templater(changeset_printer):
1864 '''format changeset information.'''
1864 '''format changeset information.'''
1865
1865
1866 # Arguments before "buffered" used to be positional. Consider not
1866 # Arguments before "buffered" used to be positional. Consider not
1867 # adding/removing arguments before "buffered" to not break callers.
1867 # adding/removing arguments before "buffered" to not break callers.
1868 def __init__(self, ui, repo, tmplspec, matchfn=None, diffopts=None,
1868 def __init__(self, ui, repo, tmplspec, matchfn=None, diffopts=None,
1869 buffered=False):
1869 buffered=False):
1870 diffopts = diffopts or {}
1870 diffopts = diffopts or {}
1871
1871
1872 changeset_printer.__init__(self, ui, repo, matchfn, diffopts, buffered)
1872 changeset_printer.__init__(self, ui, repo, matchfn, diffopts, buffered)
1873 self.t = formatter.loadtemplater(ui, tmplspec,
1873 self.t = formatter.loadtemplater(ui, tmplspec,
1874 cache=templatekw.defaulttempl)
1874 cache=templatekw.defaulttempl)
1875 self._counter = itertools.count()
1875 self._counter = itertools.count()
1876 self.cache = {}
1876 self.cache = {}
1877
1877
1878 self._tref = tmplspec.ref
1878 self._tref = tmplspec.ref
1879 self._parts = {'header': '', 'footer': '',
1879 self._parts = {'header': '', 'footer': '',
1880 tmplspec.ref: tmplspec.ref,
1880 tmplspec.ref: tmplspec.ref,
1881 'docheader': '', 'docfooter': '',
1881 'docheader': '', 'docfooter': '',
1882 'separator': ''}
1882 'separator': ''}
1883 if tmplspec.mapfile:
1883 if tmplspec.mapfile:
1884 # find correct templates for current mode, for backward
1884 # find correct templates for current mode, for backward
1885 # compatibility with 'log -v/-q/--debug' using a mapfile
1885 # compatibility with 'log -v/-q/--debug' using a mapfile
1886 tmplmodes = [
1886 tmplmodes = [
1887 (True, ''),
1887 (True, ''),
1888 (self.ui.verbose, '_verbose'),
1888 (self.ui.verbose, '_verbose'),
1889 (self.ui.quiet, '_quiet'),
1889 (self.ui.quiet, '_quiet'),
1890 (self.ui.debugflag, '_debug'),
1890 (self.ui.debugflag, '_debug'),
1891 ]
1891 ]
1892 for mode, postfix in tmplmodes:
1892 for mode, postfix in tmplmodes:
1893 for t in self._parts:
1893 for t in self._parts:
1894 cur = t + postfix
1894 cur = t + postfix
1895 if mode and cur in self.t:
1895 if mode and cur in self.t:
1896 self._parts[t] = cur
1896 self._parts[t] = cur
1897 else:
1897 else:
1898 partnames = [p for p in self._parts.keys() if p != tmplspec.ref]
1898 partnames = [p for p in self._parts.keys() if p != tmplspec.ref]
1899 m = formatter.templatepartsmap(tmplspec, self.t, partnames)
1899 m = formatter.templatepartsmap(tmplspec, self.t, partnames)
1900 self._parts.update(m)
1900 self._parts.update(m)
1901
1901
1902 if self._parts['docheader']:
1902 if self._parts['docheader']:
1903 self.ui.write(templater.stringify(self.t(self._parts['docheader'])))
1903 self.ui.write(templater.stringify(self.t(self._parts['docheader'])))
1904
1904
1905 def close(self):
1905 def close(self):
1906 if self._parts['docfooter']:
1906 if self._parts['docfooter']:
1907 if not self.footer:
1907 if not self.footer:
1908 self.footer = ""
1908 self.footer = ""
1909 self.footer += templater.stringify(self.t(self._parts['docfooter']))
1909 self.footer += templater.stringify(self.t(self._parts['docfooter']))
1910 return super(changeset_templater, self).close()
1910 return super(changeset_templater, self).close()
1911
1911
1912 def _show(self, ctx, copies, matchfn, props):
1912 def _show(self, ctx, copies, matchfn, props):
1913 '''show a single changeset or file revision'''
1913 '''show a single changeset or file revision'''
1914 props = props.copy()
1914 props = props.copy()
1915 props.update(templatekw.keywords)
1915 props.update(templatekw.keywords)
1916 props['templ'] = self.t
1916 props['templ'] = self.t
1917 props['ctx'] = ctx
1917 props['ctx'] = ctx
1918 props['repo'] = self.repo
1918 props['repo'] = self.repo
1919 props['ui'] = self.repo.ui
1919 props['ui'] = self.repo.ui
1920 props['index'] = index = next(self._counter)
1920 props['index'] = index = next(self._counter)
1921 props['revcache'] = {'copies': copies}
1921 props['revcache'] = {'copies': copies}
1922 props['cache'] = self.cache
1922 props['cache'] = self.cache
1923 props = pycompat.strkwargs(props)
1923 props = pycompat.strkwargs(props)
1924
1924
1925 # write separator, which wouldn't work well with the header part below
1925 # write separator, which wouldn't work well with the header part below
1926 # since there's inherently a conflict between header (across items) and
1926 # since there's inherently a conflict between header (across items) and
1927 # separator (per item)
1927 # separator (per item)
1928 if self._parts['separator'] and index > 0:
1928 if self._parts['separator'] and index > 0:
1929 self.ui.write(templater.stringify(self.t(self._parts['separator'])))
1929 self.ui.write(templater.stringify(self.t(self._parts['separator'])))
1930
1930
1931 # write header
1931 # write header
1932 if self._parts['header']:
1932 if self._parts['header']:
1933 h = templater.stringify(self.t(self._parts['header'], **props))
1933 h = templater.stringify(self.t(self._parts['header'], **props))
1934 if self.buffered:
1934 if self.buffered:
1935 self.header[ctx.rev()] = h
1935 self.header[ctx.rev()] = h
1936 else:
1936 else:
1937 if self.lastheader != h:
1937 if self.lastheader != h:
1938 self.lastheader = h
1938 self.lastheader = h
1939 self.ui.write(h)
1939 self.ui.write(h)
1940
1940
1941 # write changeset metadata, then patch if requested
1941 # write changeset metadata, then patch if requested
1942 key = self._parts[self._tref]
1942 key = self._parts[self._tref]
1943 self.ui.write(templater.stringify(self.t(key, **props)))
1943 self.ui.write(templater.stringify(self.t(key, **props)))
1944 self.showpatch(ctx, matchfn)
1944 self.showpatch(ctx, matchfn)
1945
1945
1946 if self._parts['footer']:
1946 if self._parts['footer']:
1947 if not self.footer:
1947 if not self.footer:
1948 self.footer = templater.stringify(
1948 self.footer = templater.stringify(
1949 self.t(self._parts['footer'], **props))
1949 self.t(self._parts['footer'], **props))
1950
1950
1951 def logtemplatespec(tmpl, mapfile):
1951 def logtemplatespec(tmpl, mapfile):
1952 if mapfile:
1952 if mapfile:
1953 return formatter.templatespec('changeset', tmpl, mapfile)
1953 return formatter.templatespec('changeset', tmpl, mapfile)
1954 else:
1954 else:
1955 return formatter.templatespec('', tmpl, None)
1955 return formatter.templatespec('', tmpl, None)
1956
1956
1957 def _lookuplogtemplate(ui, tmpl, style):
1957 def _lookuplogtemplate(ui, tmpl, style):
1958 """Find the template matching the given template spec or style
1958 """Find the template matching the given template spec or style
1959
1959
1960 See formatter.lookuptemplate() for details.
1960 See formatter.lookuptemplate() for details.
1961 """
1961 """
1962
1962
1963 # ui settings
1963 # ui settings
1964 if not tmpl and not style: # template are stronger than style
1964 if not tmpl and not style: # template are stronger than style
1965 tmpl = ui.config('ui', 'logtemplate')
1965 tmpl = ui.config('ui', 'logtemplate')
1966 if tmpl:
1966 if tmpl:
1967 return logtemplatespec(templater.unquotestring(tmpl), None)
1967 return logtemplatespec(templater.unquotestring(tmpl), None)
1968 else:
1968 else:
1969 style = util.expandpath(ui.config('ui', 'style'))
1969 style = util.expandpath(ui.config('ui', 'style'))
1970
1970
1971 if not tmpl and style:
1971 if not tmpl and style:
1972 mapfile = style
1972 mapfile = style
1973 if not os.path.split(mapfile)[0]:
1973 if not os.path.split(mapfile)[0]:
1974 mapname = (templater.templatepath('map-cmdline.' + mapfile)
1974 mapname = (templater.templatepath('map-cmdline.' + mapfile)
1975 or templater.templatepath(mapfile))
1975 or templater.templatepath(mapfile))
1976 if mapname:
1976 if mapname:
1977 mapfile = mapname
1977 mapfile = mapname
1978 return logtemplatespec(None, mapfile)
1978 return logtemplatespec(None, mapfile)
1979
1979
1980 if not tmpl:
1980 if not tmpl:
1981 return logtemplatespec(None, None)
1981 return logtemplatespec(None, None)
1982
1982
1983 return formatter.lookuptemplate(ui, 'changeset', tmpl)
1983 return formatter.lookuptemplate(ui, 'changeset', tmpl)
1984
1984
1985 def makelogtemplater(ui, repo, tmpl, buffered=False):
1985 def makelogtemplater(ui, repo, tmpl, buffered=False):
1986 """Create a changeset_templater from a literal template 'tmpl'"""
1986 """Create a changeset_templater from a literal template 'tmpl'"""
1987 spec = logtemplatespec(tmpl, None)
1987 spec = logtemplatespec(tmpl, None)
1988 return changeset_templater(ui, repo, spec, buffered=buffered)
1988 return changeset_templater(ui, repo, spec, buffered=buffered)
1989
1989
1990 def show_changeset(ui, repo, opts, buffered=False):
1990 def show_changeset(ui, repo, opts, buffered=False):
1991 """show one changeset using template or regular display.
1991 """show one changeset using template or regular display.
1992
1992
1993 Display format will be the first non-empty hit of:
1993 Display format will be the first non-empty hit of:
1994 1. option 'template'
1994 1. option 'template'
1995 2. option 'style'
1995 2. option 'style'
1996 3. [ui] setting 'logtemplate'
1996 3. [ui] setting 'logtemplate'
1997 4. [ui] setting 'style'
1997 4. [ui] setting 'style'
1998 If all of these values are either the unset or the empty string,
1998 If all of these values are either the unset or the empty string,
1999 regular display via changeset_printer() is done.
1999 regular display via changeset_printer() is done.
2000 """
2000 """
2001 # options
2001 # options
2002 matchfn = None
2002 matchfn = None
2003 if opts.get('patch') or opts.get('stat'):
2003 if opts.get('patch') or opts.get('stat'):
2004 matchfn = scmutil.matchall(repo)
2004 matchfn = scmutil.matchall(repo)
2005
2005
2006 if opts.get('template') == 'json':
2006 if opts.get('template') == 'json':
2007 return jsonchangeset(ui, repo, matchfn, opts, buffered)
2007 return jsonchangeset(ui, repo, matchfn, opts, buffered)
2008
2008
2009 spec = _lookuplogtemplate(ui, opts.get('template'), opts.get('style'))
2009 spec = _lookuplogtemplate(ui, opts.get('template'), opts.get('style'))
2010
2010
2011 if not spec.ref and not spec.tmpl and not spec.mapfile:
2011 if not spec.ref and not spec.tmpl and not spec.mapfile:
2012 return changeset_printer(ui, repo, matchfn, opts, buffered)
2012 return changeset_printer(ui, repo, matchfn, opts, buffered)
2013
2013
2014 return changeset_templater(ui, repo, spec, matchfn, opts, buffered)
2014 return changeset_templater(ui, repo, spec, matchfn, opts, buffered)
2015
2015
2016 def showmarker(fm, marker, index=None):
2016 def showmarker(fm, marker, index=None):
2017 """utility function to display obsolescence marker in a readable way
2017 """utility function to display obsolescence marker in a readable way
2018
2018
2019 To be used by debug function."""
2019 To be used by debug function."""
2020 if index is not None:
2020 if index is not None:
2021 fm.write('index', '%i ', index)
2021 fm.write('index', '%i ', index)
2022 fm.write('precnode', '%s ', hex(marker.prednode()))
2022 fm.write('precnode', '%s ', hex(marker.prednode()))
2023 succs = marker.succnodes()
2023 succs = marker.succnodes()
2024 fm.condwrite(succs, 'succnodes', '%s ',
2024 fm.condwrite(succs, 'succnodes', '%s ',
2025 fm.formatlist(map(hex, succs), name='node'))
2025 fm.formatlist(map(hex, succs), name='node'))
2026 fm.write('flag', '%X ', marker.flags())
2026 fm.write('flag', '%X ', marker.flags())
2027 parents = marker.parentnodes()
2027 parents = marker.parentnodes()
2028 if parents is not None:
2028 if parents is not None:
2029 fm.write('parentnodes', '{%s} ',
2029 fm.write('parentnodes', '{%s} ',
2030 fm.formatlist(map(hex, parents), name='node', sep=', '))
2030 fm.formatlist(map(hex, parents), name='node', sep=', '))
2031 fm.write('date', '(%s) ', fm.formatdate(marker.date()))
2031 fm.write('date', '(%s) ', fm.formatdate(marker.date()))
2032 meta = marker.metadata().copy()
2032 meta = marker.metadata().copy()
2033 meta.pop('date', None)
2033 meta.pop('date', None)
2034 fm.write('metadata', '{%s}', fm.formatdict(meta, fmt='%r: %r', sep=', '))
2034 fm.write('metadata', '{%s}', fm.formatdict(meta, fmt='%r: %r', sep=', '))
2035 fm.plain('\n')
2035 fm.plain('\n')
2036
2036
2037 def finddate(ui, repo, date):
2037 def finddate(ui, repo, date):
2038 """Find the tipmost changeset that matches the given date spec"""
2038 """Find the tipmost changeset that matches the given date spec"""
2039
2039
2040 df = util.matchdate(date)
2040 df = util.matchdate(date)
2041 m = scmutil.matchall(repo)
2041 m = scmutil.matchall(repo)
2042 results = {}
2042 results = {}
2043
2043
2044 def prep(ctx, fns):
2044 def prep(ctx, fns):
2045 d = ctx.date()
2045 d = ctx.date()
2046 if df(d[0]):
2046 if df(d[0]):
2047 results[ctx.rev()] = d
2047 results[ctx.rev()] = d
2048
2048
2049 for ctx in walkchangerevs(repo, m, {'rev': None}, prep):
2049 for ctx in walkchangerevs(repo, m, {'rev': None}, prep):
2050 rev = ctx.rev()
2050 rev = ctx.rev()
2051 if rev in results:
2051 if rev in results:
2052 ui.status(_("found revision %s from %s\n") %
2052 ui.status(_("found revision %s from %s\n") %
2053 (rev, util.datestr(results[rev])))
2053 (rev, util.datestr(results[rev])))
2054 return '%d' % rev
2054 return '%d' % rev
2055
2055
2056 raise error.Abort(_("revision matching date not found"))
2056 raise error.Abort(_("revision matching date not found"))
2057
2057
2058 def increasingwindows(windowsize=8, sizelimit=512):
2058 def increasingwindows(windowsize=8, sizelimit=512):
2059 while True:
2059 while True:
2060 yield windowsize
2060 yield windowsize
2061 if windowsize < sizelimit:
2061 if windowsize < sizelimit:
2062 windowsize *= 2
2062 windowsize *= 2
2063
2063
2064 class FileWalkError(Exception):
2064 class FileWalkError(Exception):
2065 pass
2065 pass
2066
2066
2067 def walkfilerevs(repo, match, follow, revs, fncache):
2067 def walkfilerevs(repo, match, follow, revs, fncache):
2068 '''Walks the file history for the matched files.
2068 '''Walks the file history for the matched files.
2069
2069
2070 Returns the changeset revs that are involved in the file history.
2070 Returns the changeset revs that are involved in the file history.
2071
2071
2072 Throws FileWalkError if the file history can't be walked using
2072 Throws FileWalkError if the file history can't be walked using
2073 filelogs alone.
2073 filelogs alone.
2074 '''
2074 '''
2075 wanted = set()
2075 wanted = set()
2076 copies = []
2076 copies = []
2077 minrev, maxrev = min(revs), max(revs)
2077 minrev, maxrev = min(revs), max(revs)
2078 def filerevgen(filelog, last):
2078 def filerevgen(filelog, last):
2079 """
2079 """
2080 Only files, no patterns. Check the history of each file.
2080 Only files, no patterns. Check the history of each file.
2081
2081
2082 Examines filelog entries within minrev, maxrev linkrev range
2082 Examines filelog entries within minrev, maxrev linkrev range
2083 Returns an iterator yielding (linkrev, parentlinkrevs, copied)
2083 Returns an iterator yielding (linkrev, parentlinkrevs, copied)
2084 tuples in backwards order
2084 tuples in backwards order
2085 """
2085 """
2086 cl_count = len(repo)
2086 cl_count = len(repo)
2087 revs = []
2087 revs = []
2088 for j in xrange(0, last + 1):
2088 for j in xrange(0, last + 1):
2089 linkrev = filelog.linkrev(j)
2089 linkrev = filelog.linkrev(j)
2090 if linkrev < minrev:
2090 if linkrev < minrev:
2091 continue
2091 continue
2092 # only yield rev for which we have the changelog, it can
2092 # only yield rev for which we have the changelog, it can
2093 # happen while doing "hg log" during a pull or commit
2093 # happen while doing "hg log" during a pull or commit
2094 if linkrev >= cl_count:
2094 if linkrev >= cl_count:
2095 break
2095 break
2096
2096
2097 parentlinkrevs = []
2097 parentlinkrevs = []
2098 for p in filelog.parentrevs(j):
2098 for p in filelog.parentrevs(j):
2099 if p != nullrev:
2099 if p != nullrev:
2100 parentlinkrevs.append(filelog.linkrev(p))
2100 parentlinkrevs.append(filelog.linkrev(p))
2101 n = filelog.node(j)
2101 n = filelog.node(j)
2102 revs.append((linkrev, parentlinkrevs,
2102 revs.append((linkrev, parentlinkrevs,
2103 follow and filelog.renamed(n)))
2103 follow and filelog.renamed(n)))
2104
2104
2105 return reversed(revs)
2105 return reversed(revs)
2106 def iterfiles():
2106 def iterfiles():
2107 pctx = repo['.']
2107 pctx = repo['.']
2108 for filename in match.files():
2108 for filename in match.files():
2109 if follow:
2109 if follow:
2110 if filename not in pctx:
2110 if filename not in pctx:
2111 raise error.Abort(_('cannot follow file not in parent '
2111 raise error.Abort(_('cannot follow file not in parent '
2112 'revision: "%s"') % filename)
2112 'revision: "%s"') % filename)
2113 yield filename, pctx[filename].filenode()
2113 yield filename, pctx[filename].filenode()
2114 else:
2114 else:
2115 yield filename, None
2115 yield filename, None
2116 for filename_node in copies:
2116 for filename_node in copies:
2117 yield filename_node
2117 yield filename_node
2118
2118
2119 for file_, node in iterfiles():
2119 for file_, node in iterfiles():
2120 filelog = repo.file(file_)
2120 filelog = repo.file(file_)
2121 if not len(filelog):
2121 if not len(filelog):
2122 if node is None:
2122 if node is None:
2123 # A zero count may be a directory or deleted file, so
2123 # A zero count may be a directory or deleted file, so
2124 # try to find matching entries on the slow path.
2124 # try to find matching entries on the slow path.
2125 if follow:
2125 if follow:
2126 raise error.Abort(
2126 raise error.Abort(
2127 _('cannot follow nonexistent file: "%s"') % file_)
2127 _('cannot follow nonexistent file: "%s"') % file_)
2128 raise FileWalkError("Cannot walk via filelog")
2128 raise FileWalkError("Cannot walk via filelog")
2129 else:
2129 else:
2130 continue
2130 continue
2131
2131
2132 if node is None:
2132 if node is None:
2133 last = len(filelog) - 1
2133 last = len(filelog) - 1
2134 else:
2134 else:
2135 last = filelog.rev(node)
2135 last = filelog.rev(node)
2136
2136
2137 # keep track of all ancestors of the file
2137 # keep track of all ancestors of the file
2138 ancestors = {filelog.linkrev(last)}
2138 ancestors = {filelog.linkrev(last)}
2139
2139
2140 # iterate from latest to oldest revision
2140 # iterate from latest to oldest revision
2141 for rev, flparentlinkrevs, copied in filerevgen(filelog, last):
2141 for rev, flparentlinkrevs, copied in filerevgen(filelog, last):
2142 if not follow:
2142 if not follow:
2143 if rev > maxrev:
2143 if rev > maxrev:
2144 continue
2144 continue
2145 else:
2145 else:
2146 # Note that last might not be the first interesting
2146 # Note that last might not be the first interesting
2147 # rev to us:
2147 # rev to us:
2148 # if the file has been changed after maxrev, we'll
2148 # if the file has been changed after maxrev, we'll
2149 # have linkrev(last) > maxrev, and we still need
2149 # have linkrev(last) > maxrev, and we still need
2150 # to explore the file graph
2150 # to explore the file graph
2151 if rev not in ancestors:
2151 if rev not in ancestors:
2152 continue
2152 continue
2153 # XXX insert 1327 fix here
2153 # XXX insert 1327 fix here
2154 if flparentlinkrevs:
2154 if flparentlinkrevs:
2155 ancestors.update(flparentlinkrevs)
2155 ancestors.update(flparentlinkrevs)
2156
2156
2157 fncache.setdefault(rev, []).append(file_)
2157 fncache.setdefault(rev, []).append(file_)
2158 wanted.add(rev)
2158 wanted.add(rev)
2159 if copied:
2159 if copied:
2160 copies.append(copied)
2160 copies.append(copied)
2161
2161
2162 return wanted
2162 return wanted
2163
2163
2164 class _followfilter(object):
2164 class _followfilter(object):
2165 def __init__(self, repo, onlyfirst=False):
2165 def __init__(self, repo, onlyfirst=False):
2166 self.repo = repo
2166 self.repo = repo
2167 self.startrev = nullrev
2167 self.startrev = nullrev
2168 self.roots = set()
2168 self.roots = set()
2169 self.onlyfirst = onlyfirst
2169 self.onlyfirst = onlyfirst
2170
2170
2171 def match(self, rev):
2171 def match(self, rev):
2172 def realparents(rev):
2172 def realparents(rev):
2173 if self.onlyfirst:
2173 if self.onlyfirst:
2174 return self.repo.changelog.parentrevs(rev)[0:1]
2174 return self.repo.changelog.parentrevs(rev)[0:1]
2175 else:
2175 else:
2176 return filter(lambda x: x != nullrev,
2176 return filter(lambda x: x != nullrev,
2177 self.repo.changelog.parentrevs(rev))
2177 self.repo.changelog.parentrevs(rev))
2178
2178
2179 if self.startrev == nullrev:
2179 if self.startrev == nullrev:
2180 self.startrev = rev
2180 self.startrev = rev
2181 return True
2181 return True
2182
2182
2183 if rev > self.startrev:
2183 if rev > self.startrev:
2184 # forward: all descendants
2184 # forward: all descendants
2185 if not self.roots:
2185 if not self.roots:
2186 self.roots.add(self.startrev)
2186 self.roots.add(self.startrev)
2187 for parent in realparents(rev):
2187 for parent in realparents(rev):
2188 if parent in self.roots:
2188 if parent in self.roots:
2189 self.roots.add(rev)
2189 self.roots.add(rev)
2190 return True
2190 return True
2191 else:
2191 else:
2192 # backwards: all parents
2192 # backwards: all parents
2193 if not self.roots:
2193 if not self.roots:
2194 self.roots.update(realparents(self.startrev))
2194 self.roots.update(realparents(self.startrev))
2195 if rev in self.roots:
2195 if rev in self.roots:
2196 self.roots.remove(rev)
2196 self.roots.remove(rev)
2197 self.roots.update(realparents(rev))
2197 self.roots.update(realparents(rev))
2198 return True
2198 return True
2199
2199
2200 return False
2200 return False
2201
2201
2202 def walkchangerevs(repo, match, opts, prepare):
2202 def walkchangerevs(repo, match, opts, prepare):
2203 '''Iterate over files and the revs in which they changed.
2203 '''Iterate over files and the revs in which they changed.
2204
2204
2205 Callers most commonly need to iterate backwards over the history
2205 Callers most commonly need to iterate backwards over the history
2206 in which they are interested. Doing so has awful (quadratic-looking)
2206 in which they are interested. Doing so has awful (quadratic-looking)
2207 performance, so we use iterators in a "windowed" way.
2207 performance, so we use iterators in a "windowed" way.
2208
2208
2209 We walk a window of revisions in the desired order. Within the
2209 We walk a window of revisions in the desired order. Within the
2210 window, we first walk forwards to gather data, then in the desired
2210 window, we first walk forwards to gather data, then in the desired
2211 order (usually backwards) to display it.
2211 order (usually backwards) to display it.
2212
2212
2213 This function returns an iterator yielding contexts. Before
2213 This function returns an iterator yielding contexts. Before
2214 yielding each context, the iterator will first call the prepare
2214 yielding each context, the iterator will first call the prepare
2215 function on each context in the window in forward order.'''
2215 function on each context in the window in forward order.'''
2216
2216
2217 follow = opts.get('follow') or opts.get('follow_first')
2217 follow = opts.get('follow') or opts.get('follow_first')
2218 revs = _logrevs(repo, opts)
2218 revs = _logrevs(repo, opts)
2219 if not revs:
2219 if not revs:
2220 return []
2220 return []
2221 wanted = set()
2221 wanted = set()
2222 slowpath = match.anypats() or ((match.isexact() or match.prefix()) and
2222 slowpath = match.anypats() or ((match.isexact() or match.prefix()) and
2223 opts.get('removed'))
2223 opts.get('removed'))
2224 fncache = {}
2224 fncache = {}
2225 change = repo.changectx
2225 change = repo.changectx
2226
2226
2227 # First step is to fill wanted, the set of revisions that we want to yield.
2227 # First step is to fill wanted, the set of revisions that we want to yield.
2228 # When it does not induce extra cost, we also fill fncache for revisions in
2228 # When it does not induce extra cost, we also fill fncache for revisions in
2229 # wanted: a cache of filenames that were changed (ctx.files()) and that
2229 # wanted: a cache of filenames that were changed (ctx.files()) and that
2230 # match the file filtering conditions.
2230 # match the file filtering conditions.
2231
2231
2232 if match.always():
2232 if match.always():
2233 # No files, no patterns. Display all revs.
2233 # No files, no patterns. Display all revs.
2234 wanted = revs
2234 wanted = revs
2235 elif not slowpath:
2235 elif not slowpath:
2236 # We only have to read through the filelog to find wanted revisions
2236 # We only have to read through the filelog to find wanted revisions
2237
2237
2238 try:
2238 try:
2239 wanted = walkfilerevs(repo, match, follow, revs, fncache)
2239 wanted = walkfilerevs(repo, match, follow, revs, fncache)
2240 except FileWalkError:
2240 except FileWalkError:
2241 slowpath = True
2241 slowpath = True
2242
2242
2243 # We decided to fall back to the slowpath because at least one
2243 # We decided to fall back to the slowpath because at least one
2244 # of the paths was not a file. Check to see if at least one of them
2244 # of the paths was not a file. Check to see if at least one of them
2245 # existed in history, otherwise simply return
2245 # existed in history, otherwise simply return
2246 for path in match.files():
2246 for path in match.files():
2247 if path == '.' or path in repo.store:
2247 if path == '.' or path in repo.store:
2248 break
2248 break
2249 else:
2249 else:
2250 return []
2250 return []
2251
2251
2252 if slowpath:
2252 if slowpath:
2253 # We have to read the changelog to match filenames against
2253 # We have to read the changelog to match filenames against
2254 # changed files
2254 # changed files
2255
2255
2256 if follow:
2256 if follow:
2257 raise error.Abort(_('can only follow copies/renames for explicit '
2257 raise error.Abort(_('can only follow copies/renames for explicit '
2258 'filenames'))
2258 'filenames'))
2259
2259
2260 # The slow path checks files modified in every changeset.
2260 # The slow path checks files modified in every changeset.
2261 # This is really slow on large repos, so compute the set lazily.
2261 # This is really slow on large repos, so compute the set lazily.
2262 class lazywantedset(object):
2262 class lazywantedset(object):
2263 def __init__(self):
2263 def __init__(self):
2264 self.set = set()
2264 self.set = set()
2265 self.revs = set(revs)
2265 self.revs = set(revs)
2266
2266
2267 # No need to worry about locality here because it will be accessed
2267 # No need to worry about locality here because it will be accessed
2268 # in the same order as the increasing window below.
2268 # in the same order as the increasing window below.
2269 def __contains__(self, value):
2269 def __contains__(self, value):
2270 if value in self.set:
2270 if value in self.set:
2271 return True
2271 return True
2272 elif not value in self.revs:
2272 elif not value in self.revs:
2273 return False
2273 return False
2274 else:
2274 else:
2275 self.revs.discard(value)
2275 self.revs.discard(value)
2276 ctx = change(value)
2276 ctx = change(value)
2277 matches = filter(match, ctx.files())
2277 matches = filter(match, ctx.files())
2278 if matches:
2278 if matches:
2279 fncache[value] = matches
2279 fncache[value] = matches
2280 self.set.add(value)
2280 self.set.add(value)
2281 return True
2281 return True
2282 return False
2282 return False
2283
2283
2284 def discard(self, value):
2284 def discard(self, value):
2285 self.revs.discard(value)
2285 self.revs.discard(value)
2286 self.set.discard(value)
2286 self.set.discard(value)
2287
2287
2288 wanted = lazywantedset()
2288 wanted = lazywantedset()
2289
2289
2290 # it might be worthwhile to do this in the iterator if the rev range
2290 # it might be worthwhile to do this in the iterator if the rev range
2291 # is descending and the prune args are all within that range
2291 # is descending and the prune args are all within that range
2292 for rev in opts.get('prune', ()):
2292 for rev in opts.get('prune', ()):
2293 rev = repo[rev].rev()
2293 rev = repo[rev].rev()
2294 ff = _followfilter(repo)
2294 ff = _followfilter(repo)
2295 stop = min(revs[0], revs[-1])
2295 stop = min(revs[0], revs[-1])
2296 for x in xrange(rev, stop - 1, -1):
2296 for x in xrange(rev, stop - 1, -1):
2297 if ff.match(x):
2297 if ff.match(x):
2298 wanted = wanted - [x]
2298 wanted = wanted - [x]
2299
2299
2300 # Now that wanted is correctly initialized, we can iterate over the
2300 # Now that wanted is correctly initialized, we can iterate over the
2301 # revision range, yielding only revisions in wanted.
2301 # revision range, yielding only revisions in wanted.
2302 def iterate():
2302 def iterate():
2303 if follow and match.always():
2303 if follow and match.always():
2304 ff = _followfilter(repo, onlyfirst=opts.get('follow_first'))
2304 ff = _followfilter(repo, onlyfirst=opts.get('follow_first'))
2305 def want(rev):
2305 def want(rev):
2306 return ff.match(rev) and rev in wanted
2306 return ff.match(rev) and rev in wanted
2307 else:
2307 else:
2308 def want(rev):
2308 def want(rev):
2309 return rev in wanted
2309 return rev in wanted
2310
2310
2311 it = iter(revs)
2311 it = iter(revs)
2312 stopiteration = False
2312 stopiteration = False
2313 for windowsize in increasingwindows():
2313 for windowsize in increasingwindows():
2314 nrevs = []
2314 nrevs = []
2315 for i in xrange(windowsize):
2315 for i in xrange(windowsize):
2316 rev = next(it, None)
2316 rev = next(it, None)
2317 if rev is None:
2317 if rev is None:
2318 stopiteration = True
2318 stopiteration = True
2319 break
2319 break
2320 elif want(rev):
2320 elif want(rev):
2321 nrevs.append(rev)
2321 nrevs.append(rev)
2322 for rev in sorted(nrevs):
2322 for rev in sorted(nrevs):
2323 fns = fncache.get(rev)
2323 fns = fncache.get(rev)
2324 ctx = change(rev)
2324 ctx = change(rev)
2325 if not fns:
2325 if not fns:
2326 def fns_generator():
2326 def fns_generator():
2327 for f in ctx.files():
2327 for f in ctx.files():
2328 if match(f):
2328 if match(f):
2329 yield f
2329 yield f
2330 fns = fns_generator()
2330 fns = fns_generator()
2331 prepare(ctx, fns)
2331 prepare(ctx, fns)
2332 for rev in nrevs:
2332 for rev in nrevs:
2333 yield change(rev)
2333 yield change(rev)
2334
2334
2335 if stopiteration:
2335 if stopiteration:
2336 break
2336 break
2337
2337
2338 return iterate()
2338 return iterate()
2339
2339
2340 def _makefollowlogfilematcher(repo, files, followfirst):
2340 def _makefollowlogfilematcher(repo, files, followfirst):
2341 # When displaying a revision with --patch --follow FILE, we have
2341 # When displaying a revision with --patch --follow FILE, we have
2342 # to know which file of the revision must be diffed. With
2342 # to know which file of the revision must be diffed. With
2343 # --follow, we want the names of the ancestors of FILE in the
2343 # --follow, we want the names of the ancestors of FILE in the
2344 # revision, stored in "fcache". "fcache" is populated by
2344 # revision, stored in "fcache". "fcache" is populated by
2345 # reproducing the graph traversal already done by --follow revset
2345 # reproducing the graph traversal already done by --follow revset
2346 # and relating revs to file names (which is not "correct" but
2346 # and relating revs to file names (which is not "correct" but
2347 # good enough).
2347 # good enough).
2348 fcache = {}
2348 fcache = {}
2349 fcacheready = [False]
2349 fcacheready = [False]
2350 pctx = repo['.']
2350 pctx = repo['.']
2351
2351
2352 def populate():
2352 def populate():
2353 for fn in files:
2353 for fn in files:
2354 fctx = pctx[fn]
2354 fctx = pctx[fn]
2355 fcache.setdefault(fctx.introrev(), set()).add(fctx.path())
2355 fcache.setdefault(fctx.introrev(), set()).add(fctx.path())
2356 for c in fctx.ancestors(followfirst=followfirst):
2356 for c in fctx.ancestors(followfirst=followfirst):
2357 fcache.setdefault(c.rev(), set()).add(c.path())
2357 fcache.setdefault(c.rev(), set()).add(c.path())
2358
2358
2359 def filematcher(rev):
2359 def filematcher(rev):
2360 if not fcacheready[0]:
2360 if not fcacheready[0]:
2361 # Lazy initialization
2361 # Lazy initialization
2362 fcacheready[0] = True
2362 fcacheready[0] = True
2363 populate()
2363 populate()
2364 return scmutil.matchfiles(repo, fcache.get(rev, []))
2364 return scmutil.matchfiles(repo, fcache.get(rev, []))
2365
2365
2366 return filematcher
2366 return filematcher
2367
2367
2368 def _makenofollowlogfilematcher(repo, pats, opts):
2368 def _makenofollowlogfilematcher(repo, pats, opts):
2369 '''hook for extensions to override the filematcher for non-follow cases'''
2369 '''hook for extensions to override the filematcher for non-follow cases'''
2370 return None
2370 return None
2371
2371
2372 def _makelogrevset(repo, pats, opts, revs):
2372 def _makelogrevset(repo, pats, opts, revs):
2373 """Return (expr, filematcher) where expr is a revset string built
2373 """Return (expr, filematcher) where expr is a revset string built
2374 from log options and file patterns or None. If --stat or --patch
2374 from log options and file patterns or None. If --stat or --patch
2375 are not passed filematcher is None. Otherwise it is a callable
2375 are not passed filematcher is None. Otherwise it is a callable
2376 taking a revision number and returning a match objects filtering
2376 taking a revision number and returning a match objects filtering
2377 the files to be detailed when displaying the revision.
2377 the files to be detailed when displaying the revision.
2378 """
2378 """
2379 opt2revset = {
2379 opt2revset = {
2380 'no_merges': ('not merge()', None),
2380 'no_merges': ('not merge()', None),
2381 'only_merges': ('merge()', None),
2381 'only_merges': ('merge()', None),
2382 '_ancestors': ('ancestors(%(val)s)', None),
2382 '_ancestors': ('ancestors(%(val)s)', None),
2383 '_fancestors': ('_firstancestors(%(val)s)', None),
2383 '_fancestors': ('_firstancestors(%(val)s)', None),
2384 '_descendants': ('descendants(%(val)s)', None),
2384 '_descendants': ('descendants(%(val)s)', None),
2385 '_fdescendants': ('_firstdescendants(%(val)s)', None),
2385 '_fdescendants': ('_firstdescendants(%(val)s)', None),
2386 '_matchfiles': ('_matchfiles(%(val)s)', None),
2386 '_matchfiles': ('_matchfiles(%(val)s)', None),
2387 'date': ('date(%(val)r)', None),
2387 'date': ('date(%(val)r)', None),
2388 'branch': ('branch(%(val)r)', ' or '),
2388 'branch': ('branch(%(val)r)', ' or '),
2389 '_patslog': ('filelog(%(val)r)', ' or '),
2389 '_patslog': ('filelog(%(val)r)', ' or '),
2390 '_patsfollow': ('follow(%(val)r)', ' or '),
2390 '_patsfollow': ('follow(%(val)r)', ' or '),
2391 '_patsfollowfirst': ('_followfirst(%(val)r)', ' or '),
2391 '_patsfollowfirst': ('_followfirst(%(val)r)', ' or '),
2392 'keyword': ('keyword(%(val)r)', ' or '),
2392 'keyword': ('keyword(%(val)r)', ' or '),
2393 'prune': ('not (%(val)r or ancestors(%(val)r))', ' and '),
2393 'prune': ('not (%(val)r or ancestors(%(val)r))', ' and '),
2394 'user': ('user(%(val)r)', ' or '),
2394 'user': ('user(%(val)r)', ' or '),
2395 }
2395 }
2396
2396
2397 opts = dict(opts)
2397 opts = dict(opts)
2398 # follow or not follow?
2398 # follow or not follow?
2399 follow = opts.get('follow') or opts.get('follow_first')
2399 follow = opts.get('follow') or opts.get('follow_first')
2400 if opts.get('follow_first'):
2400 if opts.get('follow_first'):
2401 followfirst = 1
2401 followfirst = 1
2402 else:
2402 else:
2403 followfirst = 0
2403 followfirst = 0
2404 # --follow with FILE behavior depends on revs...
2404 # --follow with FILE behavior depends on revs...
2405 it = iter(revs)
2405 it = iter(revs)
2406 startrev = next(it)
2406 startrev = next(it)
2407 followdescendants = startrev < next(it, startrev)
2407 followdescendants = startrev < next(it, startrev)
2408
2408
2409 # branch and only_branch are really aliases and must be handled at
2409 # branch and only_branch are really aliases and must be handled at
2410 # the same time
2410 # the same time
2411 opts['branch'] = opts.get('branch', []) + opts.get('only_branch', [])
2411 opts['branch'] = opts.get('branch', []) + opts.get('only_branch', [])
2412 opts['branch'] = [repo.lookupbranch(b) for b in opts['branch']]
2412 opts['branch'] = [repo.lookupbranch(b) for b in opts['branch']]
2413 # pats/include/exclude are passed to match.match() directly in
2413 # pats/include/exclude are passed to match.match() directly in
2414 # _matchfiles() revset but walkchangerevs() builds its matcher with
2414 # _matchfiles() revset but walkchangerevs() builds its matcher with
2415 # scmutil.match(). The difference is input pats are globbed on
2415 # scmutil.match(). The difference is input pats are globbed on
2416 # platforms without shell expansion (windows).
2416 # platforms without shell expansion (windows).
2417 wctx = repo[None]
2417 wctx = repo[None]
2418 match, pats = scmutil.matchandpats(wctx, pats, opts)
2418 match, pats = scmutil.matchandpats(wctx, pats, opts)
2419 slowpath = match.anypats() or ((match.isexact() or match.prefix()) and
2419 slowpath = match.anypats() or ((match.isexact() or match.prefix()) and
2420 opts.get('removed'))
2420 opts.get('removed'))
2421 if not slowpath:
2421 if not slowpath:
2422 for f in match.files():
2422 for f in match.files():
2423 if follow and f not in wctx:
2423 if follow and f not in wctx:
2424 # If the file exists, it may be a directory, so let it
2424 # If the file exists, it may be a directory, so let it
2425 # take the slow path.
2425 # take the slow path.
2426 if os.path.exists(repo.wjoin(f)):
2426 if os.path.exists(repo.wjoin(f)):
2427 slowpath = True
2427 slowpath = True
2428 continue
2428 continue
2429 else:
2429 else:
2430 raise error.Abort(_('cannot follow file not in parent '
2430 raise error.Abort(_('cannot follow file not in parent '
2431 'revision: "%s"') % f)
2431 'revision: "%s"') % f)
2432 filelog = repo.file(f)
2432 filelog = repo.file(f)
2433 if not filelog:
2433 if not filelog:
2434 # A zero count may be a directory or deleted file, so
2434 # A zero count may be a directory or deleted file, so
2435 # try to find matching entries on the slow path.
2435 # try to find matching entries on the slow path.
2436 if follow:
2436 if follow:
2437 raise error.Abort(
2437 raise error.Abort(
2438 _('cannot follow nonexistent file: "%s"') % f)
2438 _('cannot follow nonexistent file: "%s"') % f)
2439 slowpath = True
2439 slowpath = True
2440
2440
2441 # We decided to fall back to the slowpath because at least one
2441 # We decided to fall back to the slowpath because at least one
2442 # of the paths was not a file. Check to see if at least one of them
2442 # of the paths was not a file. Check to see if at least one of them
2443 # existed in history - in that case, we'll continue down the
2443 # existed in history - in that case, we'll continue down the
2444 # slowpath; otherwise, we can turn off the slowpath
2444 # slowpath; otherwise, we can turn off the slowpath
2445 if slowpath:
2445 if slowpath:
2446 for path in match.files():
2446 for path in match.files():
2447 if path == '.' or path in repo.store:
2447 if path == '.' or path in repo.store:
2448 break
2448 break
2449 else:
2449 else:
2450 slowpath = False
2450 slowpath = False
2451
2451
2452 fpats = ('_patsfollow', '_patsfollowfirst')
2452 fpats = ('_patsfollow', '_patsfollowfirst')
2453 fnopats = (('_ancestors', '_fancestors'),
2453 fnopats = (('_ancestors', '_fancestors'),
2454 ('_descendants', '_fdescendants'))
2454 ('_descendants', '_fdescendants'))
2455 if slowpath:
2455 if slowpath:
2456 # See walkchangerevs() slow path.
2456 # See walkchangerevs() slow path.
2457 #
2457 #
2458 # pats/include/exclude cannot be represented as separate
2458 # pats/include/exclude cannot be represented as separate
2459 # revset expressions as their filtering logic applies at file
2459 # revset expressions as their filtering logic applies at file
2460 # level. For instance "-I a -X a" matches a revision touching
2460 # level. For instance "-I a -X a" matches a revision touching
2461 # "a" and "b" while "file(a) and not file(b)" does
2461 # "a" and "b" while "file(a) and not file(b)" does
2462 # not. Besides, filesets are evaluated against the working
2462 # not. Besides, filesets are evaluated against the working
2463 # directory.
2463 # directory.
2464 matchargs = ['r:', 'd:relpath']
2464 matchargs = ['r:', 'd:relpath']
2465 for p in pats:
2465 for p in pats:
2466 matchargs.append('p:' + p)
2466 matchargs.append('p:' + p)
2467 for p in opts.get('include', []):
2467 for p in opts.get('include', []):
2468 matchargs.append('i:' + p)
2468 matchargs.append('i:' + p)
2469 for p in opts.get('exclude', []):
2469 for p in opts.get('exclude', []):
2470 matchargs.append('x:' + p)
2470 matchargs.append('x:' + p)
2471 matchargs = ','.join(('%r' % p) for p in matchargs)
2471 matchargs = ','.join(('%r' % p) for p in matchargs)
2472 opts['_matchfiles'] = matchargs
2472 opts['_matchfiles'] = matchargs
2473 if follow:
2473 if follow:
2474 opts[fnopats[0][followfirst]] = '.'
2474 opts[fnopats[0][followfirst]] = '.'
2475 else:
2475 else:
2476 if follow:
2476 if follow:
2477 if pats:
2477 if pats:
2478 # follow() revset interprets its file argument as a
2478 # follow() revset interprets its file argument as a
2479 # manifest entry, so use match.files(), not pats.
2479 # manifest entry, so use match.files(), not pats.
2480 opts[fpats[followfirst]] = list(match.files())
2480 opts[fpats[followfirst]] = list(match.files())
2481 else:
2481 else:
2482 op = fnopats[followdescendants][followfirst]
2482 op = fnopats[followdescendants][followfirst]
2483 opts[op] = 'rev(%d)' % startrev
2483 opts[op] = 'rev(%d)' % startrev
2484 else:
2484 else:
2485 opts['_patslog'] = list(pats)
2485 opts['_patslog'] = list(pats)
2486
2486
2487 filematcher = None
2487 filematcher = None
2488 if opts.get('patch') or opts.get('stat'):
2488 if opts.get('patch') or opts.get('stat'):
2489 # When following files, track renames via a special matcher.
2489 # When following files, track renames via a special matcher.
2490 # If we're forced to take the slowpath it means we're following
2490 # If we're forced to take the slowpath it means we're following
2491 # at least one pattern/directory, so don't bother with rename tracking.
2491 # at least one pattern/directory, so don't bother with rename tracking.
2492 if follow and not match.always() and not slowpath:
2492 if follow and not match.always() and not slowpath:
2493 # _makefollowlogfilematcher expects its files argument to be
2493 # _makefollowlogfilematcher expects its files argument to be
2494 # relative to the repo root, so use match.files(), not pats.
2494 # relative to the repo root, so use match.files(), not pats.
2495 filematcher = _makefollowlogfilematcher(repo, match.files(),
2495 filematcher = _makefollowlogfilematcher(repo, match.files(),
2496 followfirst)
2496 followfirst)
2497 else:
2497 else:
2498 filematcher = _makenofollowlogfilematcher(repo, pats, opts)
2498 filematcher = _makenofollowlogfilematcher(repo, pats, opts)
2499 if filematcher is None:
2499 if filematcher is None:
2500 filematcher = lambda rev: match
2500 filematcher = lambda rev: match
2501
2501
2502 expr = []
2502 expr = []
2503 for op, val in sorted(opts.iteritems()):
2503 for op, val in sorted(opts.iteritems()):
2504 if not val:
2504 if not val:
2505 continue
2505 continue
2506 if op not in opt2revset:
2506 if op not in opt2revset:
2507 continue
2507 continue
2508 revop, andor = opt2revset[op]
2508 revop, andor = opt2revset[op]
2509 if '%(val)' not in revop:
2509 if '%(val)' not in revop:
2510 expr.append(revop)
2510 expr.append(revop)
2511 else:
2511 else:
2512 if not isinstance(val, list):
2512 if not isinstance(val, list):
2513 e = revop % {'val': val}
2513 e = revop % {'val': val}
2514 else:
2514 else:
2515 e = '(' + andor.join((revop % {'val': v}) for v in val) + ')'
2515 e = '(' + andor.join((revop % {'val': v}) for v in val) + ')'
2516 expr.append(e)
2516 expr.append(e)
2517
2517
2518 if expr:
2518 if expr:
2519 expr = '(' + ' and '.join(expr) + ')'
2519 expr = '(' + ' and '.join(expr) + ')'
2520 else:
2520 else:
2521 expr = None
2521 expr = None
2522 return expr, filematcher
2522 return expr, filematcher
2523
2523
2524 def _logrevs(repo, opts):
2524 def _logrevs(repo, opts):
2525 # Default --rev value depends on --follow but --follow behavior
2525 # Default --rev value depends on --follow but --follow behavior
2526 # depends on revisions resolved from --rev...
2526 # depends on revisions resolved from --rev...
2527 follow = opts.get('follow') or opts.get('follow_first')
2527 follow = opts.get('follow') or opts.get('follow_first')
2528 if opts.get('rev'):
2528 if opts.get('rev'):
2529 revs = scmutil.revrange(repo, opts['rev'])
2529 revs = scmutil.revrange(repo, opts['rev'])
2530 elif follow and repo.dirstate.p1() == nullid:
2530 elif follow and repo.dirstate.p1() == nullid:
2531 revs = smartset.baseset()
2531 revs = smartset.baseset()
2532 elif follow:
2532 elif follow:
2533 revs = repo.revs('reverse(:.)')
2533 revs = repo.revs('reverse(:.)')
2534 else:
2534 else:
2535 revs = smartset.spanset(repo)
2535 revs = smartset.spanset(repo)
2536 revs.reverse()
2536 revs.reverse()
2537 return revs
2537 return revs
2538
2538
2539 def getgraphlogrevs(repo, pats, opts):
2539 def getgraphlogrevs(repo, pats, opts):
2540 """Return (revs, expr, filematcher) where revs is an iterable of
2540 """Return (revs, expr, filematcher) where revs is an iterable of
2541 revision numbers, expr is a revset string built from log options
2541 revision numbers, expr is a revset string built from log options
2542 and file patterns or None, and used to filter 'revs'. If --stat or
2542 and file patterns or None, and used to filter 'revs'. If --stat or
2543 --patch are not passed filematcher is None. Otherwise it is a
2543 --patch are not passed filematcher is None. Otherwise it is a
2544 callable taking a revision number and returning a match objects
2544 callable taking a revision number and returning a match objects
2545 filtering the files to be detailed when displaying the revision.
2545 filtering the files to be detailed when displaying the revision.
2546 """
2546 """
2547 limit = loglimit(opts)
2547 limit = loglimit(opts)
2548 revs = _logrevs(repo, opts)
2548 revs = _logrevs(repo, opts)
2549 if not revs:
2549 if not revs:
2550 return smartset.baseset(), None, None
2550 return smartset.baseset(), None, None
2551 expr, filematcher = _makelogrevset(repo, pats, opts, revs)
2551 expr, filematcher = _makelogrevset(repo, pats, opts, revs)
2552 if opts.get('rev'):
2552 if opts.get('rev'):
2553 # User-specified revs might be unsorted, but don't sort before
2553 # User-specified revs might be unsorted, but don't sort before
2554 # _makelogrevset because it might depend on the order of revs
2554 # _makelogrevset because it might depend on the order of revs
2555 if not (revs.isdescending() or revs.istopo()):
2555 if not (revs.isdescending() or revs.istopo()):
2556 revs.sort(reverse=True)
2556 revs.sort(reverse=True)
2557 if expr:
2557 if expr:
2558 matcher = revset.match(repo.ui, expr, order=revset.followorder)
2558 matcher = revset.match(repo.ui, expr, order=revset.followorder)
2559 revs = matcher(repo, revs)
2559 revs = matcher(repo, revs)
2560 if limit is not None:
2560 if limit is not None:
2561 limitedrevs = []
2561 limitedrevs = []
2562 for idx, rev in enumerate(revs):
2562 for idx, rev in enumerate(revs):
2563 if idx >= limit:
2563 if idx >= limit:
2564 break
2564 break
2565 limitedrevs.append(rev)
2565 limitedrevs.append(rev)
2566 revs = smartset.baseset(limitedrevs)
2566 revs = smartset.baseset(limitedrevs)
2567
2567
2568 return revs, expr, filematcher
2568 return revs, expr, filematcher
2569
2569
2570 def getlogrevs(repo, pats, opts):
2570 def getlogrevs(repo, pats, opts):
2571 """Return (revs, expr, filematcher) where revs is an iterable of
2571 """Return (revs, expr, filematcher) where revs is an iterable of
2572 revision numbers, expr is a revset string built from log options
2572 revision numbers, expr is a revset string built from log options
2573 and file patterns or None, and used to filter 'revs'. If --stat or
2573 and file patterns or None, and used to filter 'revs'. If --stat or
2574 --patch are not passed filematcher is None. Otherwise it is a
2574 --patch are not passed filematcher is None. Otherwise it is a
2575 callable taking a revision number and returning a match objects
2575 callable taking a revision number and returning a match objects
2576 filtering the files to be detailed when displaying the revision.
2576 filtering the files to be detailed when displaying the revision.
2577 """
2577 """
2578 limit = loglimit(opts)
2578 limit = loglimit(opts)
2579 revs = _logrevs(repo, opts)
2579 revs = _logrevs(repo, opts)
2580 if not revs:
2580 if not revs:
2581 return smartset.baseset([]), None, None
2581 return smartset.baseset([]), None, None
2582 expr, filematcher = _makelogrevset(repo, pats, opts, revs)
2582 expr, filematcher = _makelogrevset(repo, pats, opts, revs)
2583 if expr:
2583 if expr:
2584 matcher = revset.match(repo.ui, expr, order=revset.followorder)
2584 matcher = revset.match(repo.ui, expr, order=revset.followorder)
2585 revs = matcher(repo, revs)
2585 revs = matcher(repo, revs)
2586 if limit is not None:
2586 if limit is not None:
2587 limitedrevs = []
2587 limitedrevs = []
2588 for idx, r in enumerate(revs):
2588 for idx, r in enumerate(revs):
2589 if limit <= idx:
2589 if limit <= idx:
2590 break
2590 break
2591 limitedrevs.append(r)
2591 limitedrevs.append(r)
2592 revs = smartset.baseset(limitedrevs)
2592 revs = smartset.baseset(limitedrevs)
2593
2593
2594 return revs, expr, filematcher
2594 return revs, expr, filematcher
2595
2595
2596 def _graphnodeformatter(ui, displayer):
2596 def _graphnodeformatter(ui, displayer):
2597 spec = ui.config('ui', 'graphnodetemplate')
2597 spec = ui.config('ui', 'graphnodetemplate')
2598 if not spec:
2598 if not spec:
2599 return templatekw.showgraphnode # fast path for "{graphnode}"
2599 return templatekw.showgraphnode # fast path for "{graphnode}"
2600
2600
2601 spec = templater.unquotestring(spec)
2601 spec = templater.unquotestring(spec)
2602 templ = formatter.maketemplater(ui, spec)
2602 templ = formatter.maketemplater(ui, spec)
2603 cache = {}
2603 cache = {}
2604 if isinstance(displayer, changeset_templater):
2604 if isinstance(displayer, changeset_templater):
2605 cache = displayer.cache # reuse cache of slow templates
2605 cache = displayer.cache # reuse cache of slow templates
2606 props = templatekw.keywords.copy()
2606 props = templatekw.keywords.copy()
2607 props['templ'] = templ
2607 props['templ'] = templ
2608 props['cache'] = cache
2608 props['cache'] = cache
2609 def formatnode(repo, ctx):
2609 def formatnode(repo, ctx):
2610 props['ctx'] = ctx
2610 props['ctx'] = ctx
2611 props['repo'] = repo
2611 props['repo'] = repo
2612 props['ui'] = repo.ui
2612 props['ui'] = repo.ui
2613 props['revcache'] = {}
2613 props['revcache'] = {}
2614 return templ.render(props)
2614 return templ.render(props)
2615 return formatnode
2615 return formatnode
2616
2616
2617 def displaygraph(ui, repo, dag, displayer, edgefn, getrenamed=None,
2617 def displaygraph(ui, repo, dag, displayer, edgefn, getrenamed=None,
2618 filematcher=None):
2618 filematcher=None):
2619 formatnode = _graphnodeformatter(ui, displayer)
2619 formatnode = _graphnodeformatter(ui, displayer)
2620 state = graphmod.asciistate()
2620 state = graphmod.asciistate()
2621 styles = state['styles']
2621 styles = state['styles']
2622
2622
2623 # only set graph styling if HGPLAIN is not set.
2623 # only set graph styling if HGPLAIN is not set.
2624 if ui.plain('graph'):
2624 if ui.plain('graph'):
2625 # set all edge styles to |, the default pre-3.8 behaviour
2625 # set all edge styles to |, the default pre-3.8 behaviour
2626 styles.update(dict.fromkeys(styles, '|'))
2626 styles.update(dict.fromkeys(styles, '|'))
2627 else:
2627 else:
2628 edgetypes = {
2628 edgetypes = {
2629 'parent': graphmod.PARENT,
2629 'parent': graphmod.PARENT,
2630 'grandparent': graphmod.GRANDPARENT,
2630 'grandparent': graphmod.GRANDPARENT,
2631 'missing': graphmod.MISSINGPARENT
2631 'missing': graphmod.MISSINGPARENT
2632 }
2632 }
2633 for name, key in edgetypes.items():
2633 for name, key in edgetypes.items():
2634 # experimental config: experimental.graphstyle.*
2634 # experimental config: experimental.graphstyle.*
2635 styles[key] = ui.config('experimental', 'graphstyle.%s' % name,
2635 styles[key] = ui.config('experimental', 'graphstyle.%s' % name,
2636 styles[key])
2636 styles[key])
2637 if not styles[key]:
2637 if not styles[key]:
2638 styles[key] = None
2638 styles[key] = None
2639
2639
2640 # experimental config: experimental.graphshorten
2640 # experimental config: experimental.graphshorten
2641 state['graphshorten'] = ui.configbool('experimental', 'graphshorten')
2641 state['graphshorten'] = ui.configbool('experimental', 'graphshorten')
2642
2642
2643 for rev, type, ctx, parents in dag:
2643 for rev, type, ctx, parents in dag:
2644 char = formatnode(repo, ctx)
2644 char = formatnode(repo, ctx)
2645 copies = None
2645 copies = None
2646 if getrenamed and ctx.rev():
2646 if getrenamed and ctx.rev():
2647 copies = []
2647 copies = []
2648 for fn in ctx.files():
2648 for fn in ctx.files():
2649 rename = getrenamed(fn, ctx.rev())
2649 rename = getrenamed(fn, ctx.rev())
2650 if rename:
2650 if rename:
2651 copies.append((fn, rename[0]))
2651 copies.append((fn, rename[0]))
2652 revmatchfn = None
2652 revmatchfn = None
2653 if filematcher is not None:
2653 if filematcher is not None:
2654 revmatchfn = filematcher(ctx.rev())
2654 revmatchfn = filematcher(ctx.rev())
2655 displayer.show(ctx, copies=copies, matchfn=revmatchfn)
2655 displayer.show(ctx, copies=copies, matchfn=revmatchfn)
2656 lines = displayer.hunk.pop(rev).split('\n')
2656 lines = displayer.hunk.pop(rev).split('\n')
2657 if not lines[-1]:
2657 if not lines[-1]:
2658 del lines[-1]
2658 del lines[-1]
2659 displayer.flush(ctx)
2659 displayer.flush(ctx)
2660 edges = edgefn(type, char, lines, state, rev, parents)
2660 edges = edgefn(type, char, lines, state, rev, parents)
2661 for type, char, lines, coldata in edges:
2661 for type, char, lines, coldata in edges:
2662 graphmod.ascii(ui, state, type, char, lines, coldata)
2662 graphmod.ascii(ui, state, type, char, lines, coldata)
2663 displayer.close()
2663 displayer.close()
2664
2664
2665 def graphlog(ui, repo, pats, opts):
2665 def graphlog(ui, repo, pats, opts):
2666 # Parameters are identical to log command ones
2666 # Parameters are identical to log command ones
2667 revs, expr, filematcher = getgraphlogrevs(repo, pats, opts)
2667 revs, expr, filematcher = getgraphlogrevs(repo, pats, opts)
2668 revdag = graphmod.dagwalker(repo, revs)
2668 revdag = graphmod.dagwalker(repo, revs)
2669
2669
2670 getrenamed = None
2670 getrenamed = None
2671 if opts.get('copies'):
2671 if opts.get('copies'):
2672 endrev = None
2672 endrev = None
2673 if opts.get('rev'):
2673 if opts.get('rev'):
2674 endrev = scmutil.revrange(repo, opts.get('rev')).max() + 1
2674 endrev = scmutil.revrange(repo, opts.get('rev')).max() + 1
2675 getrenamed = templatekw.getrenamedfn(repo, endrev=endrev)
2675 getrenamed = templatekw.getrenamedfn(repo, endrev=endrev)
2676
2676
2677 ui.pager('log')
2677 ui.pager('log')
2678 displayer = show_changeset(ui, repo, opts, buffered=True)
2678 displayer = show_changeset(ui, repo, opts, buffered=True)
2679 displaygraph(ui, repo, revdag, displayer, graphmod.asciiedges, getrenamed,
2679 displaygraph(ui, repo, revdag, displayer, graphmod.asciiedges, getrenamed,
2680 filematcher)
2680 filematcher)
2681
2681
2682 def checkunsupportedgraphflags(pats, opts):
2682 def checkunsupportedgraphflags(pats, opts):
2683 for op in ["newest_first"]:
2683 for op in ["newest_first"]:
2684 if op in opts and opts[op]:
2684 if op in opts and opts[op]:
2685 raise error.Abort(_("-G/--graph option is incompatible with --%s")
2685 raise error.Abort(_("-G/--graph option is incompatible with --%s")
2686 % op.replace("_", "-"))
2686 % op.replace("_", "-"))
2687
2687
2688 def graphrevs(repo, nodes, opts):
2688 def graphrevs(repo, nodes, opts):
2689 limit = loglimit(opts)
2689 limit = loglimit(opts)
2690 nodes.reverse()
2690 nodes.reverse()
2691 if limit is not None:
2691 if limit is not None:
2692 nodes = nodes[:limit]
2692 nodes = nodes[:limit]
2693 return graphmod.nodes(repo, nodes)
2693 return graphmod.nodes(repo, nodes)
2694
2694
2695 def add(ui, repo, match, prefix, explicitonly, **opts):
2695 def add(ui, repo, match, prefix, explicitonly, **opts):
2696 join = lambda f: os.path.join(prefix, f)
2696 join = lambda f: os.path.join(prefix, f)
2697 bad = []
2697 bad = []
2698
2698
2699 badfn = lambda x, y: bad.append(x) or match.bad(x, y)
2699 badfn = lambda x, y: bad.append(x) or match.bad(x, y)
2700 names = []
2700 names = []
2701 wctx = repo[None]
2701 wctx = repo[None]
2702 cca = None
2702 cca = None
2703 abort, warn = scmutil.checkportabilityalert(ui)
2703 abort, warn = scmutil.checkportabilityalert(ui)
2704 if abort or warn:
2704 if abort or warn:
2705 cca = scmutil.casecollisionauditor(ui, abort, repo.dirstate)
2705 cca = scmutil.casecollisionauditor(ui, abort, repo.dirstate)
2706
2706
2707 badmatch = matchmod.badmatch(match, badfn)
2707 badmatch = matchmod.badmatch(match, badfn)
2708 dirstate = repo.dirstate
2708 dirstate = repo.dirstate
2709 # We don't want to just call wctx.walk here, since it would return a lot of
2709 # We don't want to just call wctx.walk here, since it would return a lot of
2710 # clean files, which we aren't interested in and takes time.
2710 # clean files, which we aren't interested in and takes time.
2711 for f in sorted(dirstate.walk(badmatch, sorted(wctx.substate),
2711 for f in sorted(dirstate.walk(badmatch, sorted(wctx.substate),
2712 True, False, full=False)):
2712 True, False, full=False)):
2713 exact = match.exact(f)
2713 exact = match.exact(f)
2714 if exact or not explicitonly and f not in wctx and repo.wvfs.lexists(f):
2714 if exact or not explicitonly and f not in wctx and repo.wvfs.lexists(f):
2715 if cca:
2715 if cca:
2716 cca(f)
2716 cca(f)
2717 names.append(f)
2717 names.append(f)
2718 if ui.verbose or not exact:
2718 if ui.verbose or not exact:
2719 ui.status(_('adding %s\n') % match.rel(f))
2719 ui.status(_('adding %s\n') % match.rel(f))
2720
2720
2721 for subpath in sorted(wctx.substate):
2721 for subpath in sorted(wctx.substate):
2722 sub = wctx.sub(subpath)
2722 sub = wctx.sub(subpath)
2723 try:
2723 try:
2724 submatch = matchmod.subdirmatcher(subpath, match)
2724 submatch = matchmod.subdirmatcher(subpath, match)
2725 if opts.get(r'subrepos'):
2725 if opts.get(r'subrepos'):
2726 bad.extend(sub.add(ui, submatch, prefix, False, **opts))
2726 bad.extend(sub.add(ui, submatch, prefix, False, **opts))
2727 else:
2727 else:
2728 bad.extend(sub.add(ui, submatch, prefix, True, **opts))
2728 bad.extend(sub.add(ui, submatch, prefix, True, **opts))
2729 except error.LookupError:
2729 except error.LookupError:
2730 ui.status(_("skipping missing subrepository: %s\n")
2730 ui.status(_("skipping missing subrepository: %s\n")
2731 % join(subpath))
2731 % join(subpath))
2732
2732
2733 if not opts.get(r'dry_run'):
2733 if not opts.get(r'dry_run'):
2734 rejected = wctx.add(names, prefix)
2734 rejected = wctx.add(names, prefix)
2735 bad.extend(f for f in rejected if f in match.files())
2735 bad.extend(f for f in rejected if f in match.files())
2736 return bad
2736 return bad
2737
2737
2738 def addwebdirpath(repo, serverpath, webconf):
2738 def addwebdirpath(repo, serverpath, webconf):
2739 webconf[serverpath] = repo.root
2739 webconf[serverpath] = repo.root
2740 repo.ui.debug('adding %s = %s\n' % (serverpath, repo.root))
2740 repo.ui.debug('adding %s = %s\n' % (serverpath, repo.root))
2741
2741
2742 for r in repo.revs('filelog("path:.hgsub")'):
2742 for r in repo.revs('filelog("path:.hgsub")'):
2743 ctx = repo[r]
2743 ctx = repo[r]
2744 for subpath in ctx.substate:
2744 for subpath in ctx.substate:
2745 ctx.sub(subpath).addwebdirpath(serverpath, webconf)
2745 ctx.sub(subpath).addwebdirpath(serverpath, webconf)
2746
2746
2747 def forget(ui, repo, match, prefix, explicitonly):
2747 def forget(ui, repo, match, prefix, explicitonly):
2748 join = lambda f: os.path.join(prefix, f)
2748 join = lambda f: os.path.join(prefix, f)
2749 bad = []
2749 bad = []
2750 badfn = lambda x, y: bad.append(x) or match.bad(x, y)
2750 badfn = lambda x, y: bad.append(x) or match.bad(x, y)
2751 wctx = repo[None]
2751 wctx = repo[None]
2752 forgot = []
2752 forgot = []
2753
2753
2754 s = repo.status(match=matchmod.badmatch(match, badfn), clean=True)
2754 s = repo.status(match=matchmod.badmatch(match, badfn), clean=True)
2755 forget = sorted(s.modified + s.added + s.deleted + s.clean)
2755 forget = sorted(s.modified + s.added + s.deleted + s.clean)
2756 if explicitonly:
2756 if explicitonly:
2757 forget = [f for f in forget if match.exact(f)]
2757 forget = [f for f in forget if match.exact(f)]
2758
2758
2759 for subpath in sorted(wctx.substate):
2759 for subpath in sorted(wctx.substate):
2760 sub = wctx.sub(subpath)
2760 sub = wctx.sub(subpath)
2761 try:
2761 try:
2762 submatch = matchmod.subdirmatcher(subpath, match)
2762 submatch = matchmod.subdirmatcher(subpath, match)
2763 subbad, subforgot = sub.forget(submatch, prefix)
2763 subbad, subforgot = sub.forget(submatch, prefix)
2764 bad.extend([subpath + '/' + f for f in subbad])
2764 bad.extend([subpath + '/' + f for f in subbad])
2765 forgot.extend([subpath + '/' + f for f in subforgot])
2765 forgot.extend([subpath + '/' + f for f in subforgot])
2766 except error.LookupError:
2766 except error.LookupError:
2767 ui.status(_("skipping missing subrepository: %s\n")
2767 ui.status(_("skipping missing subrepository: %s\n")
2768 % join(subpath))
2768 % join(subpath))
2769
2769
2770 if not explicitonly:
2770 if not explicitonly:
2771 for f in match.files():
2771 for f in match.files():
2772 if f not in repo.dirstate and not repo.wvfs.isdir(f):
2772 if f not in repo.dirstate and not repo.wvfs.isdir(f):
2773 if f not in forgot:
2773 if f not in forgot:
2774 if repo.wvfs.exists(f):
2774 if repo.wvfs.exists(f):
2775 # Don't complain if the exact case match wasn't given.
2775 # Don't complain if the exact case match wasn't given.
2776 # But don't do this until after checking 'forgot', so
2776 # But don't do this until after checking 'forgot', so
2777 # that subrepo files aren't normalized, and this op is
2777 # that subrepo files aren't normalized, and this op is
2778 # purely from data cached by the status walk above.
2778 # purely from data cached by the status walk above.
2779 if repo.dirstate.normalize(f) in repo.dirstate:
2779 if repo.dirstate.normalize(f) in repo.dirstate:
2780 continue
2780 continue
2781 ui.warn(_('not removing %s: '
2781 ui.warn(_('not removing %s: '
2782 'file is already untracked\n')
2782 'file is already untracked\n')
2783 % match.rel(f))
2783 % match.rel(f))
2784 bad.append(f)
2784 bad.append(f)
2785
2785
2786 for f in forget:
2786 for f in forget:
2787 if ui.verbose or not match.exact(f):
2787 if ui.verbose or not match.exact(f):
2788 ui.status(_('removing %s\n') % match.rel(f))
2788 ui.status(_('removing %s\n') % match.rel(f))
2789
2789
2790 rejected = wctx.forget(forget, prefix)
2790 rejected = wctx.forget(forget, prefix)
2791 bad.extend(f for f in rejected if f in match.files())
2791 bad.extend(f for f in rejected if f in match.files())
2792 forgot.extend(f for f in forget if f not in rejected)
2792 forgot.extend(f for f in forget if f not in rejected)
2793 return bad, forgot
2793 return bad, forgot
2794
2794
2795 def files(ui, ctx, m, fm, fmt, subrepos):
2795 def files(ui, ctx, m, fm, fmt, subrepos):
2796 rev = ctx.rev()
2796 rev = ctx.rev()
2797 ret = 1
2797 ret = 1
2798 ds = ctx.repo().dirstate
2798 ds = ctx.repo().dirstate
2799
2799
2800 for f in ctx.matches(m):
2800 for f in ctx.matches(m):
2801 if rev is None and ds[f] == 'r':
2801 if rev is None and ds[f] == 'r':
2802 continue
2802 continue
2803 fm.startitem()
2803 fm.startitem()
2804 if ui.verbose:
2804 if ui.verbose:
2805 fc = ctx[f]
2805 fc = ctx[f]
2806 fm.write('size flags', '% 10d % 1s ', fc.size(), fc.flags())
2806 fm.write('size flags', '% 10d % 1s ', fc.size(), fc.flags())
2807 fm.data(abspath=f)
2807 fm.data(abspath=f)
2808 fm.write('path', fmt, m.rel(f))
2808 fm.write('path', fmt, m.rel(f))
2809 ret = 0
2809 ret = 0
2810
2810
2811 for subpath in sorted(ctx.substate):
2811 for subpath in sorted(ctx.substate):
2812 submatch = matchmod.subdirmatcher(subpath, m)
2812 submatch = matchmod.subdirmatcher(subpath, m)
2813 if (subrepos or m.exact(subpath) or any(submatch.files())):
2813 if (subrepos or m.exact(subpath) or any(submatch.files())):
2814 sub = ctx.sub(subpath)
2814 sub = ctx.sub(subpath)
2815 try:
2815 try:
2816 recurse = m.exact(subpath) or subrepos
2816 recurse = m.exact(subpath) or subrepos
2817 if sub.printfiles(ui, submatch, fm, fmt, recurse) == 0:
2817 if sub.printfiles(ui, submatch, fm, fmt, recurse) == 0:
2818 ret = 0
2818 ret = 0
2819 except error.LookupError:
2819 except error.LookupError:
2820 ui.status(_("skipping missing subrepository: %s\n")
2820 ui.status(_("skipping missing subrepository: %s\n")
2821 % m.abs(subpath))
2821 % m.abs(subpath))
2822
2822
2823 return ret
2823 return ret
2824
2824
2825 def remove(ui, repo, m, prefix, after, force, subrepos, warnings=None):
2825 def remove(ui, repo, m, prefix, after, force, subrepos, warnings=None):
2826 join = lambda f: os.path.join(prefix, f)
2826 join = lambda f: os.path.join(prefix, f)
2827 ret = 0
2827 ret = 0
2828 s = repo.status(match=m, clean=True)
2828 s = repo.status(match=m, clean=True)
2829 modified, added, deleted, clean = s[0], s[1], s[3], s[6]
2829 modified, added, deleted, clean = s[0], s[1], s[3], s[6]
2830
2830
2831 wctx = repo[None]
2831 wctx = repo[None]
2832
2832
2833 if warnings is None:
2833 if warnings is None:
2834 warnings = []
2834 warnings = []
2835 warn = True
2835 warn = True
2836 else:
2836 else:
2837 warn = False
2837 warn = False
2838
2838
2839 subs = sorted(wctx.substate)
2839 subs = sorted(wctx.substate)
2840 total = len(subs)
2840 total = len(subs)
2841 count = 0
2841 count = 0
2842 for subpath in subs:
2842 for subpath in subs:
2843 count += 1
2843 count += 1
2844 submatch = matchmod.subdirmatcher(subpath, m)
2844 submatch = matchmod.subdirmatcher(subpath, m)
2845 if subrepos or m.exact(subpath) or any(submatch.files()):
2845 if subrepos or m.exact(subpath) or any(submatch.files()):
2846 ui.progress(_('searching'), count, total=total, unit=_('subrepos'))
2846 ui.progress(_('searching'), count, total=total, unit=_('subrepos'))
2847 sub = wctx.sub(subpath)
2847 sub = wctx.sub(subpath)
2848 try:
2848 try:
2849 if sub.removefiles(submatch, prefix, after, force, subrepos,
2849 if sub.removefiles(submatch, prefix, after, force, subrepos,
2850 warnings):
2850 warnings):
2851 ret = 1
2851 ret = 1
2852 except error.LookupError:
2852 except error.LookupError:
2853 warnings.append(_("skipping missing subrepository: %s\n")
2853 warnings.append(_("skipping missing subrepository: %s\n")
2854 % join(subpath))
2854 % join(subpath))
2855 ui.progress(_('searching'), None)
2855 ui.progress(_('searching'), None)
2856
2856
2857 # warn about failure to delete explicit files/dirs
2857 # warn about failure to delete explicit files/dirs
2858 deleteddirs = util.dirs(deleted)
2858 deleteddirs = util.dirs(deleted)
2859 files = m.files()
2859 files = m.files()
2860 total = len(files)
2860 total = len(files)
2861 count = 0
2861 count = 0
2862 for f in files:
2862 for f in files:
2863 def insubrepo():
2863 def insubrepo():
2864 for subpath in wctx.substate:
2864 for subpath in wctx.substate:
2865 if f.startswith(subpath + '/'):
2865 if f.startswith(subpath + '/'):
2866 return True
2866 return True
2867 return False
2867 return False
2868
2868
2869 count += 1
2869 count += 1
2870 ui.progress(_('deleting'), count, total=total, unit=_('files'))
2870 ui.progress(_('deleting'), count, total=total, unit=_('files'))
2871 isdir = f in deleteddirs or wctx.hasdir(f)
2871 isdir = f in deleteddirs or wctx.hasdir(f)
2872 if (f in repo.dirstate or isdir or f == '.'
2872 if (f in repo.dirstate or isdir or f == '.'
2873 or insubrepo() or f in subs):
2873 or insubrepo() or f in subs):
2874 continue
2874 continue
2875
2875
2876 if repo.wvfs.exists(f):
2876 if repo.wvfs.exists(f):
2877 if repo.wvfs.isdir(f):
2877 if repo.wvfs.isdir(f):
2878 warnings.append(_('not removing %s: no tracked files\n')
2878 warnings.append(_('not removing %s: no tracked files\n')
2879 % m.rel(f))
2879 % m.rel(f))
2880 else:
2880 else:
2881 warnings.append(_('not removing %s: file is untracked\n')
2881 warnings.append(_('not removing %s: file is untracked\n')
2882 % m.rel(f))
2882 % m.rel(f))
2883 # missing files will generate a warning elsewhere
2883 # missing files will generate a warning elsewhere
2884 ret = 1
2884 ret = 1
2885 ui.progress(_('deleting'), None)
2885 ui.progress(_('deleting'), None)
2886
2886
2887 if force:
2887 if force:
2888 list = modified + deleted + clean + added
2888 list = modified + deleted + clean + added
2889 elif after:
2889 elif after:
2890 list = deleted
2890 list = deleted
2891 remaining = modified + added + clean
2891 remaining = modified + added + clean
2892 total = len(remaining)
2892 total = len(remaining)
2893 count = 0
2893 count = 0
2894 for f in remaining:
2894 for f in remaining:
2895 count += 1
2895 count += 1
2896 ui.progress(_('skipping'), count, total=total, unit=_('files'))
2896 ui.progress(_('skipping'), count, total=total, unit=_('files'))
2897 warnings.append(_('not removing %s: file still exists\n')
2897 warnings.append(_('not removing %s: file still exists\n')
2898 % m.rel(f))
2898 % m.rel(f))
2899 ret = 1
2899 ret = 1
2900 ui.progress(_('skipping'), None)
2900 ui.progress(_('skipping'), None)
2901 else:
2901 else:
2902 list = deleted + clean
2902 list = deleted + clean
2903 total = len(modified) + len(added)
2903 total = len(modified) + len(added)
2904 count = 0
2904 count = 0
2905 for f in modified:
2905 for f in modified:
2906 count += 1
2906 count += 1
2907 ui.progress(_('skipping'), count, total=total, unit=_('files'))
2907 ui.progress(_('skipping'), count, total=total, unit=_('files'))
2908 warnings.append(_('not removing %s: file is modified (use -f'
2908 warnings.append(_('not removing %s: file is modified (use -f'
2909 ' to force removal)\n') % m.rel(f))
2909 ' to force removal)\n') % m.rel(f))
2910 ret = 1
2910 ret = 1
2911 for f in added:
2911 for f in added:
2912 count += 1
2912 count += 1
2913 ui.progress(_('skipping'), count, total=total, unit=_('files'))
2913 ui.progress(_('skipping'), count, total=total, unit=_('files'))
2914 warnings.append(_("not removing %s: file has been marked for add"
2914 warnings.append(_("not removing %s: file has been marked for add"
2915 " (use 'hg forget' to undo add)\n") % m.rel(f))
2915 " (use 'hg forget' to undo add)\n") % m.rel(f))
2916 ret = 1
2916 ret = 1
2917 ui.progress(_('skipping'), None)
2917 ui.progress(_('skipping'), None)
2918
2918
2919 list = sorted(list)
2919 list = sorted(list)
2920 total = len(list)
2920 total = len(list)
2921 count = 0
2921 count = 0
2922 for f in list:
2922 for f in list:
2923 count += 1
2923 count += 1
2924 if ui.verbose or not m.exact(f):
2924 if ui.verbose or not m.exact(f):
2925 ui.progress(_('deleting'), count, total=total, unit=_('files'))
2925 ui.progress(_('deleting'), count, total=total, unit=_('files'))
2926 ui.status(_('removing %s\n') % m.rel(f))
2926 ui.status(_('removing %s\n') % m.rel(f))
2927 ui.progress(_('deleting'), None)
2927 ui.progress(_('deleting'), None)
2928
2928
2929 with repo.wlock():
2929 with repo.wlock():
2930 if not after:
2930 if not after:
2931 for f in list:
2931 for f in list:
2932 if f in added:
2932 if f in added:
2933 continue # we never unlink added files on remove
2933 continue # we never unlink added files on remove
2934 repo.wvfs.unlinkpath(f, ignoremissing=True)
2934 repo.wvfs.unlinkpath(f, ignoremissing=True)
2935 repo[None].forget(list)
2935 repo[None].forget(list)
2936
2936
2937 if warn:
2937 if warn:
2938 for warning in warnings:
2938 for warning in warnings:
2939 ui.warn(warning)
2939 ui.warn(warning)
2940
2940
2941 return ret
2941 return ret
2942
2942
2943 def cat(ui, repo, ctx, matcher, basefm, fntemplate, prefix, **opts):
2943 def cat(ui, repo, ctx, matcher, basefm, fntemplate, prefix, **opts):
2944 err = 1
2944 err = 1
2945
2945
2946 def write(path):
2946 def write(path):
2947 filename = None
2947 filename = None
2948 if fntemplate:
2948 if fntemplate:
2949 filename = makefilename(repo, fntemplate, ctx.node(),
2949 filename = makefilename(repo, fntemplate, ctx.node(),
2950 pathname=os.path.join(prefix, path))
2950 pathname=os.path.join(prefix, path))
2951 with formatter.maybereopen(basefm, filename, opts) as fm:
2951 with formatter.maybereopen(basefm, filename, opts) as fm:
2952 data = ctx[path].data()
2952 data = ctx[path].data()
2953 if opts.get('decode'):
2953 if opts.get('decode'):
2954 data = repo.wwritedata(path, data)
2954 data = repo.wwritedata(path, data)
2955 fm.startitem()
2955 fm.startitem()
2956 fm.write('data', '%s', data)
2956 fm.write('data', '%s', data)
2957 fm.data(abspath=path, path=matcher.rel(path))
2957 fm.data(abspath=path, path=matcher.rel(path))
2958
2958
2959 # Automation often uses hg cat on single files, so special case it
2959 # Automation often uses hg cat on single files, so special case it
2960 # for performance to avoid the cost of parsing the manifest.
2960 # for performance to avoid the cost of parsing the manifest.
2961 if len(matcher.files()) == 1 and not matcher.anypats():
2961 if len(matcher.files()) == 1 and not matcher.anypats():
2962 file = matcher.files()[0]
2962 file = matcher.files()[0]
2963 mfl = repo.manifestlog
2963 mfl = repo.manifestlog
2964 mfnode = ctx.manifestnode()
2964 mfnode = ctx.manifestnode()
2965 try:
2965 try:
2966 if mfnode and mfl[mfnode].find(file)[0]:
2966 if mfnode and mfl[mfnode].find(file)[0]:
2967 write(file)
2967 write(file)
2968 return 0
2968 return 0
2969 except KeyError:
2969 except KeyError:
2970 pass
2970 pass
2971
2971
2972 for abs in ctx.walk(matcher):
2972 for abs in ctx.walk(matcher):
2973 write(abs)
2973 write(abs)
2974 err = 0
2974 err = 0
2975
2975
2976 for subpath in sorted(ctx.substate):
2976 for subpath in sorted(ctx.substate):
2977 sub = ctx.sub(subpath)
2977 sub = ctx.sub(subpath)
2978 try:
2978 try:
2979 submatch = matchmod.subdirmatcher(subpath, matcher)
2979 submatch = matchmod.subdirmatcher(subpath, matcher)
2980
2980
2981 if not sub.cat(submatch, basefm, fntemplate,
2981 if not sub.cat(submatch, basefm, fntemplate,
2982 os.path.join(prefix, sub._path), **opts):
2982 os.path.join(prefix, sub._path), **opts):
2983 err = 0
2983 err = 0
2984 except error.RepoLookupError:
2984 except error.RepoLookupError:
2985 ui.status(_("skipping missing subrepository: %s\n")
2985 ui.status(_("skipping missing subrepository: %s\n")
2986 % os.path.join(prefix, subpath))
2986 % os.path.join(prefix, subpath))
2987
2987
2988 return err
2988 return err
2989
2989
2990 def commit(ui, repo, commitfunc, pats, opts):
2990 def commit(ui, repo, commitfunc, pats, opts):
2991 '''commit the specified files or all outstanding changes'''
2991 '''commit the specified files or all outstanding changes'''
2992 date = opts.get('date')
2992 date = opts.get('date')
2993 if date:
2993 if date:
2994 opts['date'] = util.parsedate(date)
2994 opts['date'] = util.parsedate(date)
2995 message = logmessage(ui, opts)
2995 message = logmessage(ui, opts)
2996 matcher = scmutil.match(repo[None], pats, opts)
2996 matcher = scmutil.match(repo[None], pats, opts)
2997
2997
2998 dsguard = None
2998 dsguard = None
2999 # extract addremove carefully -- this function can be called from a command
2999 # extract addremove carefully -- this function can be called from a command
3000 # that doesn't support addremove
3000 # that doesn't support addremove
3001 if opts.get('addremove'):
3002 dsguard = dirstateguard.dirstateguard(repo, 'commit')
3001 try:
3003 try:
3002 if opts.get('addremove'):
3004 if dsguard:
3003 dsguard = dirstateguard.dirstateguard(repo, 'commit')
3004 if scmutil.addremove(repo, matcher, "", opts) != 0:
3005 if scmutil.addremove(repo, matcher, "", opts) != 0:
3005 raise error.Abort(
3006 raise error.Abort(
3006 _("failed to mark all new/missing files as added/removed"))
3007 _("failed to mark all new/missing files as added/removed"))
3007
3008
3008 r = commitfunc(ui, repo, message, matcher, opts)
3009 r = commitfunc(ui, repo, message, matcher, opts)
3009 if dsguard:
3010 if dsguard:
3010 dsguard.close()
3011 dsguard.close()
3011 return r
3012 return r
3012 finally:
3013 finally:
3013 if dsguard:
3014 if dsguard:
3014 dsguard.release()
3015 dsguard.release()
3015
3016
3016 def samefile(f, ctx1, ctx2):
3017 def samefile(f, ctx1, ctx2):
3017 if f in ctx1.manifest():
3018 if f in ctx1.manifest():
3018 a = ctx1.filectx(f)
3019 a = ctx1.filectx(f)
3019 if f in ctx2.manifest():
3020 if f in ctx2.manifest():
3020 b = ctx2.filectx(f)
3021 b = ctx2.filectx(f)
3021 return (not a.cmp(b)
3022 return (not a.cmp(b)
3022 and a.flags() == b.flags())
3023 and a.flags() == b.flags())
3023 else:
3024 else:
3024 return False
3025 return False
3025 else:
3026 else:
3026 return f not in ctx2.manifest()
3027 return f not in ctx2.manifest()
3027
3028
3028 def amend(ui, repo, commitfunc, old, extra, pats, opts):
3029 def amend(ui, repo, commitfunc, old, extra, pats, opts):
3029 # avoid cycle context -> subrepo -> cmdutil
3030 # avoid cycle context -> subrepo -> cmdutil
3030 from . import context
3031 from . import context
3031
3032
3032 # amend will reuse the existing user if not specified, but the obsolete
3033 # amend will reuse the existing user if not specified, but the obsolete
3033 # marker creation requires that the current user's name is specified.
3034 # marker creation requires that the current user's name is specified.
3034 if obsolete.isenabled(repo, obsolete.createmarkersopt):
3035 if obsolete.isenabled(repo, obsolete.createmarkersopt):
3035 ui.username() # raise exception if username not set
3036 ui.username() # raise exception if username not set
3036
3037
3037 ui.note(_('amending changeset %s\n') % old)
3038 ui.note(_('amending changeset %s\n') % old)
3038 base = old.p1()
3039 base = old.p1()
3039
3040
3040 newid = None
3041 newid = None
3041 with repo.wlock(), repo.lock(), repo.transaction('amend'):
3042 with repo.wlock(), repo.lock(), repo.transaction('amend'):
3042 # See if we got a message from -m or -l, if not, open the editor
3043 # See if we got a message from -m or -l, if not, open the editor
3043 # with the message of the changeset to amend
3044 # with the message of the changeset to amend
3044 message = logmessage(ui, opts)
3045 message = logmessage(ui, opts)
3045 # ensure logfile does not conflict with later enforcement of the
3046 # ensure logfile does not conflict with later enforcement of the
3046 # message. potential logfile content has been processed by
3047 # message. potential logfile content has been processed by
3047 # `logmessage` anyway.
3048 # `logmessage` anyway.
3048 opts.pop('logfile')
3049 opts.pop('logfile')
3049 # First, do a regular commit to record all changes in the working
3050 # First, do a regular commit to record all changes in the working
3050 # directory (if there are any)
3051 # directory (if there are any)
3051 ui.callhooks = False
3052 ui.callhooks = False
3052 activebookmark = repo._bookmarks.active
3053 activebookmark = repo._bookmarks.active
3053 try:
3054 try:
3054 repo._bookmarks.active = None
3055 repo._bookmarks.active = None
3055 opts['message'] = 'temporary amend commit for %s' % old
3056 opts['message'] = 'temporary amend commit for %s' % old
3056 node = commit(ui, repo, commitfunc, pats, opts)
3057 node = commit(ui, repo, commitfunc, pats, opts)
3057 finally:
3058 finally:
3058 repo._bookmarks.active = activebookmark
3059 repo._bookmarks.active = activebookmark
3059 ui.callhooks = True
3060 ui.callhooks = True
3060 ctx = repo[node]
3061 ctx = repo[node]
3061
3062
3062 # Participating changesets:
3063 # Participating changesets:
3063 #
3064 #
3064 # node/ctx o - new (intermediate) commit that contains changes
3065 # node/ctx o - new (intermediate) commit that contains changes
3065 # | from working dir to go into amending commit
3066 # | from working dir to go into amending commit
3066 # | (or a workingctx if there were no changes)
3067 # | (or a workingctx if there were no changes)
3067 # |
3068 # |
3068 # old o - changeset to amend
3069 # old o - changeset to amend
3069 # |
3070 # |
3070 # base o - parent of amending changeset
3071 # base o - parent of amending changeset
3071
3072
3072 # Update extra dict from amended commit (e.g. to preserve graft
3073 # Update extra dict from amended commit (e.g. to preserve graft
3073 # source)
3074 # source)
3074 extra.update(old.extra())
3075 extra.update(old.extra())
3075
3076
3076 # Also update it from the intermediate commit or from the wctx
3077 # Also update it from the intermediate commit or from the wctx
3077 extra.update(ctx.extra())
3078 extra.update(ctx.extra())
3078
3079
3079 if len(old.parents()) > 1:
3080 if len(old.parents()) > 1:
3080 # ctx.files() isn't reliable for merges, so fall back to the
3081 # ctx.files() isn't reliable for merges, so fall back to the
3081 # slower repo.status() method
3082 # slower repo.status() method
3082 files = set([fn for st in repo.status(base, old)[:3]
3083 files = set([fn for st in repo.status(base, old)[:3]
3083 for fn in st])
3084 for fn in st])
3084 else:
3085 else:
3085 files = set(old.files())
3086 files = set(old.files())
3086
3087
3087 # Second, we use either the commit we just did, or if there were no
3088 # Second, we use either the commit we just did, or if there were no
3088 # changes the parent of the working directory as the version of the
3089 # changes the parent of the working directory as the version of the
3089 # files in the final amend commit
3090 # files in the final amend commit
3090 if node:
3091 if node:
3091 ui.note(_('copying changeset %s to %s\n') % (ctx, base))
3092 ui.note(_('copying changeset %s to %s\n') % (ctx, base))
3092
3093
3093 user = ctx.user()
3094 user = ctx.user()
3094 date = ctx.date()
3095 date = ctx.date()
3095 # Recompute copies (avoid recording a -> b -> a)
3096 # Recompute copies (avoid recording a -> b -> a)
3096 copied = copies.pathcopies(base, ctx)
3097 copied = copies.pathcopies(base, ctx)
3097 if old.p2:
3098 if old.p2:
3098 copied.update(copies.pathcopies(old.p2(), ctx))
3099 copied.update(copies.pathcopies(old.p2(), ctx))
3099
3100
3100 # Prune files which were reverted by the updates: if old
3101 # Prune files which were reverted by the updates: if old
3101 # introduced file X and our intermediate commit, node,
3102 # introduced file X and our intermediate commit, node,
3102 # renamed that file, then those two files are the same and
3103 # renamed that file, then those two files are the same and
3103 # we can discard X from our list of files. Likewise if X
3104 # we can discard X from our list of files. Likewise if X
3104 # was deleted, it's no longer relevant
3105 # was deleted, it's no longer relevant
3105 files.update(ctx.files())
3106 files.update(ctx.files())
3106 files = [f for f in files if not samefile(f, ctx, base)]
3107 files = [f for f in files if not samefile(f, ctx, base)]
3107
3108
3108 def filectxfn(repo, ctx_, path):
3109 def filectxfn(repo, ctx_, path):
3109 try:
3110 try:
3110 fctx = ctx[path]
3111 fctx = ctx[path]
3111 flags = fctx.flags()
3112 flags = fctx.flags()
3112 mctx = context.memfilectx(repo,
3113 mctx = context.memfilectx(repo,
3113 fctx.path(), fctx.data(),
3114 fctx.path(), fctx.data(),
3114 islink='l' in flags,
3115 islink='l' in flags,
3115 isexec='x' in flags,
3116 isexec='x' in flags,
3116 copied=copied.get(path))
3117 copied=copied.get(path))
3117 return mctx
3118 return mctx
3118 except KeyError:
3119 except KeyError:
3119 return None
3120 return None
3120 else:
3121 else:
3121 ui.note(_('copying changeset %s to %s\n') % (old, base))
3122 ui.note(_('copying changeset %s to %s\n') % (old, base))
3122
3123
3123 # Use version of files as in the old cset
3124 # Use version of files as in the old cset
3124 def filectxfn(repo, ctx_, path):
3125 def filectxfn(repo, ctx_, path):
3125 try:
3126 try:
3126 return old.filectx(path)
3127 return old.filectx(path)
3127 except KeyError:
3128 except KeyError:
3128 return None
3129 return None
3129
3130
3130 user = opts.get('user') or old.user()
3131 user = opts.get('user') or old.user()
3131 date = opts.get('date') or old.date()
3132 date = opts.get('date') or old.date()
3132 editform = mergeeditform(old, 'commit.amend')
3133 editform = mergeeditform(old, 'commit.amend')
3133 editor = getcommiteditor(editform=editform,
3134 editor = getcommiteditor(editform=editform,
3134 **pycompat.strkwargs(opts))
3135 **pycompat.strkwargs(opts))
3135 if not message:
3136 if not message:
3136 editor = getcommiteditor(edit=True, editform=editform)
3137 editor = getcommiteditor(edit=True, editform=editform)
3137 message = old.description()
3138 message = old.description()
3138
3139
3139 pureextra = extra.copy()
3140 pureextra = extra.copy()
3140 extra['amend_source'] = old.hex()
3141 extra['amend_source'] = old.hex()
3141
3142
3142 new = context.memctx(repo,
3143 new = context.memctx(repo,
3143 parents=[base.node(), old.p2().node()],
3144 parents=[base.node(), old.p2().node()],
3144 text=message,
3145 text=message,
3145 files=files,
3146 files=files,
3146 filectxfn=filectxfn,
3147 filectxfn=filectxfn,
3147 user=user,
3148 user=user,
3148 date=date,
3149 date=date,
3149 extra=extra,
3150 extra=extra,
3150 editor=editor)
3151 editor=editor)
3151
3152
3152 newdesc = changelog.stripdesc(new.description())
3153 newdesc = changelog.stripdesc(new.description())
3153 if ((not node)
3154 if ((not node)
3154 and newdesc == old.description()
3155 and newdesc == old.description()
3155 and user == old.user()
3156 and user == old.user()
3156 and date == old.date()
3157 and date == old.date()
3157 and pureextra == old.extra()):
3158 and pureextra == old.extra()):
3158 # nothing changed. continuing here would create a new node
3159 # nothing changed. continuing here would create a new node
3159 # anyway because of the amend_source noise.
3160 # anyway because of the amend_source noise.
3160 #
3161 #
3161 # This not what we expect from amend.
3162 # This not what we expect from amend.
3162 return old.node()
3163 return old.node()
3163
3164
3164 ph = repo.ui.config('phases', 'new-commit', phases.draft)
3165 ph = repo.ui.config('phases', 'new-commit', phases.draft)
3165 try:
3166 try:
3166 if opts.get('secret'):
3167 if opts.get('secret'):
3167 commitphase = 'secret'
3168 commitphase = 'secret'
3168 else:
3169 else:
3169 commitphase = old.phase()
3170 commitphase = old.phase()
3170 repo.ui.setconfig('phases', 'new-commit', commitphase, 'amend')
3171 repo.ui.setconfig('phases', 'new-commit', commitphase, 'amend')
3171 newid = repo.commitctx(new)
3172 newid = repo.commitctx(new)
3172 finally:
3173 finally:
3173 repo.ui.setconfig('phases', 'new-commit', ph, 'amend')
3174 repo.ui.setconfig('phases', 'new-commit', ph, 'amend')
3174 if newid != old.node():
3175 if newid != old.node():
3175 # Reroute the working copy parent to the new changeset
3176 # Reroute the working copy parent to the new changeset
3176 repo.setparents(newid, nullid)
3177 repo.setparents(newid, nullid)
3177 mapping = {old.node(): (newid,)}
3178 mapping = {old.node(): (newid,)}
3178 if node:
3179 if node:
3179 mapping[node] = ()
3180 mapping[node] = ()
3180 scmutil.cleanupnodes(repo, mapping, 'amend')
3181 scmutil.cleanupnodes(repo, mapping, 'amend')
3181 return newid
3182 return newid
3182
3183
3183 def commiteditor(repo, ctx, subs, editform=''):
3184 def commiteditor(repo, ctx, subs, editform=''):
3184 if ctx.description():
3185 if ctx.description():
3185 return ctx.description()
3186 return ctx.description()
3186 return commitforceeditor(repo, ctx, subs, editform=editform,
3187 return commitforceeditor(repo, ctx, subs, editform=editform,
3187 unchangedmessagedetection=True)
3188 unchangedmessagedetection=True)
3188
3189
3189 def commitforceeditor(repo, ctx, subs, finishdesc=None, extramsg=None,
3190 def commitforceeditor(repo, ctx, subs, finishdesc=None, extramsg=None,
3190 editform='', unchangedmessagedetection=False):
3191 editform='', unchangedmessagedetection=False):
3191 if not extramsg:
3192 if not extramsg:
3192 extramsg = _("Leave message empty to abort commit.")
3193 extramsg = _("Leave message empty to abort commit.")
3193
3194
3194 forms = [e for e in editform.split('.') if e]
3195 forms = [e for e in editform.split('.') if e]
3195 forms.insert(0, 'changeset')
3196 forms.insert(0, 'changeset')
3196 templatetext = None
3197 templatetext = None
3197 while forms:
3198 while forms:
3198 ref = '.'.join(forms)
3199 ref = '.'.join(forms)
3199 if repo.ui.config('committemplate', ref):
3200 if repo.ui.config('committemplate', ref):
3200 templatetext = committext = buildcommittemplate(
3201 templatetext = committext = buildcommittemplate(
3201 repo, ctx, subs, extramsg, ref)
3202 repo, ctx, subs, extramsg, ref)
3202 break
3203 break
3203 forms.pop()
3204 forms.pop()
3204 else:
3205 else:
3205 committext = buildcommittext(repo, ctx, subs, extramsg)
3206 committext = buildcommittext(repo, ctx, subs, extramsg)
3206
3207
3207 # run editor in the repository root
3208 # run editor in the repository root
3208 olddir = pycompat.getcwd()
3209 olddir = pycompat.getcwd()
3209 os.chdir(repo.root)
3210 os.chdir(repo.root)
3210
3211
3211 # make in-memory changes visible to external process
3212 # make in-memory changes visible to external process
3212 tr = repo.currenttransaction()
3213 tr = repo.currenttransaction()
3213 repo.dirstate.write(tr)
3214 repo.dirstate.write(tr)
3214 pending = tr and tr.writepending() and repo.root
3215 pending = tr and tr.writepending() and repo.root
3215
3216
3216 editortext = repo.ui.edit(committext, ctx.user(), ctx.extra(),
3217 editortext = repo.ui.edit(committext, ctx.user(), ctx.extra(),
3217 editform=editform, pending=pending,
3218 editform=editform, pending=pending,
3218 repopath=repo.path)
3219 repopath=repo.path)
3219 text = editortext
3220 text = editortext
3220
3221
3221 # strip away anything below this special string (used for editors that want
3222 # strip away anything below this special string (used for editors that want
3222 # to display the diff)
3223 # to display the diff)
3223 stripbelow = re.search(_linebelow, text, flags=re.MULTILINE)
3224 stripbelow = re.search(_linebelow, text, flags=re.MULTILINE)
3224 if stripbelow:
3225 if stripbelow:
3225 text = text[:stripbelow.start()]
3226 text = text[:stripbelow.start()]
3226
3227
3227 text = re.sub("(?m)^HG:.*(\n|$)", "", text)
3228 text = re.sub("(?m)^HG:.*(\n|$)", "", text)
3228 os.chdir(olddir)
3229 os.chdir(olddir)
3229
3230
3230 if finishdesc:
3231 if finishdesc:
3231 text = finishdesc(text)
3232 text = finishdesc(text)
3232 if not text.strip():
3233 if not text.strip():
3233 raise error.Abort(_("empty commit message"))
3234 raise error.Abort(_("empty commit message"))
3234 if unchangedmessagedetection and editortext == templatetext:
3235 if unchangedmessagedetection and editortext == templatetext:
3235 raise error.Abort(_("commit message unchanged"))
3236 raise error.Abort(_("commit message unchanged"))
3236
3237
3237 return text
3238 return text
3238
3239
3239 def buildcommittemplate(repo, ctx, subs, extramsg, ref):
3240 def buildcommittemplate(repo, ctx, subs, extramsg, ref):
3240 ui = repo.ui
3241 ui = repo.ui
3241 spec = formatter.templatespec(ref, None, None)
3242 spec = formatter.templatespec(ref, None, None)
3242 t = changeset_templater(ui, repo, spec, None, {}, False)
3243 t = changeset_templater(ui, repo, spec, None, {}, False)
3243 t.t.cache.update((k, templater.unquotestring(v))
3244 t.t.cache.update((k, templater.unquotestring(v))
3244 for k, v in repo.ui.configitems('committemplate'))
3245 for k, v in repo.ui.configitems('committemplate'))
3245
3246
3246 if not extramsg:
3247 if not extramsg:
3247 extramsg = '' # ensure that extramsg is string
3248 extramsg = '' # ensure that extramsg is string
3248
3249
3249 ui.pushbuffer()
3250 ui.pushbuffer()
3250 t.show(ctx, extramsg=extramsg)
3251 t.show(ctx, extramsg=extramsg)
3251 return ui.popbuffer()
3252 return ui.popbuffer()
3252
3253
3253 def hgprefix(msg):
3254 def hgprefix(msg):
3254 return "\n".join(["HG: %s" % a for a in msg.split("\n") if a])
3255 return "\n".join(["HG: %s" % a for a in msg.split("\n") if a])
3255
3256
3256 def buildcommittext(repo, ctx, subs, extramsg):
3257 def buildcommittext(repo, ctx, subs, extramsg):
3257 edittext = []
3258 edittext = []
3258 modified, added, removed = ctx.modified(), ctx.added(), ctx.removed()
3259 modified, added, removed = ctx.modified(), ctx.added(), ctx.removed()
3259 if ctx.description():
3260 if ctx.description():
3260 edittext.append(ctx.description())
3261 edittext.append(ctx.description())
3261 edittext.append("")
3262 edittext.append("")
3262 edittext.append("") # Empty line between message and comments.
3263 edittext.append("") # Empty line between message and comments.
3263 edittext.append(hgprefix(_("Enter commit message."
3264 edittext.append(hgprefix(_("Enter commit message."
3264 " Lines beginning with 'HG:' are removed.")))
3265 " Lines beginning with 'HG:' are removed.")))
3265 edittext.append(hgprefix(extramsg))
3266 edittext.append(hgprefix(extramsg))
3266 edittext.append("HG: --")
3267 edittext.append("HG: --")
3267 edittext.append(hgprefix(_("user: %s") % ctx.user()))
3268 edittext.append(hgprefix(_("user: %s") % ctx.user()))
3268 if ctx.p2():
3269 if ctx.p2():
3269 edittext.append(hgprefix(_("branch merge")))
3270 edittext.append(hgprefix(_("branch merge")))
3270 if ctx.branch():
3271 if ctx.branch():
3271 edittext.append(hgprefix(_("branch '%s'") % ctx.branch()))
3272 edittext.append(hgprefix(_("branch '%s'") % ctx.branch()))
3272 if bookmarks.isactivewdirparent(repo):
3273 if bookmarks.isactivewdirparent(repo):
3273 edittext.append(hgprefix(_("bookmark '%s'") % repo._activebookmark))
3274 edittext.append(hgprefix(_("bookmark '%s'") % repo._activebookmark))
3274 edittext.extend([hgprefix(_("subrepo %s") % s) for s in subs])
3275 edittext.extend([hgprefix(_("subrepo %s") % s) for s in subs])
3275 edittext.extend([hgprefix(_("added %s") % f) for f in added])
3276 edittext.extend([hgprefix(_("added %s") % f) for f in added])
3276 edittext.extend([hgprefix(_("changed %s") % f) for f in modified])
3277 edittext.extend([hgprefix(_("changed %s") % f) for f in modified])
3277 edittext.extend([hgprefix(_("removed %s") % f) for f in removed])
3278 edittext.extend([hgprefix(_("removed %s") % f) for f in removed])
3278 if not added and not modified and not removed:
3279 if not added and not modified and not removed:
3279 edittext.append(hgprefix(_("no files changed")))
3280 edittext.append(hgprefix(_("no files changed")))
3280 edittext.append("")
3281 edittext.append("")
3281
3282
3282 return "\n".join(edittext)
3283 return "\n".join(edittext)
3283
3284
3284 def commitstatus(repo, node, branch, bheads=None, opts=None):
3285 def commitstatus(repo, node, branch, bheads=None, opts=None):
3285 if opts is None:
3286 if opts is None:
3286 opts = {}
3287 opts = {}
3287 ctx = repo[node]
3288 ctx = repo[node]
3288 parents = ctx.parents()
3289 parents = ctx.parents()
3289
3290
3290 if (not opts.get('amend') and bheads and node not in bheads and not
3291 if (not opts.get('amend') and bheads and node not in bheads and not
3291 [x for x in parents if x.node() in bheads and x.branch() == branch]):
3292 [x for x in parents if x.node() in bheads and x.branch() == branch]):
3292 repo.ui.status(_('created new head\n'))
3293 repo.ui.status(_('created new head\n'))
3293 # The message is not printed for initial roots. For the other
3294 # The message is not printed for initial roots. For the other
3294 # changesets, it is printed in the following situations:
3295 # changesets, it is printed in the following situations:
3295 #
3296 #
3296 # Par column: for the 2 parents with ...
3297 # Par column: for the 2 parents with ...
3297 # N: null or no parent
3298 # N: null or no parent
3298 # B: parent is on another named branch
3299 # B: parent is on another named branch
3299 # C: parent is a regular non head changeset
3300 # C: parent is a regular non head changeset
3300 # H: parent was a branch head of the current branch
3301 # H: parent was a branch head of the current branch
3301 # Msg column: whether we print "created new head" message
3302 # Msg column: whether we print "created new head" message
3302 # In the following, it is assumed that there already exists some
3303 # In the following, it is assumed that there already exists some
3303 # initial branch heads of the current branch, otherwise nothing is
3304 # initial branch heads of the current branch, otherwise nothing is
3304 # printed anyway.
3305 # printed anyway.
3305 #
3306 #
3306 # Par Msg Comment
3307 # Par Msg Comment
3307 # N N y additional topo root
3308 # N N y additional topo root
3308 #
3309 #
3309 # B N y additional branch root
3310 # B N y additional branch root
3310 # C N y additional topo head
3311 # C N y additional topo head
3311 # H N n usual case
3312 # H N n usual case
3312 #
3313 #
3313 # B B y weird additional branch root
3314 # B B y weird additional branch root
3314 # C B y branch merge
3315 # C B y branch merge
3315 # H B n merge with named branch
3316 # H B n merge with named branch
3316 #
3317 #
3317 # C C y additional head from merge
3318 # C C y additional head from merge
3318 # C H n merge with a head
3319 # C H n merge with a head
3319 #
3320 #
3320 # H H n head merge: head count decreases
3321 # H H n head merge: head count decreases
3321
3322
3322 if not opts.get('close_branch'):
3323 if not opts.get('close_branch'):
3323 for r in parents:
3324 for r in parents:
3324 if r.closesbranch() and r.branch() == branch:
3325 if r.closesbranch() and r.branch() == branch:
3325 repo.ui.status(_('reopening closed branch head %d\n') % r)
3326 repo.ui.status(_('reopening closed branch head %d\n') % r)
3326
3327
3327 if repo.ui.debugflag:
3328 if repo.ui.debugflag:
3328 repo.ui.write(_('committed changeset %d:%s\n') % (int(ctx), ctx.hex()))
3329 repo.ui.write(_('committed changeset %d:%s\n') % (int(ctx), ctx.hex()))
3329 elif repo.ui.verbose:
3330 elif repo.ui.verbose:
3330 repo.ui.write(_('committed changeset %d:%s\n') % (int(ctx), ctx))
3331 repo.ui.write(_('committed changeset %d:%s\n') % (int(ctx), ctx))
3331
3332
3332 def postcommitstatus(repo, pats, opts):
3333 def postcommitstatus(repo, pats, opts):
3333 return repo.status(match=scmutil.match(repo[None], pats, opts))
3334 return repo.status(match=scmutil.match(repo[None], pats, opts))
3334
3335
3335 def revert(ui, repo, ctx, parents, *pats, **opts):
3336 def revert(ui, repo, ctx, parents, *pats, **opts):
3336 parent, p2 = parents
3337 parent, p2 = parents
3337 node = ctx.node()
3338 node = ctx.node()
3338
3339
3339 mf = ctx.manifest()
3340 mf = ctx.manifest()
3340 if node == p2:
3341 if node == p2:
3341 parent = p2
3342 parent = p2
3342
3343
3343 # need all matching names in dirstate and manifest of target rev,
3344 # need all matching names in dirstate and manifest of target rev,
3344 # so have to walk both. do not print errors if files exist in one
3345 # so have to walk both. do not print errors if files exist in one
3345 # but not other. in both cases, filesets should be evaluated against
3346 # but not other. in both cases, filesets should be evaluated against
3346 # workingctx to get consistent result (issue4497). this means 'set:**'
3347 # workingctx to get consistent result (issue4497). this means 'set:**'
3347 # cannot be used to select missing files from target rev.
3348 # cannot be used to select missing files from target rev.
3348
3349
3349 # `names` is a mapping for all elements in working copy and target revision
3350 # `names` is a mapping for all elements in working copy and target revision
3350 # The mapping is in the form:
3351 # The mapping is in the form:
3351 # <asb path in repo> -> (<path from CWD>, <exactly specified by matcher?>)
3352 # <asb path in repo> -> (<path from CWD>, <exactly specified by matcher?>)
3352 names = {}
3353 names = {}
3353
3354
3354 with repo.wlock():
3355 with repo.wlock():
3355 ## filling of the `names` mapping
3356 ## filling of the `names` mapping
3356 # walk dirstate to fill `names`
3357 # walk dirstate to fill `names`
3357
3358
3358 interactive = opts.get('interactive', False)
3359 interactive = opts.get('interactive', False)
3359 wctx = repo[None]
3360 wctx = repo[None]
3360 m = scmutil.match(wctx, pats, opts)
3361 m = scmutil.match(wctx, pats, opts)
3361
3362
3362 # we'll need this later
3363 # we'll need this later
3363 targetsubs = sorted(s for s in wctx.substate if m(s))
3364 targetsubs = sorted(s for s in wctx.substate if m(s))
3364
3365
3365 if not m.always():
3366 if not m.always():
3366 matcher = matchmod.badmatch(m, lambda x, y: False)
3367 matcher = matchmod.badmatch(m, lambda x, y: False)
3367 for abs in wctx.walk(matcher):
3368 for abs in wctx.walk(matcher):
3368 names[abs] = m.rel(abs), m.exact(abs)
3369 names[abs] = m.rel(abs), m.exact(abs)
3369
3370
3370 # walk target manifest to fill `names`
3371 # walk target manifest to fill `names`
3371
3372
3372 def badfn(path, msg):
3373 def badfn(path, msg):
3373 if path in names:
3374 if path in names:
3374 return
3375 return
3375 if path in ctx.substate:
3376 if path in ctx.substate:
3376 return
3377 return
3377 path_ = path + '/'
3378 path_ = path + '/'
3378 for f in names:
3379 for f in names:
3379 if f.startswith(path_):
3380 if f.startswith(path_):
3380 return
3381 return
3381 ui.warn("%s: %s\n" % (m.rel(path), msg))
3382 ui.warn("%s: %s\n" % (m.rel(path), msg))
3382
3383
3383 for abs in ctx.walk(matchmod.badmatch(m, badfn)):
3384 for abs in ctx.walk(matchmod.badmatch(m, badfn)):
3384 if abs not in names:
3385 if abs not in names:
3385 names[abs] = m.rel(abs), m.exact(abs)
3386 names[abs] = m.rel(abs), m.exact(abs)
3386
3387
3387 # Find status of all file in `names`.
3388 # Find status of all file in `names`.
3388 m = scmutil.matchfiles(repo, names)
3389 m = scmutil.matchfiles(repo, names)
3389
3390
3390 changes = repo.status(node1=node, match=m,
3391 changes = repo.status(node1=node, match=m,
3391 unknown=True, ignored=True, clean=True)
3392 unknown=True, ignored=True, clean=True)
3392 else:
3393 else:
3393 changes = repo.status(node1=node, match=m)
3394 changes = repo.status(node1=node, match=m)
3394 for kind in changes:
3395 for kind in changes:
3395 for abs in kind:
3396 for abs in kind:
3396 names[abs] = m.rel(abs), m.exact(abs)
3397 names[abs] = m.rel(abs), m.exact(abs)
3397
3398
3398 m = scmutil.matchfiles(repo, names)
3399 m = scmutil.matchfiles(repo, names)
3399
3400
3400 modified = set(changes.modified)
3401 modified = set(changes.modified)
3401 added = set(changes.added)
3402 added = set(changes.added)
3402 removed = set(changes.removed)
3403 removed = set(changes.removed)
3403 _deleted = set(changes.deleted)
3404 _deleted = set(changes.deleted)
3404 unknown = set(changes.unknown)
3405 unknown = set(changes.unknown)
3405 unknown.update(changes.ignored)
3406 unknown.update(changes.ignored)
3406 clean = set(changes.clean)
3407 clean = set(changes.clean)
3407 modadded = set()
3408 modadded = set()
3408
3409
3409 # We need to account for the state of the file in the dirstate,
3410 # We need to account for the state of the file in the dirstate,
3410 # even when we revert against something else than parent. This will
3411 # even when we revert against something else than parent. This will
3411 # slightly alter the behavior of revert (doing back up or not, delete
3412 # slightly alter the behavior of revert (doing back up or not, delete
3412 # or just forget etc).
3413 # or just forget etc).
3413 if parent == node:
3414 if parent == node:
3414 dsmodified = modified
3415 dsmodified = modified
3415 dsadded = added
3416 dsadded = added
3416 dsremoved = removed
3417 dsremoved = removed
3417 # store all local modifications, useful later for rename detection
3418 # store all local modifications, useful later for rename detection
3418 localchanges = dsmodified | dsadded
3419 localchanges = dsmodified | dsadded
3419 modified, added, removed = set(), set(), set()
3420 modified, added, removed = set(), set(), set()
3420 else:
3421 else:
3421 changes = repo.status(node1=parent, match=m)
3422 changes = repo.status(node1=parent, match=m)
3422 dsmodified = set(changes.modified)
3423 dsmodified = set(changes.modified)
3423 dsadded = set(changes.added)
3424 dsadded = set(changes.added)
3424 dsremoved = set(changes.removed)
3425 dsremoved = set(changes.removed)
3425 # store all local modifications, useful later for rename detection
3426 # store all local modifications, useful later for rename detection
3426 localchanges = dsmodified | dsadded
3427 localchanges = dsmodified | dsadded
3427
3428
3428 # only take into account for removes between wc and target
3429 # only take into account for removes between wc and target
3429 clean |= dsremoved - removed
3430 clean |= dsremoved - removed
3430 dsremoved &= removed
3431 dsremoved &= removed
3431 # distinct between dirstate remove and other
3432 # distinct between dirstate remove and other
3432 removed -= dsremoved
3433 removed -= dsremoved
3433
3434
3434 modadded = added & dsmodified
3435 modadded = added & dsmodified
3435 added -= modadded
3436 added -= modadded
3436
3437
3437 # tell newly modified apart.
3438 # tell newly modified apart.
3438 dsmodified &= modified
3439 dsmodified &= modified
3439 dsmodified |= modified & dsadded # dirstate added may need backup
3440 dsmodified |= modified & dsadded # dirstate added may need backup
3440 modified -= dsmodified
3441 modified -= dsmodified
3441
3442
3442 # We need to wait for some post-processing to update this set
3443 # We need to wait for some post-processing to update this set
3443 # before making the distinction. The dirstate will be used for
3444 # before making the distinction. The dirstate will be used for
3444 # that purpose.
3445 # that purpose.
3445 dsadded = added
3446 dsadded = added
3446
3447
3447 # in case of merge, files that are actually added can be reported as
3448 # in case of merge, files that are actually added can be reported as
3448 # modified, we need to post process the result
3449 # modified, we need to post process the result
3449 if p2 != nullid:
3450 if p2 != nullid:
3450 mergeadd = set(dsmodified)
3451 mergeadd = set(dsmodified)
3451 for path in dsmodified:
3452 for path in dsmodified:
3452 if path in mf:
3453 if path in mf:
3453 mergeadd.remove(path)
3454 mergeadd.remove(path)
3454 dsadded |= mergeadd
3455 dsadded |= mergeadd
3455 dsmodified -= mergeadd
3456 dsmodified -= mergeadd
3456
3457
3457 # if f is a rename, update `names` to also revert the source
3458 # if f is a rename, update `names` to also revert the source
3458 cwd = repo.getcwd()
3459 cwd = repo.getcwd()
3459 for f in localchanges:
3460 for f in localchanges:
3460 src = repo.dirstate.copied(f)
3461 src = repo.dirstate.copied(f)
3461 # XXX should we check for rename down to target node?
3462 # XXX should we check for rename down to target node?
3462 if src and src not in names and repo.dirstate[src] == 'r':
3463 if src and src not in names and repo.dirstate[src] == 'r':
3463 dsremoved.add(src)
3464 dsremoved.add(src)
3464 names[src] = (repo.pathto(src, cwd), True)
3465 names[src] = (repo.pathto(src, cwd), True)
3465
3466
3466 # determine the exact nature of the deleted changesets
3467 # determine the exact nature of the deleted changesets
3467 deladded = set(_deleted)
3468 deladded = set(_deleted)
3468 for path in _deleted:
3469 for path in _deleted:
3469 if path in mf:
3470 if path in mf:
3470 deladded.remove(path)
3471 deladded.remove(path)
3471 deleted = _deleted - deladded
3472 deleted = _deleted - deladded
3472
3473
3473 # distinguish between file to forget and the other
3474 # distinguish between file to forget and the other
3474 added = set()
3475 added = set()
3475 for abs in dsadded:
3476 for abs in dsadded:
3476 if repo.dirstate[abs] != 'a':
3477 if repo.dirstate[abs] != 'a':
3477 added.add(abs)
3478 added.add(abs)
3478 dsadded -= added
3479 dsadded -= added
3479
3480
3480 for abs in deladded:
3481 for abs in deladded:
3481 if repo.dirstate[abs] == 'a':
3482 if repo.dirstate[abs] == 'a':
3482 dsadded.add(abs)
3483 dsadded.add(abs)
3483 deladded -= dsadded
3484 deladded -= dsadded
3484
3485
3485 # For files marked as removed, we check if an unknown file is present at
3486 # For files marked as removed, we check if an unknown file is present at
3486 # the same path. If a such file exists it may need to be backed up.
3487 # the same path. If a such file exists it may need to be backed up.
3487 # Making the distinction at this stage helps have simpler backup
3488 # Making the distinction at this stage helps have simpler backup
3488 # logic.
3489 # logic.
3489 removunk = set()
3490 removunk = set()
3490 for abs in removed:
3491 for abs in removed:
3491 target = repo.wjoin(abs)
3492 target = repo.wjoin(abs)
3492 if os.path.lexists(target):
3493 if os.path.lexists(target):
3493 removunk.add(abs)
3494 removunk.add(abs)
3494 removed -= removunk
3495 removed -= removunk
3495
3496
3496 dsremovunk = set()
3497 dsremovunk = set()
3497 for abs in dsremoved:
3498 for abs in dsremoved:
3498 target = repo.wjoin(abs)
3499 target = repo.wjoin(abs)
3499 if os.path.lexists(target):
3500 if os.path.lexists(target):
3500 dsremovunk.add(abs)
3501 dsremovunk.add(abs)
3501 dsremoved -= dsremovunk
3502 dsremoved -= dsremovunk
3502
3503
3503 # action to be actually performed by revert
3504 # action to be actually performed by revert
3504 # (<list of file>, message>) tuple
3505 # (<list of file>, message>) tuple
3505 actions = {'revert': ([], _('reverting %s\n')),
3506 actions = {'revert': ([], _('reverting %s\n')),
3506 'add': ([], _('adding %s\n')),
3507 'add': ([], _('adding %s\n')),
3507 'remove': ([], _('removing %s\n')),
3508 'remove': ([], _('removing %s\n')),
3508 'drop': ([], _('removing %s\n')),
3509 'drop': ([], _('removing %s\n')),
3509 'forget': ([], _('forgetting %s\n')),
3510 'forget': ([], _('forgetting %s\n')),
3510 'undelete': ([], _('undeleting %s\n')),
3511 'undelete': ([], _('undeleting %s\n')),
3511 'noop': (None, _('no changes needed to %s\n')),
3512 'noop': (None, _('no changes needed to %s\n')),
3512 'unknown': (None, _('file not managed: %s\n')),
3513 'unknown': (None, _('file not managed: %s\n')),
3513 }
3514 }
3514
3515
3515 # "constant" that convey the backup strategy.
3516 # "constant" that convey the backup strategy.
3516 # All set to `discard` if `no-backup` is set do avoid checking
3517 # All set to `discard` if `no-backup` is set do avoid checking
3517 # no_backup lower in the code.
3518 # no_backup lower in the code.
3518 # These values are ordered for comparison purposes
3519 # These values are ordered for comparison purposes
3519 backupinteractive = 3 # do backup if interactively modified
3520 backupinteractive = 3 # do backup if interactively modified
3520 backup = 2 # unconditionally do backup
3521 backup = 2 # unconditionally do backup
3521 check = 1 # check if the existing file differs from target
3522 check = 1 # check if the existing file differs from target
3522 discard = 0 # never do backup
3523 discard = 0 # never do backup
3523 if opts.get('no_backup'):
3524 if opts.get('no_backup'):
3524 backupinteractive = backup = check = discard
3525 backupinteractive = backup = check = discard
3525 if interactive:
3526 if interactive:
3526 dsmodifiedbackup = backupinteractive
3527 dsmodifiedbackup = backupinteractive
3527 else:
3528 else:
3528 dsmodifiedbackup = backup
3529 dsmodifiedbackup = backup
3529 tobackup = set()
3530 tobackup = set()
3530
3531
3531 backupanddel = actions['remove']
3532 backupanddel = actions['remove']
3532 if not opts.get('no_backup'):
3533 if not opts.get('no_backup'):
3533 backupanddel = actions['drop']
3534 backupanddel = actions['drop']
3534
3535
3535 disptable = (
3536 disptable = (
3536 # dispatch table:
3537 # dispatch table:
3537 # file state
3538 # file state
3538 # action
3539 # action
3539 # make backup
3540 # make backup
3540
3541
3541 ## Sets that results that will change file on disk
3542 ## Sets that results that will change file on disk
3542 # Modified compared to target, no local change
3543 # Modified compared to target, no local change
3543 (modified, actions['revert'], discard),
3544 (modified, actions['revert'], discard),
3544 # Modified compared to target, but local file is deleted
3545 # Modified compared to target, but local file is deleted
3545 (deleted, actions['revert'], discard),
3546 (deleted, actions['revert'], discard),
3546 # Modified compared to target, local change
3547 # Modified compared to target, local change
3547 (dsmodified, actions['revert'], dsmodifiedbackup),
3548 (dsmodified, actions['revert'], dsmodifiedbackup),
3548 # Added since target
3549 # Added since target
3549 (added, actions['remove'], discard),
3550 (added, actions['remove'], discard),
3550 # Added in working directory
3551 # Added in working directory
3551 (dsadded, actions['forget'], discard),
3552 (dsadded, actions['forget'], discard),
3552 # Added since target, have local modification
3553 # Added since target, have local modification
3553 (modadded, backupanddel, backup),
3554 (modadded, backupanddel, backup),
3554 # Added since target but file is missing in working directory
3555 # Added since target but file is missing in working directory
3555 (deladded, actions['drop'], discard),
3556 (deladded, actions['drop'], discard),
3556 # Removed since target, before working copy parent
3557 # Removed since target, before working copy parent
3557 (removed, actions['add'], discard),
3558 (removed, actions['add'], discard),
3558 # Same as `removed` but an unknown file exists at the same path
3559 # Same as `removed` but an unknown file exists at the same path
3559 (removunk, actions['add'], check),
3560 (removunk, actions['add'], check),
3560 # Removed since targe, marked as such in working copy parent
3561 # Removed since targe, marked as such in working copy parent
3561 (dsremoved, actions['undelete'], discard),
3562 (dsremoved, actions['undelete'], discard),
3562 # Same as `dsremoved` but an unknown file exists at the same path
3563 # Same as `dsremoved` but an unknown file exists at the same path
3563 (dsremovunk, actions['undelete'], check),
3564 (dsremovunk, actions['undelete'], check),
3564 ## the following sets does not result in any file changes
3565 ## the following sets does not result in any file changes
3565 # File with no modification
3566 # File with no modification
3566 (clean, actions['noop'], discard),
3567 (clean, actions['noop'], discard),
3567 # Existing file, not tracked anywhere
3568 # Existing file, not tracked anywhere
3568 (unknown, actions['unknown'], discard),
3569 (unknown, actions['unknown'], discard),
3569 )
3570 )
3570
3571
3571 for abs, (rel, exact) in sorted(names.items()):
3572 for abs, (rel, exact) in sorted(names.items()):
3572 # target file to be touch on disk (relative to cwd)
3573 # target file to be touch on disk (relative to cwd)
3573 target = repo.wjoin(abs)
3574 target = repo.wjoin(abs)
3574 # search the entry in the dispatch table.
3575 # search the entry in the dispatch table.
3575 # if the file is in any of these sets, it was touched in the working
3576 # if the file is in any of these sets, it was touched in the working
3576 # directory parent and we are sure it needs to be reverted.
3577 # directory parent and we are sure it needs to be reverted.
3577 for table, (xlist, msg), dobackup in disptable:
3578 for table, (xlist, msg), dobackup in disptable:
3578 if abs not in table:
3579 if abs not in table:
3579 continue
3580 continue
3580 if xlist is not None:
3581 if xlist is not None:
3581 xlist.append(abs)
3582 xlist.append(abs)
3582 if dobackup:
3583 if dobackup:
3583 # If in interactive mode, don't automatically create
3584 # If in interactive mode, don't automatically create
3584 # .orig files (issue4793)
3585 # .orig files (issue4793)
3585 if dobackup == backupinteractive:
3586 if dobackup == backupinteractive:
3586 tobackup.add(abs)
3587 tobackup.add(abs)
3587 elif (backup <= dobackup or wctx[abs].cmp(ctx[abs])):
3588 elif (backup <= dobackup or wctx[abs].cmp(ctx[abs])):
3588 bakname = scmutil.origpath(ui, repo, rel)
3589 bakname = scmutil.origpath(ui, repo, rel)
3589 ui.note(_('saving current version of %s as %s\n') %
3590 ui.note(_('saving current version of %s as %s\n') %
3590 (rel, bakname))
3591 (rel, bakname))
3591 if not opts.get('dry_run'):
3592 if not opts.get('dry_run'):
3592 if interactive:
3593 if interactive:
3593 util.copyfile(target, bakname)
3594 util.copyfile(target, bakname)
3594 else:
3595 else:
3595 util.rename(target, bakname)
3596 util.rename(target, bakname)
3596 if ui.verbose or not exact:
3597 if ui.verbose or not exact:
3597 if not isinstance(msg, basestring):
3598 if not isinstance(msg, basestring):
3598 msg = msg(abs)
3599 msg = msg(abs)
3599 ui.status(msg % rel)
3600 ui.status(msg % rel)
3600 elif exact:
3601 elif exact:
3601 ui.warn(msg % rel)
3602 ui.warn(msg % rel)
3602 break
3603 break
3603
3604
3604 if not opts.get('dry_run'):
3605 if not opts.get('dry_run'):
3605 needdata = ('revert', 'add', 'undelete')
3606 needdata = ('revert', 'add', 'undelete')
3606 _revertprefetch(repo, ctx, *[actions[name][0] for name in needdata])
3607 _revertprefetch(repo, ctx, *[actions[name][0] for name in needdata])
3607 _performrevert(repo, parents, ctx, actions, interactive, tobackup)
3608 _performrevert(repo, parents, ctx, actions, interactive, tobackup)
3608
3609
3609 if targetsubs:
3610 if targetsubs:
3610 # Revert the subrepos on the revert list
3611 # Revert the subrepos on the revert list
3611 for sub in targetsubs:
3612 for sub in targetsubs:
3612 try:
3613 try:
3613 wctx.sub(sub).revert(ctx.substate[sub], *pats, **opts)
3614 wctx.sub(sub).revert(ctx.substate[sub], *pats, **opts)
3614 except KeyError:
3615 except KeyError:
3615 raise error.Abort("subrepository '%s' does not exist in %s!"
3616 raise error.Abort("subrepository '%s' does not exist in %s!"
3616 % (sub, short(ctx.node())))
3617 % (sub, short(ctx.node())))
3617
3618
3618 def _revertprefetch(repo, ctx, *files):
3619 def _revertprefetch(repo, ctx, *files):
3619 """Let extension changing the storage layer prefetch content"""
3620 """Let extension changing the storage layer prefetch content"""
3620 pass
3621 pass
3621
3622
3622 def _performrevert(repo, parents, ctx, actions, interactive=False,
3623 def _performrevert(repo, parents, ctx, actions, interactive=False,
3623 tobackup=None):
3624 tobackup=None):
3624 """function that actually perform all the actions computed for revert
3625 """function that actually perform all the actions computed for revert
3625
3626
3626 This is an independent function to let extension to plug in and react to
3627 This is an independent function to let extension to plug in and react to
3627 the imminent revert.
3628 the imminent revert.
3628
3629
3629 Make sure you have the working directory locked when calling this function.
3630 Make sure you have the working directory locked when calling this function.
3630 """
3631 """
3631 parent, p2 = parents
3632 parent, p2 = parents
3632 node = ctx.node()
3633 node = ctx.node()
3633 excluded_files = []
3634 excluded_files = []
3634 matcher_opts = {"exclude": excluded_files}
3635 matcher_opts = {"exclude": excluded_files}
3635
3636
3636 def checkout(f):
3637 def checkout(f):
3637 fc = ctx[f]
3638 fc = ctx[f]
3638 repo.wwrite(f, fc.data(), fc.flags())
3639 repo.wwrite(f, fc.data(), fc.flags())
3639
3640
3640 def doremove(f):
3641 def doremove(f):
3641 try:
3642 try:
3642 repo.wvfs.unlinkpath(f)
3643 repo.wvfs.unlinkpath(f)
3643 except OSError:
3644 except OSError:
3644 pass
3645 pass
3645 repo.dirstate.remove(f)
3646 repo.dirstate.remove(f)
3646
3647
3647 audit_path = pathutil.pathauditor(repo.root, cached=True)
3648 audit_path = pathutil.pathauditor(repo.root, cached=True)
3648 for f in actions['forget'][0]:
3649 for f in actions['forget'][0]:
3649 if interactive:
3650 if interactive:
3650 choice = repo.ui.promptchoice(
3651 choice = repo.ui.promptchoice(
3651 _("forget added file %s (Yn)?$$ &Yes $$ &No") % f)
3652 _("forget added file %s (Yn)?$$ &Yes $$ &No") % f)
3652 if choice == 0:
3653 if choice == 0:
3653 repo.dirstate.drop(f)
3654 repo.dirstate.drop(f)
3654 else:
3655 else:
3655 excluded_files.append(repo.wjoin(f))
3656 excluded_files.append(repo.wjoin(f))
3656 else:
3657 else:
3657 repo.dirstate.drop(f)
3658 repo.dirstate.drop(f)
3658 for f in actions['remove'][0]:
3659 for f in actions['remove'][0]:
3659 audit_path(f)
3660 audit_path(f)
3660 if interactive:
3661 if interactive:
3661 choice = repo.ui.promptchoice(
3662 choice = repo.ui.promptchoice(
3662 _("remove added file %s (Yn)?$$ &Yes $$ &No") % f)
3663 _("remove added file %s (Yn)?$$ &Yes $$ &No") % f)
3663 if choice == 0:
3664 if choice == 0:
3664 doremove(f)
3665 doremove(f)
3665 else:
3666 else:
3666 excluded_files.append(repo.wjoin(f))
3667 excluded_files.append(repo.wjoin(f))
3667 else:
3668 else:
3668 doremove(f)
3669 doremove(f)
3669 for f in actions['drop'][0]:
3670 for f in actions['drop'][0]:
3670 audit_path(f)
3671 audit_path(f)
3671 repo.dirstate.remove(f)
3672 repo.dirstate.remove(f)
3672
3673
3673 normal = None
3674 normal = None
3674 if node == parent:
3675 if node == parent:
3675 # We're reverting to our parent. If possible, we'd like status
3676 # We're reverting to our parent. If possible, we'd like status
3676 # to report the file as clean. We have to use normallookup for
3677 # to report the file as clean. We have to use normallookup for
3677 # merges to avoid losing information about merged/dirty files.
3678 # merges to avoid losing information about merged/dirty files.
3678 if p2 != nullid:
3679 if p2 != nullid:
3679 normal = repo.dirstate.normallookup
3680 normal = repo.dirstate.normallookup
3680 else:
3681 else:
3681 normal = repo.dirstate.normal
3682 normal = repo.dirstate.normal
3682
3683
3683 newlyaddedandmodifiedfiles = set()
3684 newlyaddedandmodifiedfiles = set()
3684 if interactive:
3685 if interactive:
3685 # Prompt the user for changes to revert
3686 # Prompt the user for changes to revert
3686 torevert = [repo.wjoin(f) for f in actions['revert'][0]]
3687 torevert = [repo.wjoin(f) for f in actions['revert'][0]]
3687 m = scmutil.match(ctx, torevert, matcher_opts)
3688 m = scmutil.match(ctx, torevert, matcher_opts)
3688 diffopts = patch.difffeatureopts(repo.ui, whitespace=True)
3689 diffopts = patch.difffeatureopts(repo.ui, whitespace=True)
3689 diffopts.nodates = True
3690 diffopts.nodates = True
3690 diffopts.git = True
3691 diffopts.git = True
3691 operation = 'discard'
3692 operation = 'discard'
3692 reversehunks = True
3693 reversehunks = True
3693 if node != parent:
3694 if node != parent:
3694 operation = 'revert'
3695 operation = 'revert'
3695 reversehunks = repo.ui.configbool('experimental',
3696 reversehunks = repo.ui.configbool('experimental',
3696 'revertalternateinteractivemode')
3697 'revertalternateinteractivemode')
3697 if reversehunks:
3698 if reversehunks:
3698 diff = patch.diff(repo, ctx.node(), None, m, opts=diffopts)
3699 diff = patch.diff(repo, ctx.node(), None, m, opts=diffopts)
3699 else:
3700 else:
3700 diff = patch.diff(repo, None, ctx.node(), m, opts=diffopts)
3701 diff = patch.diff(repo, None, ctx.node(), m, opts=diffopts)
3701 originalchunks = patch.parsepatch(diff)
3702 originalchunks = patch.parsepatch(diff)
3702
3703
3703 try:
3704 try:
3704
3705
3705 chunks, opts = recordfilter(repo.ui, originalchunks,
3706 chunks, opts = recordfilter(repo.ui, originalchunks,
3706 operation=operation)
3707 operation=operation)
3707 if reversehunks:
3708 if reversehunks:
3708 chunks = patch.reversehunks(chunks)
3709 chunks = patch.reversehunks(chunks)
3709
3710
3710 except patch.PatchError as err:
3711 except patch.PatchError as err:
3711 raise error.Abort(_('error parsing patch: %s') % err)
3712 raise error.Abort(_('error parsing patch: %s') % err)
3712
3713
3713 newlyaddedandmodifiedfiles = newandmodified(chunks, originalchunks)
3714 newlyaddedandmodifiedfiles = newandmodified(chunks, originalchunks)
3714 if tobackup is None:
3715 if tobackup is None:
3715 tobackup = set()
3716 tobackup = set()
3716 # Apply changes
3717 # Apply changes
3717 fp = stringio()
3718 fp = stringio()
3718 for c in chunks:
3719 for c in chunks:
3719 # Create a backup file only if this hunk should be backed up
3720 # Create a backup file only if this hunk should be backed up
3720 if ishunk(c) and c.header.filename() in tobackup:
3721 if ishunk(c) and c.header.filename() in tobackup:
3721 abs = c.header.filename()
3722 abs = c.header.filename()
3722 target = repo.wjoin(abs)
3723 target = repo.wjoin(abs)
3723 bakname = scmutil.origpath(repo.ui, repo, m.rel(abs))
3724 bakname = scmutil.origpath(repo.ui, repo, m.rel(abs))
3724 util.copyfile(target, bakname)
3725 util.copyfile(target, bakname)
3725 tobackup.remove(abs)
3726 tobackup.remove(abs)
3726 c.write(fp)
3727 c.write(fp)
3727 dopatch = fp.tell()
3728 dopatch = fp.tell()
3728 fp.seek(0)
3729 fp.seek(0)
3729 if dopatch:
3730 if dopatch:
3730 try:
3731 try:
3731 patch.internalpatch(repo.ui, repo, fp, 1, eolmode=None)
3732 patch.internalpatch(repo.ui, repo, fp, 1, eolmode=None)
3732 except patch.PatchError as err:
3733 except patch.PatchError as err:
3733 raise error.Abort(str(err))
3734 raise error.Abort(str(err))
3734 del fp
3735 del fp
3735 else:
3736 else:
3736 for f in actions['revert'][0]:
3737 for f in actions['revert'][0]:
3737 checkout(f)
3738 checkout(f)
3738 if normal:
3739 if normal:
3739 normal(f)
3740 normal(f)
3740
3741
3741 for f in actions['add'][0]:
3742 for f in actions['add'][0]:
3742 # Don't checkout modified files, they are already created by the diff
3743 # Don't checkout modified files, they are already created by the diff
3743 if f not in newlyaddedandmodifiedfiles:
3744 if f not in newlyaddedandmodifiedfiles:
3744 checkout(f)
3745 checkout(f)
3745 repo.dirstate.add(f)
3746 repo.dirstate.add(f)
3746
3747
3747 normal = repo.dirstate.normallookup
3748 normal = repo.dirstate.normallookup
3748 if node == parent and p2 == nullid:
3749 if node == parent and p2 == nullid:
3749 normal = repo.dirstate.normal
3750 normal = repo.dirstate.normal
3750 for f in actions['undelete'][0]:
3751 for f in actions['undelete'][0]:
3751 checkout(f)
3752 checkout(f)
3752 normal(f)
3753 normal(f)
3753
3754
3754 copied = copies.pathcopies(repo[parent], ctx)
3755 copied = copies.pathcopies(repo[parent], ctx)
3755
3756
3756 for f in actions['add'][0] + actions['undelete'][0] + actions['revert'][0]:
3757 for f in actions['add'][0] + actions['undelete'][0] + actions['revert'][0]:
3757 if f in copied:
3758 if f in copied:
3758 repo.dirstate.copy(copied[f], f)
3759 repo.dirstate.copy(copied[f], f)
3759
3760
3760 class command(registrar.command):
3761 class command(registrar.command):
3761 def _doregister(self, func, name, *args, **kwargs):
3762 def _doregister(self, func, name, *args, **kwargs):
3762 func._deprecatedregistrar = True # flag for deprecwarn in extensions.py
3763 func._deprecatedregistrar = True # flag for deprecwarn in extensions.py
3763 return super(command, self)._doregister(func, name, *args, **kwargs)
3764 return super(command, self)._doregister(func, name, *args, **kwargs)
3764
3765
3765 # a list of (ui, repo, otherpeer, opts, missing) functions called by
3766 # a list of (ui, repo, otherpeer, opts, missing) functions called by
3766 # commands.outgoing. "missing" is "missing" of the result of
3767 # commands.outgoing. "missing" is "missing" of the result of
3767 # "findcommonoutgoing()"
3768 # "findcommonoutgoing()"
3768 outgoinghooks = util.hooks()
3769 outgoinghooks = util.hooks()
3769
3770
3770 # a list of (ui, repo) functions called by commands.summary
3771 # a list of (ui, repo) functions called by commands.summary
3771 summaryhooks = util.hooks()
3772 summaryhooks = util.hooks()
3772
3773
3773 # a list of (ui, repo, opts, changes) functions called by commands.summary.
3774 # a list of (ui, repo, opts, changes) functions called by commands.summary.
3774 #
3775 #
3775 # functions should return tuple of booleans below, if 'changes' is None:
3776 # functions should return tuple of booleans below, if 'changes' is None:
3776 # (whether-incomings-are-needed, whether-outgoings-are-needed)
3777 # (whether-incomings-are-needed, whether-outgoings-are-needed)
3777 #
3778 #
3778 # otherwise, 'changes' is a tuple of tuples below:
3779 # otherwise, 'changes' is a tuple of tuples below:
3779 # - (sourceurl, sourcebranch, sourcepeer, incoming)
3780 # - (sourceurl, sourcebranch, sourcepeer, incoming)
3780 # - (desturl, destbranch, destpeer, outgoing)
3781 # - (desturl, destbranch, destpeer, outgoing)
3781 summaryremotehooks = util.hooks()
3782 summaryremotehooks = util.hooks()
3782
3783
3783 # A list of state files kept by multistep operations like graft.
3784 # A list of state files kept by multistep operations like graft.
3784 # Since graft cannot be aborted, it is considered 'clearable' by update.
3785 # Since graft cannot be aborted, it is considered 'clearable' by update.
3785 # note: bisect is intentionally excluded
3786 # note: bisect is intentionally excluded
3786 # (state file, clearable, allowcommit, error, hint)
3787 # (state file, clearable, allowcommit, error, hint)
3787 unfinishedstates = [
3788 unfinishedstates = [
3788 ('graftstate', True, False, _('graft in progress'),
3789 ('graftstate', True, False, _('graft in progress'),
3789 _("use 'hg graft --continue' or 'hg update' to abort")),
3790 _("use 'hg graft --continue' or 'hg update' to abort")),
3790 ('updatestate', True, False, _('last update was interrupted'),
3791 ('updatestate', True, False, _('last update was interrupted'),
3791 _("use 'hg update' to get a consistent checkout"))
3792 _("use 'hg update' to get a consistent checkout"))
3792 ]
3793 ]
3793
3794
3794 def checkunfinished(repo, commit=False):
3795 def checkunfinished(repo, commit=False):
3795 '''Look for an unfinished multistep operation, like graft, and abort
3796 '''Look for an unfinished multistep operation, like graft, and abort
3796 if found. It's probably good to check this right before
3797 if found. It's probably good to check this right before
3797 bailifchanged().
3798 bailifchanged().
3798 '''
3799 '''
3799 for f, clearable, allowcommit, msg, hint in unfinishedstates:
3800 for f, clearable, allowcommit, msg, hint in unfinishedstates:
3800 if commit and allowcommit:
3801 if commit and allowcommit:
3801 continue
3802 continue
3802 if repo.vfs.exists(f):
3803 if repo.vfs.exists(f):
3803 raise error.Abort(msg, hint=hint)
3804 raise error.Abort(msg, hint=hint)
3804
3805
3805 def clearunfinished(repo):
3806 def clearunfinished(repo):
3806 '''Check for unfinished operations (as above), and clear the ones
3807 '''Check for unfinished operations (as above), and clear the ones
3807 that are clearable.
3808 that are clearable.
3808 '''
3809 '''
3809 for f, clearable, allowcommit, msg, hint in unfinishedstates:
3810 for f, clearable, allowcommit, msg, hint in unfinishedstates:
3810 if not clearable and repo.vfs.exists(f):
3811 if not clearable and repo.vfs.exists(f):
3811 raise error.Abort(msg, hint=hint)
3812 raise error.Abort(msg, hint=hint)
3812 for f, clearable, allowcommit, msg, hint in unfinishedstates:
3813 for f, clearable, allowcommit, msg, hint in unfinishedstates:
3813 if clearable and repo.vfs.exists(f):
3814 if clearable and repo.vfs.exists(f):
3814 util.unlink(repo.vfs.join(f))
3815 util.unlink(repo.vfs.join(f))
3815
3816
3816 afterresolvedstates = [
3817 afterresolvedstates = [
3817 ('graftstate',
3818 ('graftstate',
3818 _('hg graft --continue')),
3819 _('hg graft --continue')),
3819 ]
3820 ]
3820
3821
3821 def howtocontinue(repo):
3822 def howtocontinue(repo):
3822 '''Check for an unfinished operation and return the command to finish
3823 '''Check for an unfinished operation and return the command to finish
3823 it.
3824 it.
3824
3825
3825 afterresolvedstates tuples define a .hg/{file} and the corresponding
3826 afterresolvedstates tuples define a .hg/{file} and the corresponding
3826 command needed to finish it.
3827 command needed to finish it.
3827
3828
3828 Returns a (msg, warning) tuple. 'msg' is a string and 'warning' is
3829 Returns a (msg, warning) tuple. 'msg' is a string and 'warning' is
3829 a boolean.
3830 a boolean.
3830 '''
3831 '''
3831 contmsg = _("continue: %s")
3832 contmsg = _("continue: %s")
3832 for f, msg in afterresolvedstates:
3833 for f, msg in afterresolvedstates:
3833 if repo.vfs.exists(f):
3834 if repo.vfs.exists(f):
3834 return contmsg % msg, True
3835 return contmsg % msg, True
3835 if repo[None].dirty(missing=True, merge=False, branch=False):
3836 if repo[None].dirty(missing=True, merge=False, branch=False):
3836 return contmsg % _("hg commit"), False
3837 return contmsg % _("hg commit"), False
3837 return None, None
3838 return None, None
3838
3839
3839 def checkafterresolved(repo):
3840 def checkafterresolved(repo):
3840 '''Inform the user about the next action after completing hg resolve
3841 '''Inform the user about the next action after completing hg resolve
3841
3842
3842 If there's a matching afterresolvedstates, howtocontinue will yield
3843 If there's a matching afterresolvedstates, howtocontinue will yield
3843 repo.ui.warn as the reporter.
3844 repo.ui.warn as the reporter.
3844
3845
3845 Otherwise, it will yield repo.ui.note.
3846 Otherwise, it will yield repo.ui.note.
3846 '''
3847 '''
3847 msg, warning = howtocontinue(repo)
3848 msg, warning = howtocontinue(repo)
3848 if msg is not None:
3849 if msg is not None:
3849 if warning:
3850 if warning:
3850 repo.ui.warn("%s\n" % msg)
3851 repo.ui.warn("%s\n" % msg)
3851 else:
3852 else:
3852 repo.ui.note("%s\n" % msg)
3853 repo.ui.note("%s\n" % msg)
3853
3854
3854 def wrongtooltocontinue(repo, task):
3855 def wrongtooltocontinue(repo, task):
3855 '''Raise an abort suggesting how to properly continue if there is an
3856 '''Raise an abort suggesting how to properly continue if there is an
3856 active task.
3857 active task.
3857
3858
3858 Uses howtocontinue() to find the active task.
3859 Uses howtocontinue() to find the active task.
3859
3860
3860 If there's no task (repo.ui.note for 'hg commit'), it does not offer
3861 If there's no task (repo.ui.note for 'hg commit'), it does not offer
3861 a hint.
3862 a hint.
3862 '''
3863 '''
3863 after = howtocontinue(repo)
3864 after = howtocontinue(repo)
3864 hint = None
3865 hint = None
3865 if after[1]:
3866 if after[1]:
3866 hint = after[0]
3867 hint = after[0]
3867 raise error.Abort(_('no %s in progress') % task, hint=hint)
3868 raise error.Abort(_('no %s in progress') % task, hint=hint)
General Comments 0
You need to be logged in to leave comments. Login now