##// END OF EJS Templates
strip: stop calling `remove` on smartset...
Pierre-Yves David -
r22824:9271630f default
parent child Browse files
Show More
@@ -1,6324 +1,6326 b''
1 # commands.py - command processing for mercurial
1 # commands.py - command processing for 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 node import hex, bin, nullid, nullrev, short
8 from node import hex, bin, nullid, nullrev, short
9 from lock import release
9 from lock import release
10 from i18n import _
10 from i18n import _
11 import os, re, difflib, time, tempfile, errno, shlex
11 import os, re, difflib, time, tempfile, errno, shlex
12 import sys, socket
12 import sys, socket
13 import hg, scmutil, util, revlog, copies, error, bookmarks
13 import hg, scmutil, util, revlog, copies, error, bookmarks
14 import patch, help, encoding, templatekw, discovery
14 import patch, help, encoding, templatekw, discovery
15 import archival, changegroup, cmdutil, hbisect
15 import archival, changegroup, cmdutil, hbisect
16 import sshserver, hgweb, commandserver
16 import sshserver, hgweb, commandserver
17 import extensions
17 import extensions
18 from hgweb import server as hgweb_server
18 from hgweb import server as hgweb_server
19 import merge as mergemod
19 import merge as mergemod
20 import minirst, revset, fileset
20 import minirst, revset, fileset
21 import dagparser, context, simplemerge, graphmod
21 import dagparser, context, simplemerge, graphmod
22 import random
22 import random
23 import setdiscovery, treediscovery, dagutil, pvec, localrepo
23 import setdiscovery, treediscovery, dagutil, pvec, localrepo
24 import phases, obsolete, exchange
24 import phases, obsolete, exchange
25
25
26 table = {}
26 table = {}
27
27
28 command = cmdutil.command(table)
28 command = cmdutil.command(table)
29
29
30 # Space delimited list of commands that don't require local repositories.
30 # Space delimited list of commands that don't require local repositories.
31 # This should be populated by passing norepo=True into the @command decorator.
31 # This should be populated by passing norepo=True into the @command decorator.
32 norepo = ''
32 norepo = ''
33 # Space delimited list of commands that optionally require local repositories.
33 # Space delimited list of commands that optionally require local repositories.
34 # This should be populated by passing optionalrepo=True into the @command
34 # This should be populated by passing optionalrepo=True into the @command
35 # decorator.
35 # decorator.
36 optionalrepo = ''
36 optionalrepo = ''
37 # Space delimited list of commands that will examine arguments looking for
37 # Space delimited list of commands that will examine arguments looking for
38 # a repository. This should be populated by passing inferrepo=True into the
38 # a repository. This should be populated by passing inferrepo=True into the
39 # @command decorator.
39 # @command decorator.
40 inferrepo = ''
40 inferrepo = ''
41
41
42 # common command options
42 # common command options
43
43
44 globalopts = [
44 globalopts = [
45 ('R', 'repository', '',
45 ('R', 'repository', '',
46 _('repository root directory or name of overlay bundle file'),
46 _('repository root directory or name of overlay bundle file'),
47 _('REPO')),
47 _('REPO')),
48 ('', 'cwd', '',
48 ('', 'cwd', '',
49 _('change working directory'), _('DIR')),
49 _('change working directory'), _('DIR')),
50 ('y', 'noninteractive', None,
50 ('y', 'noninteractive', None,
51 _('do not prompt, automatically pick the first choice for all prompts')),
51 _('do not prompt, automatically pick the first choice for all prompts')),
52 ('q', 'quiet', None, _('suppress output')),
52 ('q', 'quiet', None, _('suppress output')),
53 ('v', 'verbose', None, _('enable additional output')),
53 ('v', 'verbose', None, _('enable additional output')),
54 ('', 'config', [],
54 ('', 'config', [],
55 _('set/override config option (use \'section.name=value\')'),
55 _('set/override config option (use \'section.name=value\')'),
56 _('CONFIG')),
56 _('CONFIG')),
57 ('', 'debug', None, _('enable debugging output')),
57 ('', 'debug', None, _('enable debugging output')),
58 ('', 'debugger', None, _('start debugger')),
58 ('', 'debugger', None, _('start debugger')),
59 ('', 'encoding', encoding.encoding, _('set the charset encoding'),
59 ('', 'encoding', encoding.encoding, _('set the charset encoding'),
60 _('ENCODE')),
60 _('ENCODE')),
61 ('', 'encodingmode', encoding.encodingmode,
61 ('', 'encodingmode', encoding.encodingmode,
62 _('set the charset encoding mode'), _('MODE')),
62 _('set the charset encoding mode'), _('MODE')),
63 ('', 'traceback', None, _('always print a traceback on exception')),
63 ('', 'traceback', None, _('always print a traceback on exception')),
64 ('', 'time', None, _('time how long the command takes')),
64 ('', 'time', None, _('time how long the command takes')),
65 ('', 'profile', None, _('print command execution profile')),
65 ('', 'profile', None, _('print command execution profile')),
66 ('', 'version', None, _('output version information and exit')),
66 ('', 'version', None, _('output version information and exit')),
67 ('h', 'help', None, _('display help and exit')),
67 ('h', 'help', None, _('display help and exit')),
68 ('', 'hidden', False, _('consider hidden changesets')),
68 ('', 'hidden', False, _('consider hidden changesets')),
69 ]
69 ]
70
70
71 dryrunopts = [('n', 'dry-run', None,
71 dryrunopts = [('n', 'dry-run', None,
72 _('do not perform actions, just print output'))]
72 _('do not perform actions, just print output'))]
73
73
74 remoteopts = [
74 remoteopts = [
75 ('e', 'ssh', '',
75 ('e', 'ssh', '',
76 _('specify ssh command to use'), _('CMD')),
76 _('specify ssh command to use'), _('CMD')),
77 ('', 'remotecmd', '',
77 ('', 'remotecmd', '',
78 _('specify hg command to run on the remote side'), _('CMD')),
78 _('specify hg command to run on the remote side'), _('CMD')),
79 ('', 'insecure', None,
79 ('', 'insecure', None,
80 _('do not verify server certificate (ignoring web.cacerts config)')),
80 _('do not verify server certificate (ignoring web.cacerts config)')),
81 ]
81 ]
82
82
83 walkopts = [
83 walkopts = [
84 ('I', 'include', [],
84 ('I', 'include', [],
85 _('include names matching the given patterns'), _('PATTERN')),
85 _('include names matching the given patterns'), _('PATTERN')),
86 ('X', 'exclude', [],
86 ('X', 'exclude', [],
87 _('exclude names matching the given patterns'), _('PATTERN')),
87 _('exclude names matching the given patterns'), _('PATTERN')),
88 ]
88 ]
89
89
90 commitopts = [
90 commitopts = [
91 ('m', 'message', '',
91 ('m', 'message', '',
92 _('use text as commit message'), _('TEXT')),
92 _('use text as commit message'), _('TEXT')),
93 ('l', 'logfile', '',
93 ('l', 'logfile', '',
94 _('read commit message from file'), _('FILE')),
94 _('read commit message from file'), _('FILE')),
95 ]
95 ]
96
96
97 commitopts2 = [
97 commitopts2 = [
98 ('d', 'date', '',
98 ('d', 'date', '',
99 _('record the specified date as commit date'), _('DATE')),
99 _('record the specified date as commit date'), _('DATE')),
100 ('u', 'user', '',
100 ('u', 'user', '',
101 _('record the specified user as committer'), _('USER')),
101 _('record the specified user as committer'), _('USER')),
102 ]
102 ]
103
103
104 # hidden for now
104 # hidden for now
105 formatteropts = [
105 formatteropts = [
106 ('T', 'template', '',
106 ('T', 'template', '',
107 _('display with template (DEPRECATED)'), _('TEMPLATE')),
107 _('display with template (DEPRECATED)'), _('TEMPLATE')),
108 ]
108 ]
109
109
110 templateopts = [
110 templateopts = [
111 ('', 'style', '',
111 ('', 'style', '',
112 _('display using template map file (DEPRECATED)'), _('STYLE')),
112 _('display using template map file (DEPRECATED)'), _('STYLE')),
113 ('T', 'template', '',
113 ('T', 'template', '',
114 _('display with template'), _('TEMPLATE')),
114 _('display with template'), _('TEMPLATE')),
115 ]
115 ]
116
116
117 logopts = [
117 logopts = [
118 ('p', 'patch', None, _('show patch')),
118 ('p', 'patch', None, _('show patch')),
119 ('g', 'git', None, _('use git extended diff format')),
119 ('g', 'git', None, _('use git extended diff format')),
120 ('l', 'limit', '',
120 ('l', 'limit', '',
121 _('limit number of changes displayed'), _('NUM')),
121 _('limit number of changes displayed'), _('NUM')),
122 ('M', 'no-merges', None, _('do not show merges')),
122 ('M', 'no-merges', None, _('do not show merges')),
123 ('', 'stat', None, _('output diffstat-style summary of changes')),
123 ('', 'stat', None, _('output diffstat-style summary of changes')),
124 ('G', 'graph', None, _("show the revision DAG")),
124 ('G', 'graph', None, _("show the revision DAG")),
125 ] + templateopts
125 ] + templateopts
126
126
127 diffopts = [
127 diffopts = [
128 ('a', 'text', None, _('treat all files as text')),
128 ('a', 'text', None, _('treat all files as text')),
129 ('g', 'git', None, _('use git extended diff format')),
129 ('g', 'git', None, _('use git extended diff format')),
130 ('', 'nodates', None, _('omit dates from diff headers'))
130 ('', 'nodates', None, _('omit dates from diff headers'))
131 ]
131 ]
132
132
133 diffwsopts = [
133 diffwsopts = [
134 ('w', 'ignore-all-space', None,
134 ('w', 'ignore-all-space', None,
135 _('ignore white space when comparing lines')),
135 _('ignore white space when comparing lines')),
136 ('b', 'ignore-space-change', None,
136 ('b', 'ignore-space-change', None,
137 _('ignore changes in the amount of white space')),
137 _('ignore changes in the amount of white space')),
138 ('B', 'ignore-blank-lines', None,
138 ('B', 'ignore-blank-lines', None,
139 _('ignore changes whose lines are all blank')),
139 _('ignore changes whose lines are all blank')),
140 ]
140 ]
141
141
142 diffopts2 = [
142 diffopts2 = [
143 ('p', 'show-function', None, _('show which function each change is in')),
143 ('p', 'show-function', None, _('show which function each change is in')),
144 ('', 'reverse', None, _('produce a diff that undoes the changes')),
144 ('', 'reverse', None, _('produce a diff that undoes the changes')),
145 ] + diffwsopts + [
145 ] + diffwsopts + [
146 ('U', 'unified', '',
146 ('U', 'unified', '',
147 _('number of lines of context to show'), _('NUM')),
147 _('number of lines of context to show'), _('NUM')),
148 ('', 'stat', None, _('output diffstat-style summary of changes')),
148 ('', 'stat', None, _('output diffstat-style summary of changes')),
149 ]
149 ]
150
150
151 mergetoolopts = [
151 mergetoolopts = [
152 ('t', 'tool', '', _('specify merge tool')),
152 ('t', 'tool', '', _('specify merge tool')),
153 ]
153 ]
154
154
155 similarityopts = [
155 similarityopts = [
156 ('s', 'similarity', '',
156 ('s', 'similarity', '',
157 _('guess renamed files by similarity (0<=s<=100)'), _('SIMILARITY'))
157 _('guess renamed files by similarity (0<=s<=100)'), _('SIMILARITY'))
158 ]
158 ]
159
159
160 subrepoopts = [
160 subrepoopts = [
161 ('S', 'subrepos', None,
161 ('S', 'subrepos', None,
162 _('recurse into subrepositories'))
162 _('recurse into subrepositories'))
163 ]
163 ]
164
164
165 # Commands start here, listed alphabetically
165 # Commands start here, listed alphabetically
166
166
167 @command('^add',
167 @command('^add',
168 walkopts + subrepoopts + dryrunopts,
168 walkopts + subrepoopts + dryrunopts,
169 _('[OPTION]... [FILE]...'),
169 _('[OPTION]... [FILE]...'),
170 inferrepo=True)
170 inferrepo=True)
171 def add(ui, repo, *pats, **opts):
171 def add(ui, repo, *pats, **opts):
172 """add the specified files on the next commit
172 """add the specified files on the next commit
173
173
174 Schedule files to be version controlled and added to the
174 Schedule files to be version controlled and added to the
175 repository.
175 repository.
176
176
177 The files will be added to the repository at the next commit. To
177 The files will be added to the repository at the next commit. To
178 undo an add before that, see :hg:`forget`.
178 undo an add before that, see :hg:`forget`.
179
179
180 If no names are given, add all files to the repository.
180 If no names are given, add all files to the repository.
181
181
182 .. container:: verbose
182 .. container:: verbose
183
183
184 An example showing how new (unknown) files are added
184 An example showing how new (unknown) files are added
185 automatically by :hg:`add`::
185 automatically by :hg:`add`::
186
186
187 $ ls
187 $ ls
188 foo.c
188 foo.c
189 $ hg status
189 $ hg status
190 ? foo.c
190 ? foo.c
191 $ hg add
191 $ hg add
192 adding foo.c
192 adding foo.c
193 $ hg status
193 $ hg status
194 A foo.c
194 A foo.c
195
195
196 Returns 0 if all files are successfully added.
196 Returns 0 if all files are successfully added.
197 """
197 """
198
198
199 m = scmutil.match(repo[None], pats, opts)
199 m = scmutil.match(repo[None], pats, opts)
200 rejected = cmdutil.add(ui, repo, m, opts.get('dry_run'),
200 rejected = cmdutil.add(ui, repo, m, opts.get('dry_run'),
201 opts.get('subrepos'), prefix="", explicitonly=False)
201 opts.get('subrepos'), prefix="", explicitonly=False)
202 return rejected and 1 or 0
202 return rejected and 1 or 0
203
203
204 @command('addremove',
204 @command('addremove',
205 similarityopts + walkopts + dryrunopts,
205 similarityopts + walkopts + dryrunopts,
206 _('[OPTION]... [FILE]...'),
206 _('[OPTION]... [FILE]...'),
207 inferrepo=True)
207 inferrepo=True)
208 def addremove(ui, repo, *pats, **opts):
208 def addremove(ui, repo, *pats, **opts):
209 """add all new files, delete all missing files
209 """add all new files, delete all missing files
210
210
211 Add all new files and remove all missing files from the
211 Add all new files and remove all missing files from the
212 repository.
212 repository.
213
213
214 New files are ignored if they match any of the patterns in
214 New files are ignored if they match any of the patterns in
215 ``.hgignore``. As with add, these changes take effect at the next
215 ``.hgignore``. As with add, these changes take effect at the next
216 commit.
216 commit.
217
217
218 Use the -s/--similarity option to detect renamed files. This
218 Use the -s/--similarity option to detect renamed files. This
219 option takes a percentage between 0 (disabled) and 100 (files must
219 option takes a percentage between 0 (disabled) and 100 (files must
220 be identical) as its parameter. With a parameter greater than 0,
220 be identical) as its parameter. With a parameter greater than 0,
221 this compares every removed file with every added file and records
221 this compares every removed file with every added file and records
222 those similar enough as renames. Detecting renamed files this way
222 those similar enough as renames. Detecting renamed files this way
223 can be expensive. After using this option, :hg:`status -C` can be
223 can be expensive. After using this option, :hg:`status -C` can be
224 used to check which files were identified as moved or renamed. If
224 used to check which files were identified as moved or renamed. If
225 not specified, -s/--similarity defaults to 100 and only renames of
225 not specified, -s/--similarity defaults to 100 and only renames of
226 identical files are detected.
226 identical files are detected.
227
227
228 Returns 0 if all files are successfully added.
228 Returns 0 if all files are successfully added.
229 """
229 """
230 try:
230 try:
231 sim = float(opts.get('similarity') or 100)
231 sim = float(opts.get('similarity') or 100)
232 except ValueError:
232 except ValueError:
233 raise util.Abort(_('similarity must be a number'))
233 raise util.Abort(_('similarity must be a number'))
234 if sim < 0 or sim > 100:
234 if sim < 0 or sim > 100:
235 raise util.Abort(_('similarity must be between 0 and 100'))
235 raise util.Abort(_('similarity must be between 0 and 100'))
236 return scmutil.addremove(repo, pats, opts, similarity=sim / 100.0)
236 return scmutil.addremove(repo, pats, opts, similarity=sim / 100.0)
237
237
238 @command('^annotate|blame',
238 @command('^annotate|blame',
239 [('r', 'rev', '', _('annotate the specified revision'), _('REV')),
239 [('r', 'rev', '', _('annotate the specified revision'), _('REV')),
240 ('', 'follow', None,
240 ('', 'follow', None,
241 _('follow copies/renames and list the filename (DEPRECATED)')),
241 _('follow copies/renames and list the filename (DEPRECATED)')),
242 ('', 'no-follow', None, _("don't follow copies and renames")),
242 ('', 'no-follow', None, _("don't follow copies and renames")),
243 ('a', 'text', None, _('treat all files as text')),
243 ('a', 'text', None, _('treat all files as text')),
244 ('u', 'user', None, _('list the author (long with -v)')),
244 ('u', 'user', None, _('list the author (long with -v)')),
245 ('f', 'file', None, _('list the filename')),
245 ('f', 'file', None, _('list the filename')),
246 ('d', 'date', None, _('list the date (short with -q)')),
246 ('d', 'date', None, _('list the date (short with -q)')),
247 ('n', 'number', None, _('list the revision number (default)')),
247 ('n', 'number', None, _('list the revision number (default)')),
248 ('c', 'changeset', None, _('list the changeset')),
248 ('c', 'changeset', None, _('list the changeset')),
249 ('l', 'line-number', None, _('show line number at the first appearance'))
249 ('l', 'line-number', None, _('show line number at the first appearance'))
250 ] + diffwsopts + walkopts + formatteropts,
250 ] + diffwsopts + walkopts + formatteropts,
251 _('[-r REV] [-f] [-a] [-u] [-d] [-n] [-c] [-l] FILE...'),
251 _('[-r REV] [-f] [-a] [-u] [-d] [-n] [-c] [-l] FILE...'),
252 inferrepo=True)
252 inferrepo=True)
253 def annotate(ui, repo, *pats, **opts):
253 def annotate(ui, repo, *pats, **opts):
254 """show changeset information by line for each file
254 """show changeset information by line for each file
255
255
256 List changes in files, showing the revision id responsible for
256 List changes in files, showing the revision id responsible for
257 each line
257 each line
258
258
259 This command is useful for discovering when a change was made and
259 This command is useful for discovering when a change was made and
260 by whom.
260 by whom.
261
261
262 Without the -a/--text option, annotate will avoid processing files
262 Without the -a/--text option, annotate will avoid processing files
263 it detects as binary. With -a, annotate will annotate the file
263 it detects as binary. With -a, annotate will annotate the file
264 anyway, although the results will probably be neither useful
264 anyway, although the results will probably be neither useful
265 nor desirable.
265 nor desirable.
266
266
267 Returns 0 on success.
267 Returns 0 on success.
268 """
268 """
269 if not pats:
269 if not pats:
270 raise util.Abort(_('at least one filename or pattern is required'))
270 raise util.Abort(_('at least one filename or pattern is required'))
271
271
272 if opts.get('follow'):
272 if opts.get('follow'):
273 # --follow is deprecated and now just an alias for -f/--file
273 # --follow is deprecated and now just an alias for -f/--file
274 # to mimic the behavior of Mercurial before version 1.5
274 # to mimic the behavior of Mercurial before version 1.5
275 opts['file'] = True
275 opts['file'] = True
276
276
277 fm = ui.formatter('annotate', opts)
277 fm = ui.formatter('annotate', opts)
278 datefunc = ui.quiet and util.shortdate or util.datestr
278 datefunc = ui.quiet and util.shortdate or util.datestr
279 hexfn = fm.hexfunc
279 hexfn = fm.hexfunc
280
280
281 opmap = [('user', ' ', lambda x: x[0].user(), ui.shortuser),
281 opmap = [('user', ' ', lambda x: x[0].user(), ui.shortuser),
282 ('number', ' ', lambda x: x[0].rev(), str),
282 ('number', ' ', lambda x: x[0].rev(), str),
283 ('changeset', ' ', lambda x: hexfn(x[0].node()), str),
283 ('changeset', ' ', lambda x: hexfn(x[0].node()), str),
284 ('date', ' ', lambda x: x[0].date(), util.cachefunc(datefunc)),
284 ('date', ' ', lambda x: x[0].date(), util.cachefunc(datefunc)),
285 ('file', ' ', lambda x: x[0].path(), str),
285 ('file', ' ', lambda x: x[0].path(), str),
286 ('line_number', ':', lambda x: x[1], str),
286 ('line_number', ':', lambda x: x[1], str),
287 ]
287 ]
288 fieldnamemap = {'number': 'rev', 'changeset': 'node'}
288 fieldnamemap = {'number': 'rev', 'changeset': 'node'}
289
289
290 if (not opts.get('user') and not opts.get('changeset')
290 if (not opts.get('user') and not opts.get('changeset')
291 and not opts.get('date') and not opts.get('file')):
291 and not opts.get('date') and not opts.get('file')):
292 opts['number'] = True
292 opts['number'] = True
293
293
294 linenumber = opts.get('line_number') is not None
294 linenumber = opts.get('line_number') is not None
295 if linenumber and (not opts.get('changeset')) and (not opts.get('number')):
295 if linenumber and (not opts.get('changeset')) and (not opts.get('number')):
296 raise util.Abort(_('at least one of -n/-c is required for -l'))
296 raise util.Abort(_('at least one of -n/-c is required for -l'))
297
297
298 if fm:
298 if fm:
299 def makefunc(get, fmt):
299 def makefunc(get, fmt):
300 return get
300 return get
301 else:
301 else:
302 def makefunc(get, fmt):
302 def makefunc(get, fmt):
303 return lambda x: fmt(get(x))
303 return lambda x: fmt(get(x))
304 funcmap = [(makefunc(get, fmt), sep) for op, sep, get, fmt in opmap
304 funcmap = [(makefunc(get, fmt), sep) for op, sep, get, fmt in opmap
305 if opts.get(op)]
305 if opts.get(op)]
306 funcmap[0] = (funcmap[0][0], '') # no separator in front of first column
306 funcmap[0] = (funcmap[0][0], '') # no separator in front of first column
307 fields = ' '.join(fieldnamemap.get(op, op) for op, sep, get, fmt in opmap
307 fields = ' '.join(fieldnamemap.get(op, op) for op, sep, get, fmt in opmap
308 if opts.get(op))
308 if opts.get(op))
309
309
310 def bad(x, y):
310 def bad(x, y):
311 raise util.Abort("%s: %s" % (x, y))
311 raise util.Abort("%s: %s" % (x, y))
312
312
313 ctx = scmutil.revsingle(repo, opts.get('rev'))
313 ctx = scmutil.revsingle(repo, opts.get('rev'))
314 m = scmutil.match(ctx, pats, opts)
314 m = scmutil.match(ctx, pats, opts)
315 m.bad = bad
315 m.bad = bad
316 follow = not opts.get('no_follow')
316 follow = not opts.get('no_follow')
317 diffopts = patch.diffopts(ui, opts, section='annotate')
317 diffopts = patch.diffopts(ui, opts, section='annotate')
318 for abs in ctx.walk(m):
318 for abs in ctx.walk(m):
319 fctx = ctx[abs]
319 fctx = ctx[abs]
320 if not opts.get('text') and util.binary(fctx.data()):
320 if not opts.get('text') and util.binary(fctx.data()):
321 fm.plain(_("%s: binary file\n") % ((pats and m.rel(abs)) or abs))
321 fm.plain(_("%s: binary file\n") % ((pats and m.rel(abs)) or abs))
322 continue
322 continue
323
323
324 lines = fctx.annotate(follow=follow, linenumber=linenumber,
324 lines = fctx.annotate(follow=follow, linenumber=linenumber,
325 diffopts=diffopts)
325 diffopts=diffopts)
326 formats = []
326 formats = []
327 pieces = []
327 pieces = []
328
328
329 for f, sep in funcmap:
329 for f, sep in funcmap:
330 l = [f(n) for n, dummy in lines]
330 l = [f(n) for n, dummy in lines]
331 if l:
331 if l:
332 if fm:
332 if fm:
333 formats.append(['%s' for x in l])
333 formats.append(['%s' for x in l])
334 else:
334 else:
335 sizes = [encoding.colwidth(x) for x in l]
335 sizes = [encoding.colwidth(x) for x in l]
336 ml = max(sizes)
336 ml = max(sizes)
337 formats.append([sep + ' ' * (ml - w) + '%s' for w in sizes])
337 formats.append([sep + ' ' * (ml - w) + '%s' for w in sizes])
338 pieces.append(l)
338 pieces.append(l)
339
339
340 for f, p, l in zip(zip(*formats), zip(*pieces), lines):
340 for f, p, l in zip(zip(*formats), zip(*pieces), lines):
341 fm.startitem()
341 fm.startitem()
342 fm.write(fields, "".join(f), *p)
342 fm.write(fields, "".join(f), *p)
343 fm.write('line', ": %s", l[1])
343 fm.write('line', ": %s", l[1])
344
344
345 if lines and not lines[-1][1].endswith('\n'):
345 if lines and not lines[-1][1].endswith('\n'):
346 fm.plain('\n')
346 fm.plain('\n')
347
347
348 fm.end()
348 fm.end()
349
349
350 @command('archive',
350 @command('archive',
351 [('', 'no-decode', None, _('do not pass files through decoders')),
351 [('', 'no-decode', None, _('do not pass files through decoders')),
352 ('p', 'prefix', '', _('directory prefix for files in archive'),
352 ('p', 'prefix', '', _('directory prefix for files in archive'),
353 _('PREFIX')),
353 _('PREFIX')),
354 ('r', 'rev', '', _('revision to distribute'), _('REV')),
354 ('r', 'rev', '', _('revision to distribute'), _('REV')),
355 ('t', 'type', '', _('type of distribution to create'), _('TYPE')),
355 ('t', 'type', '', _('type of distribution to create'), _('TYPE')),
356 ] + subrepoopts + walkopts,
356 ] + subrepoopts + walkopts,
357 _('[OPTION]... DEST'))
357 _('[OPTION]... DEST'))
358 def archive(ui, repo, dest, **opts):
358 def archive(ui, repo, dest, **opts):
359 '''create an unversioned archive of a repository revision
359 '''create an unversioned archive of a repository revision
360
360
361 By default, the revision used is the parent of the working
361 By default, the revision used is the parent of the working
362 directory; use -r/--rev to specify a different revision.
362 directory; use -r/--rev to specify a different revision.
363
363
364 The archive type is automatically detected based on file
364 The archive type is automatically detected based on file
365 extension (or override using -t/--type).
365 extension (or override using -t/--type).
366
366
367 .. container:: verbose
367 .. container:: verbose
368
368
369 Examples:
369 Examples:
370
370
371 - create a zip file containing the 1.0 release::
371 - create a zip file containing the 1.0 release::
372
372
373 hg archive -r 1.0 project-1.0.zip
373 hg archive -r 1.0 project-1.0.zip
374
374
375 - create a tarball excluding .hg files::
375 - create a tarball excluding .hg files::
376
376
377 hg archive project.tar.gz -X ".hg*"
377 hg archive project.tar.gz -X ".hg*"
378
378
379 Valid types are:
379 Valid types are:
380
380
381 :``files``: a directory full of files (default)
381 :``files``: a directory full of files (default)
382 :``tar``: tar archive, uncompressed
382 :``tar``: tar archive, uncompressed
383 :``tbz2``: tar archive, compressed using bzip2
383 :``tbz2``: tar archive, compressed using bzip2
384 :``tgz``: tar archive, compressed using gzip
384 :``tgz``: tar archive, compressed using gzip
385 :``uzip``: zip archive, uncompressed
385 :``uzip``: zip archive, uncompressed
386 :``zip``: zip archive, compressed using deflate
386 :``zip``: zip archive, compressed using deflate
387
387
388 The exact name of the destination archive or directory is given
388 The exact name of the destination archive or directory is given
389 using a format string; see :hg:`help export` for details.
389 using a format string; see :hg:`help export` for details.
390
390
391 Each member added to an archive file has a directory prefix
391 Each member added to an archive file has a directory prefix
392 prepended. Use -p/--prefix to specify a format string for the
392 prepended. Use -p/--prefix to specify a format string for the
393 prefix. The default is the basename of the archive, with suffixes
393 prefix. The default is the basename of the archive, with suffixes
394 removed.
394 removed.
395
395
396 Returns 0 on success.
396 Returns 0 on success.
397 '''
397 '''
398
398
399 ctx = scmutil.revsingle(repo, opts.get('rev'))
399 ctx = scmutil.revsingle(repo, opts.get('rev'))
400 if not ctx:
400 if not ctx:
401 raise util.Abort(_('no working directory: please specify a revision'))
401 raise util.Abort(_('no working directory: please specify a revision'))
402 node = ctx.node()
402 node = ctx.node()
403 dest = cmdutil.makefilename(repo, dest, node)
403 dest = cmdutil.makefilename(repo, dest, node)
404 if os.path.realpath(dest) == repo.root:
404 if os.path.realpath(dest) == repo.root:
405 raise util.Abort(_('repository root cannot be destination'))
405 raise util.Abort(_('repository root cannot be destination'))
406
406
407 kind = opts.get('type') or archival.guesskind(dest) or 'files'
407 kind = opts.get('type') or archival.guesskind(dest) or 'files'
408 prefix = opts.get('prefix')
408 prefix = opts.get('prefix')
409
409
410 if dest == '-':
410 if dest == '-':
411 if kind == 'files':
411 if kind == 'files':
412 raise util.Abort(_('cannot archive plain files to stdout'))
412 raise util.Abort(_('cannot archive plain files to stdout'))
413 dest = cmdutil.makefileobj(repo, dest)
413 dest = cmdutil.makefileobj(repo, dest)
414 if not prefix:
414 if not prefix:
415 prefix = os.path.basename(repo.root) + '-%h'
415 prefix = os.path.basename(repo.root) + '-%h'
416
416
417 prefix = cmdutil.makefilename(repo, prefix, node)
417 prefix = cmdutil.makefilename(repo, prefix, node)
418 matchfn = scmutil.match(ctx, [], opts)
418 matchfn = scmutil.match(ctx, [], opts)
419 archival.archive(repo, dest, node, kind, not opts.get('no_decode'),
419 archival.archive(repo, dest, node, kind, not opts.get('no_decode'),
420 matchfn, prefix, subrepos=opts.get('subrepos'))
420 matchfn, prefix, subrepos=opts.get('subrepos'))
421
421
422 @command('backout',
422 @command('backout',
423 [('', 'merge', None, _('merge with old dirstate parent after backout')),
423 [('', 'merge', None, _('merge with old dirstate parent after backout')),
424 ('', 'parent', '',
424 ('', 'parent', '',
425 _('parent to choose when backing out merge (DEPRECATED)'), _('REV')),
425 _('parent to choose when backing out merge (DEPRECATED)'), _('REV')),
426 ('r', 'rev', '', _('revision to backout'), _('REV')),
426 ('r', 'rev', '', _('revision to backout'), _('REV')),
427 ('e', 'edit', False, _('invoke editor on commit messages')),
427 ('e', 'edit', False, _('invoke editor on commit messages')),
428 ] + mergetoolopts + walkopts + commitopts + commitopts2,
428 ] + mergetoolopts + walkopts + commitopts + commitopts2,
429 _('[OPTION]... [-r] REV'))
429 _('[OPTION]... [-r] REV'))
430 def backout(ui, repo, node=None, rev=None, **opts):
430 def backout(ui, repo, node=None, rev=None, **opts):
431 '''reverse effect of earlier changeset
431 '''reverse effect of earlier changeset
432
432
433 Prepare a new changeset with the effect of REV undone in the
433 Prepare a new changeset with the effect of REV undone in the
434 current working directory.
434 current working directory.
435
435
436 If REV is the parent of the working directory, then this new changeset
436 If REV is the parent of the working directory, then this new changeset
437 is committed automatically. Otherwise, hg needs to merge the
437 is committed automatically. Otherwise, hg needs to merge the
438 changes and the merged result is left uncommitted.
438 changes and the merged result is left uncommitted.
439
439
440 .. note::
440 .. note::
441
441
442 backout cannot be used to fix either an unwanted or
442 backout cannot be used to fix either an unwanted or
443 incorrect merge.
443 incorrect merge.
444
444
445 .. container:: verbose
445 .. container:: verbose
446
446
447 By default, the pending changeset will have one parent,
447 By default, the pending changeset will have one parent,
448 maintaining a linear history. With --merge, the pending
448 maintaining a linear history. With --merge, the pending
449 changeset will instead have two parents: the old parent of the
449 changeset will instead have two parents: the old parent of the
450 working directory and a new child of REV that simply undoes REV.
450 working directory and a new child of REV that simply undoes REV.
451
451
452 Before version 1.7, the behavior without --merge was equivalent
452 Before version 1.7, the behavior without --merge was equivalent
453 to specifying --merge followed by :hg:`update --clean .` to
453 to specifying --merge followed by :hg:`update --clean .` to
454 cancel the merge and leave the child of REV as a head to be
454 cancel the merge and leave the child of REV as a head to be
455 merged separately.
455 merged separately.
456
456
457 See :hg:`help dates` for a list of formats valid for -d/--date.
457 See :hg:`help dates` for a list of formats valid for -d/--date.
458
458
459 Returns 0 on success, 1 if nothing to backout or there are unresolved
459 Returns 0 on success, 1 if nothing to backout or there are unresolved
460 files.
460 files.
461 '''
461 '''
462 if rev and node:
462 if rev and node:
463 raise util.Abort(_("please specify just one revision"))
463 raise util.Abort(_("please specify just one revision"))
464
464
465 if not rev:
465 if not rev:
466 rev = node
466 rev = node
467
467
468 if not rev:
468 if not rev:
469 raise util.Abort(_("please specify a revision to backout"))
469 raise util.Abort(_("please specify a revision to backout"))
470
470
471 date = opts.get('date')
471 date = opts.get('date')
472 if date:
472 if date:
473 opts['date'] = util.parsedate(date)
473 opts['date'] = util.parsedate(date)
474
474
475 cmdutil.checkunfinished(repo)
475 cmdutil.checkunfinished(repo)
476 cmdutil.bailifchanged(repo)
476 cmdutil.bailifchanged(repo)
477 node = scmutil.revsingle(repo, rev).node()
477 node = scmutil.revsingle(repo, rev).node()
478
478
479 op1, op2 = repo.dirstate.parents()
479 op1, op2 = repo.dirstate.parents()
480 if not repo.changelog.isancestor(node, op1):
480 if not repo.changelog.isancestor(node, op1):
481 raise util.Abort(_('cannot backout change that is not an ancestor'))
481 raise util.Abort(_('cannot backout change that is not an ancestor'))
482
482
483 p1, p2 = repo.changelog.parents(node)
483 p1, p2 = repo.changelog.parents(node)
484 if p1 == nullid:
484 if p1 == nullid:
485 raise util.Abort(_('cannot backout a change with no parents'))
485 raise util.Abort(_('cannot backout a change with no parents'))
486 if p2 != nullid:
486 if p2 != nullid:
487 if not opts.get('parent'):
487 if not opts.get('parent'):
488 raise util.Abort(_('cannot backout a merge changeset'))
488 raise util.Abort(_('cannot backout a merge changeset'))
489 p = repo.lookup(opts['parent'])
489 p = repo.lookup(opts['parent'])
490 if p not in (p1, p2):
490 if p not in (p1, p2):
491 raise util.Abort(_('%s is not a parent of %s') %
491 raise util.Abort(_('%s is not a parent of %s') %
492 (short(p), short(node)))
492 (short(p), short(node)))
493 parent = p
493 parent = p
494 else:
494 else:
495 if opts.get('parent'):
495 if opts.get('parent'):
496 raise util.Abort(_('cannot use --parent on non-merge changeset'))
496 raise util.Abort(_('cannot use --parent on non-merge changeset'))
497 parent = p1
497 parent = p1
498
498
499 # the backout should appear on the same branch
499 # the backout should appear on the same branch
500 wlock = repo.wlock()
500 wlock = repo.wlock()
501 try:
501 try:
502 branch = repo.dirstate.branch()
502 branch = repo.dirstate.branch()
503 bheads = repo.branchheads(branch)
503 bheads = repo.branchheads(branch)
504 rctx = scmutil.revsingle(repo, hex(parent))
504 rctx = scmutil.revsingle(repo, hex(parent))
505 if not opts.get('merge') and op1 != node:
505 if not opts.get('merge') and op1 != node:
506 try:
506 try:
507 ui.setconfig('ui', 'forcemerge', opts.get('tool', ''),
507 ui.setconfig('ui', 'forcemerge', opts.get('tool', ''),
508 'backout')
508 'backout')
509 repo.dirstate.beginparentchange()
509 repo.dirstate.beginparentchange()
510 stats = mergemod.update(repo, parent, True, True, False,
510 stats = mergemod.update(repo, parent, True, True, False,
511 node, False)
511 node, False)
512 repo.setparents(op1, op2)
512 repo.setparents(op1, op2)
513 repo.dirstate.endparentchange()
513 repo.dirstate.endparentchange()
514 hg._showstats(repo, stats)
514 hg._showstats(repo, stats)
515 if stats[3]:
515 if stats[3]:
516 repo.ui.status(_("use 'hg resolve' to retry unresolved "
516 repo.ui.status(_("use 'hg resolve' to retry unresolved "
517 "file merges\n"))
517 "file merges\n"))
518 else:
518 else:
519 msg = _("changeset %s backed out, "
519 msg = _("changeset %s backed out, "
520 "don't forget to commit.\n")
520 "don't forget to commit.\n")
521 ui.status(msg % short(node))
521 ui.status(msg % short(node))
522 return stats[3] > 0
522 return stats[3] > 0
523 finally:
523 finally:
524 ui.setconfig('ui', 'forcemerge', '', '')
524 ui.setconfig('ui', 'forcemerge', '', '')
525 else:
525 else:
526 hg.clean(repo, node, show_stats=False)
526 hg.clean(repo, node, show_stats=False)
527 repo.dirstate.setbranch(branch)
527 repo.dirstate.setbranch(branch)
528 cmdutil.revert(ui, repo, rctx, repo.dirstate.parents())
528 cmdutil.revert(ui, repo, rctx, repo.dirstate.parents())
529
529
530
530
531 def commitfunc(ui, repo, message, match, opts):
531 def commitfunc(ui, repo, message, match, opts):
532 editform = 'backout'
532 editform = 'backout'
533 e = cmdutil.getcommiteditor(editform=editform, **opts)
533 e = cmdutil.getcommiteditor(editform=editform, **opts)
534 if not message:
534 if not message:
535 # we don't translate commit messages
535 # we don't translate commit messages
536 message = "Backed out changeset %s" % short(node)
536 message = "Backed out changeset %s" % short(node)
537 e = cmdutil.getcommiteditor(edit=True, editform=editform)
537 e = cmdutil.getcommiteditor(edit=True, editform=editform)
538 return repo.commit(message, opts.get('user'), opts.get('date'),
538 return repo.commit(message, opts.get('user'), opts.get('date'),
539 match, editor=e)
539 match, editor=e)
540 newnode = cmdutil.commit(ui, repo, commitfunc, [], opts)
540 newnode = cmdutil.commit(ui, repo, commitfunc, [], opts)
541 if not newnode:
541 if not newnode:
542 ui.status(_("nothing changed\n"))
542 ui.status(_("nothing changed\n"))
543 return 1
543 return 1
544 cmdutil.commitstatus(repo, newnode, branch, bheads)
544 cmdutil.commitstatus(repo, newnode, branch, bheads)
545
545
546 def nice(node):
546 def nice(node):
547 return '%d:%s' % (repo.changelog.rev(node), short(node))
547 return '%d:%s' % (repo.changelog.rev(node), short(node))
548 ui.status(_('changeset %s backs out changeset %s\n') %
548 ui.status(_('changeset %s backs out changeset %s\n') %
549 (nice(repo.changelog.tip()), nice(node)))
549 (nice(repo.changelog.tip()), nice(node)))
550 if opts.get('merge') and op1 != node:
550 if opts.get('merge') and op1 != node:
551 hg.clean(repo, op1, show_stats=False)
551 hg.clean(repo, op1, show_stats=False)
552 ui.status(_('merging with changeset %s\n')
552 ui.status(_('merging with changeset %s\n')
553 % nice(repo.changelog.tip()))
553 % nice(repo.changelog.tip()))
554 try:
554 try:
555 ui.setconfig('ui', 'forcemerge', opts.get('tool', ''),
555 ui.setconfig('ui', 'forcemerge', opts.get('tool', ''),
556 'backout')
556 'backout')
557 return hg.merge(repo, hex(repo.changelog.tip()))
557 return hg.merge(repo, hex(repo.changelog.tip()))
558 finally:
558 finally:
559 ui.setconfig('ui', 'forcemerge', '', '')
559 ui.setconfig('ui', 'forcemerge', '', '')
560 finally:
560 finally:
561 wlock.release()
561 wlock.release()
562 return 0
562 return 0
563
563
564 @command('bisect',
564 @command('bisect',
565 [('r', 'reset', False, _('reset bisect state')),
565 [('r', 'reset', False, _('reset bisect state')),
566 ('g', 'good', False, _('mark changeset good')),
566 ('g', 'good', False, _('mark changeset good')),
567 ('b', 'bad', False, _('mark changeset bad')),
567 ('b', 'bad', False, _('mark changeset bad')),
568 ('s', 'skip', False, _('skip testing changeset')),
568 ('s', 'skip', False, _('skip testing changeset')),
569 ('e', 'extend', False, _('extend the bisect range')),
569 ('e', 'extend', False, _('extend the bisect range')),
570 ('c', 'command', '', _('use command to check changeset state'), _('CMD')),
570 ('c', 'command', '', _('use command to check changeset state'), _('CMD')),
571 ('U', 'noupdate', False, _('do not update to target'))],
571 ('U', 'noupdate', False, _('do not update to target'))],
572 _("[-gbsr] [-U] [-c CMD] [REV]"))
572 _("[-gbsr] [-U] [-c CMD] [REV]"))
573 def bisect(ui, repo, rev=None, extra=None, command=None,
573 def bisect(ui, repo, rev=None, extra=None, command=None,
574 reset=None, good=None, bad=None, skip=None, extend=None,
574 reset=None, good=None, bad=None, skip=None, extend=None,
575 noupdate=None):
575 noupdate=None):
576 """subdivision search of changesets
576 """subdivision search of changesets
577
577
578 This command helps to find changesets which introduce problems. To
578 This command helps to find changesets which introduce problems. To
579 use, mark the earliest changeset you know exhibits the problem as
579 use, mark the earliest changeset you know exhibits the problem as
580 bad, then mark the latest changeset which is free from the problem
580 bad, then mark the latest changeset which is free from the problem
581 as good. Bisect will update your working directory to a revision
581 as good. Bisect will update your working directory to a revision
582 for testing (unless the -U/--noupdate option is specified). Once
582 for testing (unless the -U/--noupdate option is specified). Once
583 you have performed tests, mark the working directory as good or
583 you have performed tests, mark the working directory as good or
584 bad, and bisect will either update to another candidate changeset
584 bad, and bisect will either update to another candidate changeset
585 or announce that it has found the bad revision.
585 or announce that it has found the bad revision.
586
586
587 As a shortcut, you can also use the revision argument to mark a
587 As a shortcut, you can also use the revision argument to mark a
588 revision as good or bad without checking it out first.
588 revision as good or bad without checking it out first.
589
589
590 If you supply a command, it will be used for automatic bisection.
590 If you supply a command, it will be used for automatic bisection.
591 The environment variable HG_NODE will contain the ID of the
591 The environment variable HG_NODE will contain the ID of the
592 changeset being tested. The exit status of the command will be
592 changeset being tested. The exit status of the command will be
593 used to mark revisions as good or bad: status 0 means good, 125
593 used to mark revisions as good or bad: status 0 means good, 125
594 means to skip the revision, 127 (command not found) will abort the
594 means to skip the revision, 127 (command not found) will abort the
595 bisection, and any other non-zero exit status means the revision
595 bisection, and any other non-zero exit status means the revision
596 is bad.
596 is bad.
597
597
598 .. container:: verbose
598 .. container:: verbose
599
599
600 Some examples:
600 Some examples:
601
601
602 - start a bisection with known bad revision 34, and good revision 12::
602 - start a bisection with known bad revision 34, and good revision 12::
603
603
604 hg bisect --bad 34
604 hg bisect --bad 34
605 hg bisect --good 12
605 hg bisect --good 12
606
606
607 - advance the current bisection by marking current revision as good or
607 - advance the current bisection by marking current revision as good or
608 bad::
608 bad::
609
609
610 hg bisect --good
610 hg bisect --good
611 hg bisect --bad
611 hg bisect --bad
612
612
613 - mark the current revision, or a known revision, to be skipped (e.g. if
613 - mark the current revision, or a known revision, to be skipped (e.g. if
614 that revision is not usable because of another issue)::
614 that revision is not usable because of another issue)::
615
615
616 hg bisect --skip
616 hg bisect --skip
617 hg bisect --skip 23
617 hg bisect --skip 23
618
618
619 - skip all revisions that do not touch directories ``foo`` or ``bar``::
619 - skip all revisions that do not touch directories ``foo`` or ``bar``::
620
620
621 hg bisect --skip "!( file('path:foo') & file('path:bar') )"
621 hg bisect --skip "!( file('path:foo') & file('path:bar') )"
622
622
623 - forget the current bisection::
623 - forget the current bisection::
624
624
625 hg bisect --reset
625 hg bisect --reset
626
626
627 - use 'make && make tests' to automatically find the first broken
627 - use 'make && make tests' to automatically find the first broken
628 revision::
628 revision::
629
629
630 hg bisect --reset
630 hg bisect --reset
631 hg bisect --bad 34
631 hg bisect --bad 34
632 hg bisect --good 12
632 hg bisect --good 12
633 hg bisect --command "make && make tests"
633 hg bisect --command "make && make tests"
634
634
635 - see all changesets whose states are already known in the current
635 - see all changesets whose states are already known in the current
636 bisection::
636 bisection::
637
637
638 hg log -r "bisect(pruned)"
638 hg log -r "bisect(pruned)"
639
639
640 - see the changeset currently being bisected (especially useful
640 - see the changeset currently being bisected (especially useful
641 if running with -U/--noupdate)::
641 if running with -U/--noupdate)::
642
642
643 hg log -r "bisect(current)"
643 hg log -r "bisect(current)"
644
644
645 - see all changesets that took part in the current bisection::
645 - see all changesets that took part in the current bisection::
646
646
647 hg log -r "bisect(range)"
647 hg log -r "bisect(range)"
648
648
649 - you can even get a nice graph::
649 - you can even get a nice graph::
650
650
651 hg log --graph -r "bisect(range)"
651 hg log --graph -r "bisect(range)"
652
652
653 See :hg:`help revsets` for more about the `bisect()` keyword.
653 See :hg:`help revsets` for more about the `bisect()` keyword.
654
654
655 Returns 0 on success.
655 Returns 0 on success.
656 """
656 """
657 def extendbisectrange(nodes, good):
657 def extendbisectrange(nodes, good):
658 # bisect is incomplete when it ends on a merge node and
658 # bisect is incomplete when it ends on a merge node and
659 # one of the parent was not checked.
659 # one of the parent was not checked.
660 parents = repo[nodes[0]].parents()
660 parents = repo[nodes[0]].parents()
661 if len(parents) > 1:
661 if len(parents) > 1:
662 side = good and state['bad'] or state['good']
662 side = good and state['bad'] or state['good']
663 num = len(set(i.node() for i in parents) & set(side))
663 num = len(set(i.node() for i in parents) & set(side))
664 if num == 1:
664 if num == 1:
665 return parents[0].ancestor(parents[1])
665 return parents[0].ancestor(parents[1])
666 return None
666 return None
667
667
668 def print_result(nodes, good):
668 def print_result(nodes, good):
669 displayer = cmdutil.show_changeset(ui, repo, {})
669 displayer = cmdutil.show_changeset(ui, repo, {})
670 if len(nodes) == 1:
670 if len(nodes) == 1:
671 # narrowed it down to a single revision
671 # narrowed it down to a single revision
672 if good:
672 if good:
673 ui.write(_("The first good revision is:\n"))
673 ui.write(_("The first good revision is:\n"))
674 else:
674 else:
675 ui.write(_("The first bad revision is:\n"))
675 ui.write(_("The first bad revision is:\n"))
676 displayer.show(repo[nodes[0]])
676 displayer.show(repo[nodes[0]])
677 extendnode = extendbisectrange(nodes, good)
677 extendnode = extendbisectrange(nodes, good)
678 if extendnode is not None:
678 if extendnode is not None:
679 ui.write(_('Not all ancestors of this changeset have been'
679 ui.write(_('Not all ancestors of this changeset have been'
680 ' checked.\nUse bisect --extend to continue the '
680 ' checked.\nUse bisect --extend to continue the '
681 'bisection from\nthe common ancestor, %s.\n')
681 'bisection from\nthe common ancestor, %s.\n')
682 % extendnode)
682 % extendnode)
683 else:
683 else:
684 # multiple possible revisions
684 # multiple possible revisions
685 if good:
685 if good:
686 ui.write(_("Due to skipped revisions, the first "
686 ui.write(_("Due to skipped revisions, the first "
687 "good revision could be any of:\n"))
687 "good revision could be any of:\n"))
688 else:
688 else:
689 ui.write(_("Due to skipped revisions, the first "
689 ui.write(_("Due to skipped revisions, the first "
690 "bad revision could be any of:\n"))
690 "bad revision could be any of:\n"))
691 for n in nodes:
691 for n in nodes:
692 displayer.show(repo[n])
692 displayer.show(repo[n])
693 displayer.close()
693 displayer.close()
694
694
695 def check_state(state, interactive=True):
695 def check_state(state, interactive=True):
696 if not state['good'] or not state['bad']:
696 if not state['good'] or not state['bad']:
697 if (good or bad or skip or reset) and interactive:
697 if (good or bad or skip or reset) and interactive:
698 return
698 return
699 if not state['good']:
699 if not state['good']:
700 raise util.Abort(_('cannot bisect (no known good revisions)'))
700 raise util.Abort(_('cannot bisect (no known good revisions)'))
701 else:
701 else:
702 raise util.Abort(_('cannot bisect (no known bad revisions)'))
702 raise util.Abort(_('cannot bisect (no known bad revisions)'))
703 return True
703 return True
704
704
705 # backward compatibility
705 # backward compatibility
706 if rev in "good bad reset init".split():
706 if rev in "good bad reset init".split():
707 ui.warn(_("(use of 'hg bisect <cmd>' is deprecated)\n"))
707 ui.warn(_("(use of 'hg bisect <cmd>' is deprecated)\n"))
708 cmd, rev, extra = rev, extra, None
708 cmd, rev, extra = rev, extra, None
709 if cmd == "good":
709 if cmd == "good":
710 good = True
710 good = True
711 elif cmd == "bad":
711 elif cmd == "bad":
712 bad = True
712 bad = True
713 else:
713 else:
714 reset = True
714 reset = True
715 elif extra or good + bad + skip + reset + extend + bool(command) > 1:
715 elif extra or good + bad + skip + reset + extend + bool(command) > 1:
716 raise util.Abort(_('incompatible arguments'))
716 raise util.Abort(_('incompatible arguments'))
717
717
718 cmdutil.checkunfinished(repo)
718 cmdutil.checkunfinished(repo)
719
719
720 if reset:
720 if reset:
721 p = repo.join("bisect.state")
721 p = repo.join("bisect.state")
722 if os.path.exists(p):
722 if os.path.exists(p):
723 os.unlink(p)
723 os.unlink(p)
724 return
724 return
725
725
726 state = hbisect.load_state(repo)
726 state = hbisect.load_state(repo)
727
727
728 if command:
728 if command:
729 changesets = 1
729 changesets = 1
730 if noupdate:
730 if noupdate:
731 try:
731 try:
732 node = state['current'][0]
732 node = state['current'][0]
733 except LookupError:
733 except LookupError:
734 raise util.Abort(_('current bisect revision is unknown - '
734 raise util.Abort(_('current bisect revision is unknown - '
735 'start a new bisect to fix'))
735 'start a new bisect to fix'))
736 else:
736 else:
737 node, p2 = repo.dirstate.parents()
737 node, p2 = repo.dirstate.parents()
738 if p2 != nullid:
738 if p2 != nullid:
739 raise util.Abort(_('current bisect revision is a merge'))
739 raise util.Abort(_('current bisect revision is a merge'))
740 try:
740 try:
741 while changesets:
741 while changesets:
742 # update state
742 # update state
743 state['current'] = [node]
743 state['current'] = [node]
744 hbisect.save_state(repo, state)
744 hbisect.save_state(repo, state)
745 status = util.system(command,
745 status = util.system(command,
746 environ={'HG_NODE': hex(node)},
746 environ={'HG_NODE': hex(node)},
747 out=ui.fout)
747 out=ui.fout)
748 if status == 125:
748 if status == 125:
749 transition = "skip"
749 transition = "skip"
750 elif status == 0:
750 elif status == 0:
751 transition = "good"
751 transition = "good"
752 # status < 0 means process was killed
752 # status < 0 means process was killed
753 elif status == 127:
753 elif status == 127:
754 raise util.Abort(_("failed to execute %s") % command)
754 raise util.Abort(_("failed to execute %s") % command)
755 elif status < 0:
755 elif status < 0:
756 raise util.Abort(_("%s killed") % command)
756 raise util.Abort(_("%s killed") % command)
757 else:
757 else:
758 transition = "bad"
758 transition = "bad"
759 ctx = scmutil.revsingle(repo, rev, node)
759 ctx = scmutil.revsingle(repo, rev, node)
760 rev = None # clear for future iterations
760 rev = None # clear for future iterations
761 state[transition].append(ctx.node())
761 state[transition].append(ctx.node())
762 ui.status(_('changeset %d:%s: %s\n') % (ctx, ctx, transition))
762 ui.status(_('changeset %d:%s: %s\n') % (ctx, ctx, transition))
763 check_state(state, interactive=False)
763 check_state(state, interactive=False)
764 # bisect
764 # bisect
765 nodes, changesets, bgood = hbisect.bisect(repo.changelog, state)
765 nodes, changesets, bgood = hbisect.bisect(repo.changelog, state)
766 # update to next check
766 # update to next check
767 node = nodes[0]
767 node = nodes[0]
768 if not noupdate:
768 if not noupdate:
769 cmdutil.bailifchanged(repo)
769 cmdutil.bailifchanged(repo)
770 hg.clean(repo, node, show_stats=False)
770 hg.clean(repo, node, show_stats=False)
771 finally:
771 finally:
772 state['current'] = [node]
772 state['current'] = [node]
773 hbisect.save_state(repo, state)
773 hbisect.save_state(repo, state)
774 print_result(nodes, bgood)
774 print_result(nodes, bgood)
775 return
775 return
776
776
777 # update state
777 # update state
778
778
779 if rev:
779 if rev:
780 nodes = [repo.lookup(i) for i in scmutil.revrange(repo, [rev])]
780 nodes = [repo.lookup(i) for i in scmutil.revrange(repo, [rev])]
781 else:
781 else:
782 nodes = [repo.lookup('.')]
782 nodes = [repo.lookup('.')]
783
783
784 if good or bad or skip:
784 if good or bad or skip:
785 if good:
785 if good:
786 state['good'] += nodes
786 state['good'] += nodes
787 elif bad:
787 elif bad:
788 state['bad'] += nodes
788 state['bad'] += nodes
789 elif skip:
789 elif skip:
790 state['skip'] += nodes
790 state['skip'] += nodes
791 hbisect.save_state(repo, state)
791 hbisect.save_state(repo, state)
792
792
793 if not check_state(state):
793 if not check_state(state):
794 return
794 return
795
795
796 # actually bisect
796 # actually bisect
797 nodes, changesets, good = hbisect.bisect(repo.changelog, state)
797 nodes, changesets, good = hbisect.bisect(repo.changelog, state)
798 if extend:
798 if extend:
799 if not changesets:
799 if not changesets:
800 extendnode = extendbisectrange(nodes, good)
800 extendnode = extendbisectrange(nodes, good)
801 if extendnode is not None:
801 if extendnode is not None:
802 ui.write(_("Extending search to changeset %d:%s\n")
802 ui.write(_("Extending search to changeset %d:%s\n")
803 % (extendnode.rev(), extendnode))
803 % (extendnode.rev(), extendnode))
804 state['current'] = [extendnode.node()]
804 state['current'] = [extendnode.node()]
805 hbisect.save_state(repo, state)
805 hbisect.save_state(repo, state)
806 if noupdate:
806 if noupdate:
807 return
807 return
808 cmdutil.bailifchanged(repo)
808 cmdutil.bailifchanged(repo)
809 return hg.clean(repo, extendnode.node())
809 return hg.clean(repo, extendnode.node())
810 raise util.Abort(_("nothing to extend"))
810 raise util.Abort(_("nothing to extend"))
811
811
812 if changesets == 0:
812 if changesets == 0:
813 print_result(nodes, good)
813 print_result(nodes, good)
814 else:
814 else:
815 assert len(nodes) == 1 # only a single node can be tested next
815 assert len(nodes) == 1 # only a single node can be tested next
816 node = nodes[0]
816 node = nodes[0]
817 # compute the approximate number of remaining tests
817 # compute the approximate number of remaining tests
818 tests, size = 0, 2
818 tests, size = 0, 2
819 while size <= changesets:
819 while size <= changesets:
820 tests, size = tests + 1, size * 2
820 tests, size = tests + 1, size * 2
821 rev = repo.changelog.rev(node)
821 rev = repo.changelog.rev(node)
822 ui.write(_("Testing changeset %d:%s "
822 ui.write(_("Testing changeset %d:%s "
823 "(%d changesets remaining, ~%d tests)\n")
823 "(%d changesets remaining, ~%d tests)\n")
824 % (rev, short(node), changesets, tests))
824 % (rev, short(node), changesets, tests))
825 state['current'] = [node]
825 state['current'] = [node]
826 hbisect.save_state(repo, state)
826 hbisect.save_state(repo, state)
827 if not noupdate:
827 if not noupdate:
828 cmdutil.bailifchanged(repo)
828 cmdutil.bailifchanged(repo)
829 return hg.clean(repo, node)
829 return hg.clean(repo, node)
830
830
831 @command('bookmarks|bookmark',
831 @command('bookmarks|bookmark',
832 [('f', 'force', False, _('force')),
832 [('f', 'force', False, _('force')),
833 ('r', 'rev', '', _('revision'), _('REV')),
833 ('r', 'rev', '', _('revision'), _('REV')),
834 ('d', 'delete', False, _('delete a given bookmark')),
834 ('d', 'delete', False, _('delete a given bookmark')),
835 ('m', 'rename', '', _('rename a given bookmark'), _('NAME')),
835 ('m', 'rename', '', _('rename a given bookmark'), _('NAME')),
836 ('i', 'inactive', False, _('mark a bookmark inactive')),
836 ('i', 'inactive', False, _('mark a bookmark inactive')),
837 ] + formatteropts,
837 ] + formatteropts,
838 _('hg bookmarks [OPTIONS]... [NAME]...'))
838 _('hg bookmarks [OPTIONS]... [NAME]...'))
839 def bookmark(ui, repo, *names, **opts):
839 def bookmark(ui, repo, *names, **opts):
840 '''create a new bookmark or list existing bookmarks
840 '''create a new bookmark or list existing bookmarks
841
841
842 Bookmarks are labels on changesets to help track lines of development.
842 Bookmarks are labels on changesets to help track lines of development.
843 Bookmarks are unversioned and can be moved, renamed and deleted.
843 Bookmarks are unversioned and can be moved, renamed and deleted.
844 Deleting or moving a bookmark has no effect on the associated changesets.
844 Deleting or moving a bookmark has no effect on the associated changesets.
845
845
846 Creating or updating to a bookmark causes it to be marked as 'active'.
846 Creating or updating to a bookmark causes it to be marked as 'active'.
847 The active bookmark is indicated with a '*'.
847 The active bookmark is indicated with a '*'.
848 When a commit is made, the active bookmark will advance to the new commit.
848 When a commit is made, the active bookmark will advance to the new commit.
849 A plain :hg:`update` will also advance an active bookmark, if possible.
849 A plain :hg:`update` will also advance an active bookmark, if possible.
850 Updating away from a bookmark will cause it to be deactivated.
850 Updating away from a bookmark will cause it to be deactivated.
851
851
852 Bookmarks can be pushed and pulled between repositories (see
852 Bookmarks can be pushed and pulled between repositories (see
853 :hg:`help push` and :hg:`help pull`). If a shared bookmark has
853 :hg:`help push` and :hg:`help pull`). If a shared bookmark has
854 diverged, a new 'divergent bookmark' of the form 'name@path' will
854 diverged, a new 'divergent bookmark' of the form 'name@path' will
855 be created. Using :hg:'merge' will resolve the divergence.
855 be created. Using :hg:'merge' will resolve the divergence.
856
856
857 A bookmark named '@' has the special property that :hg:`clone` will
857 A bookmark named '@' has the special property that :hg:`clone` will
858 check it out by default if it exists.
858 check it out by default if it exists.
859
859
860 .. container:: verbose
860 .. container:: verbose
861
861
862 Examples:
862 Examples:
863
863
864 - create an active bookmark for a new line of development::
864 - create an active bookmark for a new line of development::
865
865
866 hg book new-feature
866 hg book new-feature
867
867
868 - create an inactive bookmark as a place marker::
868 - create an inactive bookmark as a place marker::
869
869
870 hg book -i reviewed
870 hg book -i reviewed
871
871
872 - create an inactive bookmark on another changeset::
872 - create an inactive bookmark on another changeset::
873
873
874 hg book -r .^ tested
874 hg book -r .^ tested
875
875
876 - move the '@' bookmark from another branch::
876 - move the '@' bookmark from another branch::
877
877
878 hg book -f @
878 hg book -f @
879 '''
879 '''
880 force = opts.get('force')
880 force = opts.get('force')
881 rev = opts.get('rev')
881 rev = opts.get('rev')
882 delete = opts.get('delete')
882 delete = opts.get('delete')
883 rename = opts.get('rename')
883 rename = opts.get('rename')
884 inactive = opts.get('inactive')
884 inactive = opts.get('inactive')
885
885
886 def checkformat(mark):
886 def checkformat(mark):
887 mark = mark.strip()
887 mark = mark.strip()
888 if not mark:
888 if not mark:
889 raise util.Abort(_("bookmark names cannot consist entirely of "
889 raise util.Abort(_("bookmark names cannot consist entirely of "
890 "whitespace"))
890 "whitespace"))
891 scmutil.checknewlabel(repo, mark, 'bookmark')
891 scmutil.checknewlabel(repo, mark, 'bookmark')
892 return mark
892 return mark
893
893
894 def checkconflict(repo, mark, cur, force=False, target=None):
894 def checkconflict(repo, mark, cur, force=False, target=None):
895 if mark in marks and not force:
895 if mark in marks and not force:
896 if target:
896 if target:
897 if marks[mark] == target and target == cur:
897 if marks[mark] == target and target == cur:
898 # re-activating a bookmark
898 # re-activating a bookmark
899 return
899 return
900 anc = repo.changelog.ancestors([repo[target].rev()])
900 anc = repo.changelog.ancestors([repo[target].rev()])
901 bmctx = repo[marks[mark]]
901 bmctx = repo[marks[mark]]
902 divs = [repo[b].node() for b in marks
902 divs = [repo[b].node() for b in marks
903 if b.split('@', 1)[0] == mark.split('@', 1)[0]]
903 if b.split('@', 1)[0] == mark.split('@', 1)[0]]
904
904
905 # allow resolving a single divergent bookmark even if moving
905 # allow resolving a single divergent bookmark even if moving
906 # the bookmark across branches when a revision is specified
906 # the bookmark across branches when a revision is specified
907 # that contains a divergent bookmark
907 # that contains a divergent bookmark
908 if bmctx.rev() not in anc and target in divs:
908 if bmctx.rev() not in anc and target in divs:
909 bookmarks.deletedivergent(repo, [target], mark)
909 bookmarks.deletedivergent(repo, [target], mark)
910 return
910 return
911
911
912 deletefrom = [b for b in divs
912 deletefrom = [b for b in divs
913 if repo[b].rev() in anc or b == target]
913 if repo[b].rev() in anc or b == target]
914 bookmarks.deletedivergent(repo, deletefrom, mark)
914 bookmarks.deletedivergent(repo, deletefrom, mark)
915 if bookmarks.validdest(repo, bmctx, repo[target]):
915 if bookmarks.validdest(repo, bmctx, repo[target]):
916 ui.status(_("moving bookmark '%s' forward from %s\n") %
916 ui.status(_("moving bookmark '%s' forward from %s\n") %
917 (mark, short(bmctx.node())))
917 (mark, short(bmctx.node())))
918 return
918 return
919 raise util.Abort(_("bookmark '%s' already exists "
919 raise util.Abort(_("bookmark '%s' already exists "
920 "(use -f to force)") % mark)
920 "(use -f to force)") % mark)
921 if ((mark in repo.branchmap() or mark == repo.dirstate.branch())
921 if ((mark in repo.branchmap() or mark == repo.dirstate.branch())
922 and not force):
922 and not force):
923 raise util.Abort(
923 raise util.Abort(
924 _("a bookmark cannot have the name of an existing branch"))
924 _("a bookmark cannot have the name of an existing branch"))
925
925
926 if delete and rename:
926 if delete and rename:
927 raise util.Abort(_("--delete and --rename are incompatible"))
927 raise util.Abort(_("--delete and --rename are incompatible"))
928 if delete and rev:
928 if delete and rev:
929 raise util.Abort(_("--rev is incompatible with --delete"))
929 raise util.Abort(_("--rev is incompatible with --delete"))
930 if rename and rev:
930 if rename and rev:
931 raise util.Abort(_("--rev is incompatible with --rename"))
931 raise util.Abort(_("--rev is incompatible with --rename"))
932 if not names and (delete or rev):
932 if not names and (delete or rev):
933 raise util.Abort(_("bookmark name required"))
933 raise util.Abort(_("bookmark name required"))
934
934
935 if delete or rename or names or inactive:
935 if delete or rename or names or inactive:
936 wlock = repo.wlock()
936 wlock = repo.wlock()
937 try:
937 try:
938 cur = repo.changectx('.').node()
938 cur = repo.changectx('.').node()
939 marks = repo._bookmarks
939 marks = repo._bookmarks
940 if delete:
940 if delete:
941 for mark in names:
941 for mark in names:
942 if mark not in marks:
942 if mark not in marks:
943 raise util.Abort(_("bookmark '%s' does not exist") %
943 raise util.Abort(_("bookmark '%s' does not exist") %
944 mark)
944 mark)
945 if mark == repo._bookmarkcurrent:
945 if mark == repo._bookmarkcurrent:
946 bookmarks.unsetcurrent(repo)
946 bookmarks.unsetcurrent(repo)
947 del marks[mark]
947 del marks[mark]
948 marks.write()
948 marks.write()
949
949
950 elif rename:
950 elif rename:
951 if not names:
951 if not names:
952 raise util.Abort(_("new bookmark name required"))
952 raise util.Abort(_("new bookmark name required"))
953 elif len(names) > 1:
953 elif len(names) > 1:
954 raise util.Abort(_("only one new bookmark name allowed"))
954 raise util.Abort(_("only one new bookmark name allowed"))
955 mark = checkformat(names[0])
955 mark = checkformat(names[0])
956 if rename not in marks:
956 if rename not in marks:
957 raise util.Abort(_("bookmark '%s' does not exist") % rename)
957 raise util.Abort(_("bookmark '%s' does not exist") % rename)
958 checkconflict(repo, mark, cur, force)
958 checkconflict(repo, mark, cur, force)
959 marks[mark] = marks[rename]
959 marks[mark] = marks[rename]
960 if repo._bookmarkcurrent == rename and not inactive:
960 if repo._bookmarkcurrent == rename and not inactive:
961 bookmarks.setcurrent(repo, mark)
961 bookmarks.setcurrent(repo, mark)
962 del marks[rename]
962 del marks[rename]
963 marks.write()
963 marks.write()
964
964
965 elif names:
965 elif names:
966 newact = None
966 newact = None
967 for mark in names:
967 for mark in names:
968 mark = checkformat(mark)
968 mark = checkformat(mark)
969 if newact is None:
969 if newact is None:
970 newact = mark
970 newact = mark
971 if inactive and mark == repo._bookmarkcurrent:
971 if inactive and mark == repo._bookmarkcurrent:
972 bookmarks.unsetcurrent(repo)
972 bookmarks.unsetcurrent(repo)
973 return
973 return
974 tgt = cur
974 tgt = cur
975 if rev:
975 if rev:
976 tgt = scmutil.revsingle(repo, rev).node()
976 tgt = scmutil.revsingle(repo, rev).node()
977 checkconflict(repo, mark, cur, force, tgt)
977 checkconflict(repo, mark, cur, force, tgt)
978 marks[mark] = tgt
978 marks[mark] = tgt
979 if not inactive and cur == marks[newact] and not rev:
979 if not inactive and cur == marks[newact] and not rev:
980 bookmarks.setcurrent(repo, newact)
980 bookmarks.setcurrent(repo, newact)
981 elif cur != tgt and newact == repo._bookmarkcurrent:
981 elif cur != tgt and newact == repo._bookmarkcurrent:
982 bookmarks.unsetcurrent(repo)
982 bookmarks.unsetcurrent(repo)
983 marks.write()
983 marks.write()
984
984
985 elif inactive:
985 elif inactive:
986 if len(marks) == 0:
986 if len(marks) == 0:
987 ui.status(_("no bookmarks set\n"))
987 ui.status(_("no bookmarks set\n"))
988 elif not repo._bookmarkcurrent:
988 elif not repo._bookmarkcurrent:
989 ui.status(_("no active bookmark\n"))
989 ui.status(_("no active bookmark\n"))
990 else:
990 else:
991 bookmarks.unsetcurrent(repo)
991 bookmarks.unsetcurrent(repo)
992 finally:
992 finally:
993 wlock.release()
993 wlock.release()
994 else: # show bookmarks
994 else: # show bookmarks
995 fm = ui.formatter('bookmarks', opts)
995 fm = ui.formatter('bookmarks', opts)
996 hexfn = fm.hexfunc
996 hexfn = fm.hexfunc
997 marks = repo._bookmarks
997 marks = repo._bookmarks
998 if len(marks) == 0 and not fm:
998 if len(marks) == 0 and not fm:
999 ui.status(_("no bookmarks set\n"))
999 ui.status(_("no bookmarks set\n"))
1000 for bmark, n in sorted(marks.iteritems()):
1000 for bmark, n in sorted(marks.iteritems()):
1001 current = repo._bookmarkcurrent
1001 current = repo._bookmarkcurrent
1002 if bmark == current:
1002 if bmark == current:
1003 prefix, label = '*', 'bookmarks.current'
1003 prefix, label = '*', 'bookmarks.current'
1004 else:
1004 else:
1005 prefix, label = ' ', ''
1005 prefix, label = ' ', ''
1006
1006
1007 fm.startitem()
1007 fm.startitem()
1008 if not ui.quiet:
1008 if not ui.quiet:
1009 fm.plain(' %s ' % prefix, label=label)
1009 fm.plain(' %s ' % prefix, label=label)
1010 fm.write('bookmark', '%s', bmark, label=label)
1010 fm.write('bookmark', '%s', bmark, label=label)
1011 pad = " " * (25 - encoding.colwidth(bmark))
1011 pad = " " * (25 - encoding.colwidth(bmark))
1012 fm.condwrite(not ui.quiet, 'rev node', pad + ' %d:%s',
1012 fm.condwrite(not ui.quiet, 'rev node', pad + ' %d:%s',
1013 repo.changelog.rev(n), hexfn(n), label=label)
1013 repo.changelog.rev(n), hexfn(n), label=label)
1014 fm.data(active=(bmark == current))
1014 fm.data(active=(bmark == current))
1015 fm.plain('\n')
1015 fm.plain('\n')
1016 fm.end()
1016 fm.end()
1017
1017
1018 @command('branch',
1018 @command('branch',
1019 [('f', 'force', None,
1019 [('f', 'force', None,
1020 _('set branch name even if it shadows an existing branch')),
1020 _('set branch name even if it shadows an existing branch')),
1021 ('C', 'clean', None, _('reset branch name to parent branch name'))],
1021 ('C', 'clean', None, _('reset branch name to parent branch name'))],
1022 _('[-fC] [NAME]'))
1022 _('[-fC] [NAME]'))
1023 def branch(ui, repo, label=None, **opts):
1023 def branch(ui, repo, label=None, **opts):
1024 """set or show the current branch name
1024 """set or show the current branch name
1025
1025
1026 .. note::
1026 .. note::
1027
1027
1028 Branch names are permanent and global. Use :hg:`bookmark` to create a
1028 Branch names are permanent and global. Use :hg:`bookmark` to create a
1029 light-weight bookmark instead. See :hg:`help glossary` for more
1029 light-weight bookmark instead. See :hg:`help glossary` for more
1030 information about named branches and bookmarks.
1030 information about named branches and bookmarks.
1031
1031
1032 With no argument, show the current branch name. With one argument,
1032 With no argument, show the current branch name. With one argument,
1033 set the working directory branch name (the branch will not exist
1033 set the working directory branch name (the branch will not exist
1034 in the repository until the next commit). Standard practice
1034 in the repository until the next commit). Standard practice
1035 recommends that primary development take place on the 'default'
1035 recommends that primary development take place on the 'default'
1036 branch.
1036 branch.
1037
1037
1038 Unless -f/--force is specified, branch will not let you set a
1038 Unless -f/--force is specified, branch will not let you set a
1039 branch name that already exists, even if it's inactive.
1039 branch name that already exists, even if it's inactive.
1040
1040
1041 Use -C/--clean to reset the working directory branch to that of
1041 Use -C/--clean to reset the working directory branch to that of
1042 the parent of the working directory, negating a previous branch
1042 the parent of the working directory, negating a previous branch
1043 change.
1043 change.
1044
1044
1045 Use the command :hg:`update` to switch to an existing branch. Use
1045 Use the command :hg:`update` to switch to an existing branch. Use
1046 :hg:`commit --close-branch` to mark this branch as closed.
1046 :hg:`commit --close-branch` to mark this branch as closed.
1047
1047
1048 Returns 0 on success.
1048 Returns 0 on success.
1049 """
1049 """
1050 if label:
1050 if label:
1051 label = label.strip()
1051 label = label.strip()
1052
1052
1053 if not opts.get('clean') and not label:
1053 if not opts.get('clean') and not label:
1054 ui.write("%s\n" % repo.dirstate.branch())
1054 ui.write("%s\n" % repo.dirstate.branch())
1055 return
1055 return
1056
1056
1057 wlock = repo.wlock()
1057 wlock = repo.wlock()
1058 try:
1058 try:
1059 if opts.get('clean'):
1059 if opts.get('clean'):
1060 label = repo[None].p1().branch()
1060 label = repo[None].p1().branch()
1061 repo.dirstate.setbranch(label)
1061 repo.dirstate.setbranch(label)
1062 ui.status(_('reset working directory to branch %s\n') % label)
1062 ui.status(_('reset working directory to branch %s\n') % label)
1063 elif label:
1063 elif label:
1064 if not opts.get('force') and label in repo.branchmap():
1064 if not opts.get('force') and label in repo.branchmap():
1065 if label not in [p.branch() for p in repo.parents()]:
1065 if label not in [p.branch() for p in repo.parents()]:
1066 raise util.Abort(_('a branch of the same name already'
1066 raise util.Abort(_('a branch of the same name already'
1067 ' exists'),
1067 ' exists'),
1068 # i18n: "it" refers to an existing branch
1068 # i18n: "it" refers to an existing branch
1069 hint=_("use 'hg update' to switch to it"))
1069 hint=_("use 'hg update' to switch to it"))
1070 scmutil.checknewlabel(repo, label, 'branch')
1070 scmutil.checknewlabel(repo, label, 'branch')
1071 repo.dirstate.setbranch(label)
1071 repo.dirstate.setbranch(label)
1072 ui.status(_('marked working directory as branch %s\n') % label)
1072 ui.status(_('marked working directory as branch %s\n') % label)
1073 ui.status(_('(branches are permanent and global, '
1073 ui.status(_('(branches are permanent and global, '
1074 'did you want a bookmark?)\n'))
1074 'did you want a bookmark?)\n'))
1075 finally:
1075 finally:
1076 wlock.release()
1076 wlock.release()
1077
1077
1078 @command('branches',
1078 @command('branches',
1079 [('a', 'active', False, _('show only branches that have unmerged heads')),
1079 [('a', 'active', False, _('show only branches that have unmerged heads')),
1080 ('c', 'closed', False, _('show normal and closed branches')),
1080 ('c', 'closed', False, _('show normal and closed branches')),
1081 ] + formatteropts,
1081 ] + formatteropts,
1082 _('[-ac]'))
1082 _('[-ac]'))
1083 def branches(ui, repo, active=False, closed=False, **opts):
1083 def branches(ui, repo, active=False, closed=False, **opts):
1084 """list repository named branches
1084 """list repository named branches
1085
1085
1086 List the repository's named branches, indicating which ones are
1086 List the repository's named branches, indicating which ones are
1087 inactive. If -c/--closed is specified, also list branches which have
1087 inactive. If -c/--closed is specified, also list branches which have
1088 been marked closed (see :hg:`commit --close-branch`).
1088 been marked closed (see :hg:`commit --close-branch`).
1089
1089
1090 If -a/--active is specified, only show active branches. A branch
1090 If -a/--active is specified, only show active branches. A branch
1091 is considered active if it contains repository heads.
1091 is considered active if it contains repository heads.
1092
1092
1093 Use the command :hg:`update` to switch to an existing branch.
1093 Use the command :hg:`update` to switch to an existing branch.
1094
1094
1095 Returns 0.
1095 Returns 0.
1096 """
1096 """
1097
1097
1098 fm = ui.formatter('branches', opts)
1098 fm = ui.formatter('branches', opts)
1099 hexfunc = fm.hexfunc
1099 hexfunc = fm.hexfunc
1100
1100
1101 allheads = set(repo.heads())
1101 allheads = set(repo.heads())
1102 branches = []
1102 branches = []
1103 for tag, heads, tip, isclosed in repo.branchmap().iterbranches():
1103 for tag, heads, tip, isclosed in repo.branchmap().iterbranches():
1104 isactive = not isclosed and bool(set(heads) & allheads)
1104 isactive = not isclosed and bool(set(heads) & allheads)
1105 branches.append((tag, repo[tip], isactive, not isclosed))
1105 branches.append((tag, repo[tip], isactive, not isclosed))
1106 branches.sort(key=lambda i: (i[2], i[1].rev(), i[0], i[3]),
1106 branches.sort(key=lambda i: (i[2], i[1].rev(), i[0], i[3]),
1107 reverse=True)
1107 reverse=True)
1108
1108
1109 for tag, ctx, isactive, isopen in branches:
1109 for tag, ctx, isactive, isopen in branches:
1110 if active and not isactive:
1110 if active and not isactive:
1111 continue
1111 continue
1112 if isactive:
1112 if isactive:
1113 label = 'branches.active'
1113 label = 'branches.active'
1114 notice = ''
1114 notice = ''
1115 elif not isopen:
1115 elif not isopen:
1116 if not closed:
1116 if not closed:
1117 continue
1117 continue
1118 label = 'branches.closed'
1118 label = 'branches.closed'
1119 notice = _(' (closed)')
1119 notice = _(' (closed)')
1120 else:
1120 else:
1121 label = 'branches.inactive'
1121 label = 'branches.inactive'
1122 notice = _(' (inactive)')
1122 notice = _(' (inactive)')
1123 current = (tag == repo.dirstate.branch())
1123 current = (tag == repo.dirstate.branch())
1124 if current:
1124 if current:
1125 label = 'branches.current'
1125 label = 'branches.current'
1126
1126
1127 fm.startitem()
1127 fm.startitem()
1128 fm.write('branch', '%s', tag, label=label)
1128 fm.write('branch', '%s', tag, label=label)
1129 rev = ctx.rev()
1129 rev = ctx.rev()
1130 padsize = max(31 - len(str(rev)) - encoding.colwidth(tag), 0)
1130 padsize = max(31 - len(str(rev)) - encoding.colwidth(tag), 0)
1131 fmt = ' ' * padsize + ' %d:%s'
1131 fmt = ' ' * padsize + ' %d:%s'
1132 fm.condwrite(not ui.quiet, 'rev node', fmt, rev, hexfunc(ctx.node()),
1132 fm.condwrite(not ui.quiet, 'rev node', fmt, rev, hexfunc(ctx.node()),
1133 label='log.changeset changeset.%s' % ctx.phasestr())
1133 label='log.changeset changeset.%s' % ctx.phasestr())
1134 fm.data(active=isactive, closed=not isopen, current=current)
1134 fm.data(active=isactive, closed=not isopen, current=current)
1135 if not ui.quiet:
1135 if not ui.quiet:
1136 fm.plain(notice)
1136 fm.plain(notice)
1137 fm.plain('\n')
1137 fm.plain('\n')
1138 fm.end()
1138 fm.end()
1139
1139
1140 @command('bundle',
1140 @command('bundle',
1141 [('f', 'force', None, _('run even when the destination is unrelated')),
1141 [('f', 'force', None, _('run even when the destination is unrelated')),
1142 ('r', 'rev', [], _('a changeset intended to be added to the destination'),
1142 ('r', 'rev', [], _('a changeset intended to be added to the destination'),
1143 _('REV')),
1143 _('REV')),
1144 ('b', 'branch', [], _('a specific branch you would like to bundle'),
1144 ('b', 'branch', [], _('a specific branch you would like to bundle'),
1145 _('BRANCH')),
1145 _('BRANCH')),
1146 ('', 'base', [],
1146 ('', 'base', [],
1147 _('a base changeset assumed to be available at the destination'),
1147 _('a base changeset assumed to be available at the destination'),
1148 _('REV')),
1148 _('REV')),
1149 ('a', 'all', None, _('bundle all changesets in the repository')),
1149 ('a', 'all', None, _('bundle all changesets in the repository')),
1150 ('t', 'type', 'bzip2', _('bundle compression type to use'), _('TYPE')),
1150 ('t', 'type', 'bzip2', _('bundle compression type to use'), _('TYPE')),
1151 ] + remoteopts,
1151 ] + remoteopts,
1152 _('[-f] [-t TYPE] [-a] [-r REV]... [--base REV]... FILE [DEST]'))
1152 _('[-f] [-t TYPE] [-a] [-r REV]... [--base REV]... FILE [DEST]'))
1153 def bundle(ui, repo, fname, dest=None, **opts):
1153 def bundle(ui, repo, fname, dest=None, **opts):
1154 """create a changegroup file
1154 """create a changegroup file
1155
1155
1156 Generate a compressed changegroup file collecting changesets not
1156 Generate a compressed changegroup file collecting changesets not
1157 known to be in another repository.
1157 known to be in another repository.
1158
1158
1159 If you omit the destination repository, then hg assumes the
1159 If you omit the destination repository, then hg assumes the
1160 destination will have all the nodes you specify with --base
1160 destination will have all the nodes you specify with --base
1161 parameters. To create a bundle containing all changesets, use
1161 parameters. To create a bundle containing all changesets, use
1162 -a/--all (or --base null).
1162 -a/--all (or --base null).
1163
1163
1164 You can change compression method with the -t/--type option.
1164 You can change compression method with the -t/--type option.
1165 The available compression methods are: none, bzip2, and
1165 The available compression methods are: none, bzip2, and
1166 gzip (by default, bundles are compressed using bzip2).
1166 gzip (by default, bundles are compressed using bzip2).
1167
1167
1168 The bundle file can then be transferred using conventional means
1168 The bundle file can then be transferred using conventional means
1169 and applied to another repository with the unbundle or pull
1169 and applied to another repository with the unbundle or pull
1170 command. This is useful when direct push and pull are not
1170 command. This is useful when direct push and pull are not
1171 available or when exporting an entire repository is undesirable.
1171 available or when exporting an entire repository is undesirable.
1172
1172
1173 Applying bundles preserves all changeset contents including
1173 Applying bundles preserves all changeset contents including
1174 permissions, copy/rename information, and revision history.
1174 permissions, copy/rename information, and revision history.
1175
1175
1176 Returns 0 on success, 1 if no changes found.
1176 Returns 0 on success, 1 if no changes found.
1177 """
1177 """
1178 revs = None
1178 revs = None
1179 if 'rev' in opts:
1179 if 'rev' in opts:
1180 revs = scmutil.revrange(repo, opts['rev'])
1180 revs = scmutil.revrange(repo, opts['rev'])
1181
1181
1182 bundletype = opts.get('type', 'bzip2').lower()
1182 bundletype = opts.get('type', 'bzip2').lower()
1183 btypes = {'none': 'HG10UN', 'bzip2': 'HG10BZ', 'gzip': 'HG10GZ'}
1183 btypes = {'none': 'HG10UN', 'bzip2': 'HG10BZ', 'gzip': 'HG10GZ'}
1184 bundletype = btypes.get(bundletype)
1184 bundletype = btypes.get(bundletype)
1185 if bundletype not in changegroup.bundletypes:
1185 if bundletype not in changegroup.bundletypes:
1186 raise util.Abort(_('unknown bundle type specified with --type'))
1186 raise util.Abort(_('unknown bundle type specified with --type'))
1187
1187
1188 if opts.get('all'):
1188 if opts.get('all'):
1189 base = ['null']
1189 base = ['null']
1190 else:
1190 else:
1191 base = scmutil.revrange(repo, opts.get('base'))
1191 base = scmutil.revrange(repo, opts.get('base'))
1192 # TODO: get desired bundlecaps from command line.
1192 # TODO: get desired bundlecaps from command line.
1193 bundlecaps = None
1193 bundlecaps = None
1194 if base:
1194 if base:
1195 if dest:
1195 if dest:
1196 raise util.Abort(_("--base is incompatible with specifying "
1196 raise util.Abort(_("--base is incompatible with specifying "
1197 "a destination"))
1197 "a destination"))
1198 common = [repo.lookup(rev) for rev in base]
1198 common = [repo.lookup(rev) for rev in base]
1199 heads = revs and map(repo.lookup, revs) or revs
1199 heads = revs and map(repo.lookup, revs) or revs
1200 cg = changegroup.getchangegroup(repo, 'bundle', heads=heads,
1200 cg = changegroup.getchangegroup(repo, 'bundle', heads=heads,
1201 common=common, bundlecaps=bundlecaps)
1201 common=common, bundlecaps=bundlecaps)
1202 outgoing = None
1202 outgoing = None
1203 else:
1203 else:
1204 dest = ui.expandpath(dest or 'default-push', dest or 'default')
1204 dest = ui.expandpath(dest or 'default-push', dest or 'default')
1205 dest, branches = hg.parseurl(dest, opts.get('branch'))
1205 dest, branches = hg.parseurl(dest, opts.get('branch'))
1206 other = hg.peer(repo, opts, dest)
1206 other = hg.peer(repo, opts, dest)
1207 revs, checkout = hg.addbranchrevs(repo, repo, branches, revs)
1207 revs, checkout = hg.addbranchrevs(repo, repo, branches, revs)
1208 heads = revs and map(repo.lookup, revs) or revs
1208 heads = revs and map(repo.lookup, revs) or revs
1209 outgoing = discovery.findcommonoutgoing(repo, other,
1209 outgoing = discovery.findcommonoutgoing(repo, other,
1210 onlyheads=heads,
1210 onlyheads=heads,
1211 force=opts.get('force'),
1211 force=opts.get('force'),
1212 portable=True)
1212 portable=True)
1213 cg = changegroup.getlocalchangegroup(repo, 'bundle', outgoing,
1213 cg = changegroup.getlocalchangegroup(repo, 'bundle', outgoing,
1214 bundlecaps)
1214 bundlecaps)
1215 if not cg:
1215 if not cg:
1216 scmutil.nochangesfound(ui, repo, outgoing and outgoing.excluded)
1216 scmutil.nochangesfound(ui, repo, outgoing and outgoing.excluded)
1217 return 1
1217 return 1
1218
1218
1219 changegroup.writebundle(cg, fname, bundletype)
1219 changegroup.writebundle(cg, fname, bundletype)
1220
1220
1221 @command('cat',
1221 @command('cat',
1222 [('o', 'output', '',
1222 [('o', 'output', '',
1223 _('print output to file with formatted name'), _('FORMAT')),
1223 _('print output to file with formatted name'), _('FORMAT')),
1224 ('r', 'rev', '', _('print the given revision'), _('REV')),
1224 ('r', 'rev', '', _('print the given revision'), _('REV')),
1225 ('', 'decode', None, _('apply any matching decode filter')),
1225 ('', 'decode', None, _('apply any matching decode filter')),
1226 ] + walkopts,
1226 ] + walkopts,
1227 _('[OPTION]... FILE...'),
1227 _('[OPTION]... FILE...'),
1228 inferrepo=True)
1228 inferrepo=True)
1229 def cat(ui, repo, file1, *pats, **opts):
1229 def cat(ui, repo, file1, *pats, **opts):
1230 """output the current or given revision of files
1230 """output the current or given revision of files
1231
1231
1232 Print the specified files as they were at the given revision. If
1232 Print the specified files as they were at the given revision. If
1233 no revision is given, the parent of the working directory is used.
1233 no revision is given, the parent of the working directory is used.
1234
1234
1235 Output may be to a file, in which case the name of the file is
1235 Output may be to a file, in which case the name of the file is
1236 given using a format string. The formatting rules as follows:
1236 given using a format string. The formatting rules as follows:
1237
1237
1238 :``%%``: literal "%" character
1238 :``%%``: literal "%" character
1239 :``%s``: basename of file being printed
1239 :``%s``: basename of file being printed
1240 :``%d``: dirname of file being printed, or '.' if in repository root
1240 :``%d``: dirname of file being printed, or '.' if in repository root
1241 :``%p``: root-relative path name of file being printed
1241 :``%p``: root-relative path name of file being printed
1242 :``%H``: changeset hash (40 hexadecimal digits)
1242 :``%H``: changeset hash (40 hexadecimal digits)
1243 :``%R``: changeset revision number
1243 :``%R``: changeset revision number
1244 :``%h``: short-form changeset hash (12 hexadecimal digits)
1244 :``%h``: short-form changeset hash (12 hexadecimal digits)
1245 :``%r``: zero-padded changeset revision number
1245 :``%r``: zero-padded changeset revision number
1246 :``%b``: basename of the exporting repository
1246 :``%b``: basename of the exporting repository
1247
1247
1248 Returns 0 on success.
1248 Returns 0 on success.
1249 """
1249 """
1250 ctx = scmutil.revsingle(repo, opts.get('rev'))
1250 ctx = scmutil.revsingle(repo, opts.get('rev'))
1251 m = scmutil.match(ctx, (file1,) + pats, opts)
1251 m = scmutil.match(ctx, (file1,) + pats, opts)
1252
1252
1253 return cmdutil.cat(ui, repo, ctx, m, '', **opts)
1253 return cmdutil.cat(ui, repo, ctx, m, '', **opts)
1254
1254
1255 @command('^clone',
1255 @command('^clone',
1256 [('U', 'noupdate', None,
1256 [('U', 'noupdate', None,
1257 _('the clone will include an empty working copy (only a repository)')),
1257 _('the clone will include an empty working copy (only a repository)')),
1258 ('u', 'updaterev', '', _('revision, tag or branch to check out'), _('REV')),
1258 ('u', 'updaterev', '', _('revision, tag or branch to check out'), _('REV')),
1259 ('r', 'rev', [], _('include the specified changeset'), _('REV')),
1259 ('r', 'rev', [], _('include the specified changeset'), _('REV')),
1260 ('b', 'branch', [], _('clone only the specified branch'), _('BRANCH')),
1260 ('b', 'branch', [], _('clone only the specified branch'), _('BRANCH')),
1261 ('', 'pull', None, _('use pull protocol to copy metadata')),
1261 ('', 'pull', None, _('use pull protocol to copy metadata')),
1262 ('', 'uncompressed', None, _('use uncompressed transfer (fast over LAN)')),
1262 ('', 'uncompressed', None, _('use uncompressed transfer (fast over LAN)')),
1263 ] + remoteopts,
1263 ] + remoteopts,
1264 _('[OPTION]... SOURCE [DEST]'),
1264 _('[OPTION]... SOURCE [DEST]'),
1265 norepo=True)
1265 norepo=True)
1266 def clone(ui, source, dest=None, **opts):
1266 def clone(ui, source, dest=None, **opts):
1267 """make a copy of an existing repository
1267 """make a copy of an existing repository
1268
1268
1269 Create a copy of an existing repository in a new directory.
1269 Create a copy of an existing repository in a new directory.
1270
1270
1271 If no destination directory name is specified, it defaults to the
1271 If no destination directory name is specified, it defaults to the
1272 basename of the source.
1272 basename of the source.
1273
1273
1274 The location of the source is added to the new repository's
1274 The location of the source is added to the new repository's
1275 ``.hg/hgrc`` file, as the default to be used for future pulls.
1275 ``.hg/hgrc`` file, as the default to be used for future pulls.
1276
1276
1277 Only local paths and ``ssh://`` URLs are supported as
1277 Only local paths and ``ssh://`` URLs are supported as
1278 destinations. For ``ssh://`` destinations, no working directory or
1278 destinations. For ``ssh://`` destinations, no working directory or
1279 ``.hg/hgrc`` will be created on the remote side.
1279 ``.hg/hgrc`` will be created on the remote side.
1280
1280
1281 To pull only a subset of changesets, specify one or more revisions
1281 To pull only a subset of changesets, specify one or more revisions
1282 identifiers with -r/--rev or branches with -b/--branch. The
1282 identifiers with -r/--rev or branches with -b/--branch. The
1283 resulting clone will contain only the specified changesets and
1283 resulting clone will contain only the specified changesets and
1284 their ancestors. These options (or 'clone src#rev dest') imply
1284 their ancestors. These options (or 'clone src#rev dest') imply
1285 --pull, even for local source repositories. Note that specifying a
1285 --pull, even for local source repositories. Note that specifying a
1286 tag will include the tagged changeset but not the changeset
1286 tag will include the tagged changeset but not the changeset
1287 containing the tag.
1287 containing the tag.
1288
1288
1289 If the source repository has a bookmark called '@' set, that
1289 If the source repository has a bookmark called '@' set, that
1290 revision will be checked out in the new repository by default.
1290 revision will be checked out in the new repository by default.
1291
1291
1292 To check out a particular version, use -u/--update, or
1292 To check out a particular version, use -u/--update, or
1293 -U/--noupdate to create a clone with no working directory.
1293 -U/--noupdate to create a clone with no working directory.
1294
1294
1295 .. container:: verbose
1295 .. container:: verbose
1296
1296
1297 For efficiency, hardlinks are used for cloning whenever the
1297 For efficiency, hardlinks are used for cloning whenever the
1298 source and destination are on the same filesystem (note this
1298 source and destination are on the same filesystem (note this
1299 applies only to the repository data, not to the working
1299 applies only to the repository data, not to the working
1300 directory). Some filesystems, such as AFS, implement hardlinking
1300 directory). Some filesystems, such as AFS, implement hardlinking
1301 incorrectly, but do not report errors. In these cases, use the
1301 incorrectly, but do not report errors. In these cases, use the
1302 --pull option to avoid hardlinking.
1302 --pull option to avoid hardlinking.
1303
1303
1304 In some cases, you can clone repositories and the working
1304 In some cases, you can clone repositories and the working
1305 directory using full hardlinks with ::
1305 directory using full hardlinks with ::
1306
1306
1307 $ cp -al REPO REPOCLONE
1307 $ cp -al REPO REPOCLONE
1308
1308
1309 This is the fastest way to clone, but it is not always safe. The
1309 This is the fastest way to clone, but it is not always safe. The
1310 operation is not atomic (making sure REPO is not modified during
1310 operation is not atomic (making sure REPO is not modified during
1311 the operation is up to you) and you have to make sure your
1311 the operation is up to you) and you have to make sure your
1312 editor breaks hardlinks (Emacs and most Linux Kernel tools do
1312 editor breaks hardlinks (Emacs and most Linux Kernel tools do
1313 so). Also, this is not compatible with certain extensions that
1313 so). Also, this is not compatible with certain extensions that
1314 place their metadata under the .hg directory, such as mq.
1314 place their metadata under the .hg directory, such as mq.
1315
1315
1316 Mercurial will update the working directory to the first applicable
1316 Mercurial will update the working directory to the first applicable
1317 revision from this list:
1317 revision from this list:
1318
1318
1319 a) null if -U or the source repository has no changesets
1319 a) null if -U or the source repository has no changesets
1320 b) if -u . and the source repository is local, the first parent of
1320 b) if -u . and the source repository is local, the first parent of
1321 the source repository's working directory
1321 the source repository's working directory
1322 c) the changeset specified with -u (if a branch name, this means the
1322 c) the changeset specified with -u (if a branch name, this means the
1323 latest head of that branch)
1323 latest head of that branch)
1324 d) the changeset specified with -r
1324 d) the changeset specified with -r
1325 e) the tipmost head specified with -b
1325 e) the tipmost head specified with -b
1326 f) the tipmost head specified with the url#branch source syntax
1326 f) the tipmost head specified with the url#branch source syntax
1327 g) the revision marked with the '@' bookmark, if present
1327 g) the revision marked with the '@' bookmark, if present
1328 h) the tipmost head of the default branch
1328 h) the tipmost head of the default branch
1329 i) tip
1329 i) tip
1330
1330
1331 Examples:
1331 Examples:
1332
1332
1333 - clone a remote repository to a new directory named hg/::
1333 - clone a remote repository to a new directory named hg/::
1334
1334
1335 hg clone http://selenic.com/hg
1335 hg clone http://selenic.com/hg
1336
1336
1337 - create a lightweight local clone::
1337 - create a lightweight local clone::
1338
1338
1339 hg clone project/ project-feature/
1339 hg clone project/ project-feature/
1340
1340
1341 - clone from an absolute path on an ssh server (note double-slash)::
1341 - clone from an absolute path on an ssh server (note double-slash)::
1342
1342
1343 hg clone ssh://user@server//home/projects/alpha/
1343 hg clone ssh://user@server//home/projects/alpha/
1344
1344
1345 - do a high-speed clone over a LAN while checking out a
1345 - do a high-speed clone over a LAN while checking out a
1346 specified version::
1346 specified version::
1347
1347
1348 hg clone --uncompressed http://server/repo -u 1.5
1348 hg clone --uncompressed http://server/repo -u 1.5
1349
1349
1350 - create a repository without changesets after a particular revision::
1350 - create a repository without changesets after a particular revision::
1351
1351
1352 hg clone -r 04e544 experimental/ good/
1352 hg clone -r 04e544 experimental/ good/
1353
1353
1354 - clone (and track) a particular named branch::
1354 - clone (and track) a particular named branch::
1355
1355
1356 hg clone http://selenic.com/hg#stable
1356 hg clone http://selenic.com/hg#stable
1357
1357
1358 See :hg:`help urls` for details on specifying URLs.
1358 See :hg:`help urls` for details on specifying URLs.
1359
1359
1360 Returns 0 on success.
1360 Returns 0 on success.
1361 """
1361 """
1362 if opts.get('noupdate') and opts.get('updaterev'):
1362 if opts.get('noupdate') and opts.get('updaterev'):
1363 raise util.Abort(_("cannot specify both --noupdate and --updaterev"))
1363 raise util.Abort(_("cannot specify both --noupdate and --updaterev"))
1364
1364
1365 r = hg.clone(ui, opts, source, dest,
1365 r = hg.clone(ui, opts, source, dest,
1366 pull=opts.get('pull'),
1366 pull=opts.get('pull'),
1367 stream=opts.get('uncompressed'),
1367 stream=opts.get('uncompressed'),
1368 rev=opts.get('rev'),
1368 rev=opts.get('rev'),
1369 update=opts.get('updaterev') or not opts.get('noupdate'),
1369 update=opts.get('updaterev') or not opts.get('noupdate'),
1370 branch=opts.get('branch'))
1370 branch=opts.get('branch'))
1371
1371
1372 return r is None
1372 return r is None
1373
1373
1374 @command('^commit|ci',
1374 @command('^commit|ci',
1375 [('A', 'addremove', None,
1375 [('A', 'addremove', None,
1376 _('mark new/missing files as added/removed before committing')),
1376 _('mark new/missing files as added/removed before committing')),
1377 ('', 'close-branch', None,
1377 ('', 'close-branch', None,
1378 _('mark a branch as closed, hiding it from the branch list')),
1378 _('mark a branch as closed, hiding it from the branch list')),
1379 ('', 'amend', None, _('amend the parent of the working dir')),
1379 ('', 'amend', None, _('amend the parent of the working dir')),
1380 ('s', 'secret', None, _('use the secret phase for committing')),
1380 ('s', 'secret', None, _('use the secret phase for committing')),
1381 ('e', 'edit', None, _('invoke editor on commit messages')),
1381 ('e', 'edit', None, _('invoke editor on commit messages')),
1382 ] + walkopts + commitopts + commitopts2 + subrepoopts,
1382 ] + walkopts + commitopts + commitopts2 + subrepoopts,
1383 _('[OPTION]... [FILE]...'),
1383 _('[OPTION]... [FILE]...'),
1384 inferrepo=True)
1384 inferrepo=True)
1385 def commit(ui, repo, *pats, **opts):
1385 def commit(ui, repo, *pats, **opts):
1386 """commit the specified files or all outstanding changes
1386 """commit the specified files or all outstanding changes
1387
1387
1388 Commit changes to the given files into the repository. Unlike a
1388 Commit changes to the given files into the repository. Unlike a
1389 centralized SCM, this operation is a local operation. See
1389 centralized SCM, this operation is a local operation. See
1390 :hg:`push` for a way to actively distribute your changes.
1390 :hg:`push` for a way to actively distribute your changes.
1391
1391
1392 If a list of files is omitted, all changes reported by :hg:`status`
1392 If a list of files is omitted, all changes reported by :hg:`status`
1393 will be committed.
1393 will be committed.
1394
1394
1395 If you are committing the result of a merge, do not provide any
1395 If you are committing the result of a merge, do not provide any
1396 filenames or -I/-X filters.
1396 filenames or -I/-X filters.
1397
1397
1398 If no commit message is specified, Mercurial starts your
1398 If no commit message is specified, Mercurial starts your
1399 configured editor where you can enter a message. In case your
1399 configured editor where you can enter a message. In case your
1400 commit fails, you will find a backup of your message in
1400 commit fails, you will find a backup of your message in
1401 ``.hg/last-message.txt``.
1401 ``.hg/last-message.txt``.
1402
1402
1403 The --amend flag can be used to amend the parent of the
1403 The --amend flag can be used to amend the parent of the
1404 working directory with a new commit that contains the changes
1404 working directory with a new commit that contains the changes
1405 in the parent in addition to those currently reported by :hg:`status`,
1405 in the parent in addition to those currently reported by :hg:`status`,
1406 if there are any. The old commit is stored in a backup bundle in
1406 if there are any. The old commit is stored in a backup bundle in
1407 ``.hg/strip-backup`` (see :hg:`help bundle` and :hg:`help unbundle`
1407 ``.hg/strip-backup`` (see :hg:`help bundle` and :hg:`help unbundle`
1408 on how to restore it).
1408 on how to restore it).
1409
1409
1410 Message, user and date are taken from the amended commit unless
1410 Message, user and date are taken from the amended commit unless
1411 specified. When a message isn't specified on the command line,
1411 specified. When a message isn't specified on the command line,
1412 the editor will open with the message of the amended commit.
1412 the editor will open with the message of the amended commit.
1413
1413
1414 It is not possible to amend public changesets (see :hg:`help phases`)
1414 It is not possible to amend public changesets (see :hg:`help phases`)
1415 or changesets that have children.
1415 or changesets that have children.
1416
1416
1417 See :hg:`help dates` for a list of formats valid for -d/--date.
1417 See :hg:`help dates` for a list of formats valid for -d/--date.
1418
1418
1419 Returns 0 on success, 1 if nothing changed.
1419 Returns 0 on success, 1 if nothing changed.
1420 """
1420 """
1421 if opts.get('subrepos'):
1421 if opts.get('subrepos'):
1422 if opts.get('amend'):
1422 if opts.get('amend'):
1423 raise util.Abort(_('cannot amend with --subrepos'))
1423 raise util.Abort(_('cannot amend with --subrepos'))
1424 # Let --subrepos on the command line override config setting.
1424 # Let --subrepos on the command line override config setting.
1425 ui.setconfig('ui', 'commitsubrepos', True, 'commit')
1425 ui.setconfig('ui', 'commitsubrepos', True, 'commit')
1426
1426
1427 cmdutil.checkunfinished(repo, commit=True)
1427 cmdutil.checkunfinished(repo, commit=True)
1428
1428
1429 branch = repo[None].branch()
1429 branch = repo[None].branch()
1430 bheads = repo.branchheads(branch)
1430 bheads = repo.branchheads(branch)
1431
1431
1432 extra = {}
1432 extra = {}
1433 if opts.get('close_branch'):
1433 if opts.get('close_branch'):
1434 extra['close'] = 1
1434 extra['close'] = 1
1435
1435
1436 if not bheads:
1436 if not bheads:
1437 raise util.Abort(_('can only close branch heads'))
1437 raise util.Abort(_('can only close branch heads'))
1438 elif opts.get('amend'):
1438 elif opts.get('amend'):
1439 if repo.parents()[0].p1().branch() != branch and \
1439 if repo.parents()[0].p1().branch() != branch and \
1440 repo.parents()[0].p2().branch() != branch:
1440 repo.parents()[0].p2().branch() != branch:
1441 raise util.Abort(_('can only close branch heads'))
1441 raise util.Abort(_('can only close branch heads'))
1442
1442
1443 if opts.get('amend'):
1443 if opts.get('amend'):
1444 if ui.configbool('ui', 'commitsubrepos'):
1444 if ui.configbool('ui', 'commitsubrepos'):
1445 raise util.Abort(_('cannot amend with ui.commitsubrepos enabled'))
1445 raise util.Abort(_('cannot amend with ui.commitsubrepos enabled'))
1446
1446
1447 old = repo['.']
1447 old = repo['.']
1448 if not old.mutable():
1448 if not old.mutable():
1449 raise util.Abort(_('cannot amend public changesets'))
1449 raise util.Abort(_('cannot amend public changesets'))
1450 if len(repo[None].parents()) > 1:
1450 if len(repo[None].parents()) > 1:
1451 raise util.Abort(_('cannot amend while merging'))
1451 raise util.Abort(_('cannot amend while merging'))
1452 if (not obsolete._enabled) and old.children():
1452 if (not obsolete._enabled) and old.children():
1453 raise util.Abort(_('cannot amend changeset with children'))
1453 raise util.Abort(_('cannot amend changeset with children'))
1454
1454
1455 # commitfunc is used only for temporary amend commit by cmdutil.amend
1455 # commitfunc is used only for temporary amend commit by cmdutil.amend
1456 def commitfunc(ui, repo, message, match, opts):
1456 def commitfunc(ui, repo, message, match, opts):
1457 return repo.commit(message,
1457 return repo.commit(message,
1458 opts.get('user') or old.user(),
1458 opts.get('user') or old.user(),
1459 opts.get('date') or old.date(),
1459 opts.get('date') or old.date(),
1460 match,
1460 match,
1461 extra=extra)
1461 extra=extra)
1462
1462
1463 current = repo._bookmarkcurrent
1463 current = repo._bookmarkcurrent
1464 marks = old.bookmarks()
1464 marks = old.bookmarks()
1465 node = cmdutil.amend(ui, repo, commitfunc, old, extra, pats, opts)
1465 node = cmdutil.amend(ui, repo, commitfunc, old, extra, pats, opts)
1466 if node == old.node():
1466 if node == old.node():
1467 ui.status(_("nothing changed\n"))
1467 ui.status(_("nothing changed\n"))
1468 return 1
1468 return 1
1469 elif marks:
1469 elif marks:
1470 ui.debug('moving bookmarks %r from %s to %s\n' %
1470 ui.debug('moving bookmarks %r from %s to %s\n' %
1471 (marks, old.hex(), hex(node)))
1471 (marks, old.hex(), hex(node)))
1472 newmarks = repo._bookmarks
1472 newmarks = repo._bookmarks
1473 for bm in marks:
1473 for bm in marks:
1474 newmarks[bm] = node
1474 newmarks[bm] = node
1475 if bm == current:
1475 if bm == current:
1476 bookmarks.setcurrent(repo, bm)
1476 bookmarks.setcurrent(repo, bm)
1477 newmarks.write()
1477 newmarks.write()
1478 else:
1478 else:
1479 def commitfunc(ui, repo, message, match, opts):
1479 def commitfunc(ui, repo, message, match, opts):
1480 backup = ui.backupconfig('phases', 'new-commit')
1480 backup = ui.backupconfig('phases', 'new-commit')
1481 baseui = repo.baseui
1481 baseui = repo.baseui
1482 basebackup = baseui.backupconfig('phases', 'new-commit')
1482 basebackup = baseui.backupconfig('phases', 'new-commit')
1483 try:
1483 try:
1484 if opts.get('secret'):
1484 if opts.get('secret'):
1485 ui.setconfig('phases', 'new-commit', 'secret', 'commit')
1485 ui.setconfig('phases', 'new-commit', 'secret', 'commit')
1486 # Propagate to subrepos
1486 # Propagate to subrepos
1487 baseui.setconfig('phases', 'new-commit', 'secret', 'commit')
1487 baseui.setconfig('phases', 'new-commit', 'secret', 'commit')
1488
1488
1489 editform = cmdutil.mergeeditform(repo[None], 'commit.normal')
1489 editform = cmdutil.mergeeditform(repo[None], 'commit.normal')
1490 editor = cmdutil.getcommiteditor(editform=editform, **opts)
1490 editor = cmdutil.getcommiteditor(editform=editform, **opts)
1491 return repo.commit(message, opts.get('user'), opts.get('date'),
1491 return repo.commit(message, opts.get('user'), opts.get('date'),
1492 match,
1492 match,
1493 editor=editor,
1493 editor=editor,
1494 extra=extra)
1494 extra=extra)
1495 finally:
1495 finally:
1496 ui.restoreconfig(backup)
1496 ui.restoreconfig(backup)
1497 repo.baseui.restoreconfig(basebackup)
1497 repo.baseui.restoreconfig(basebackup)
1498
1498
1499
1499
1500 node = cmdutil.commit(ui, repo, commitfunc, pats, opts)
1500 node = cmdutil.commit(ui, repo, commitfunc, pats, opts)
1501
1501
1502 if not node:
1502 if not node:
1503 stat = repo.status(match=scmutil.match(repo[None], pats, opts))
1503 stat = repo.status(match=scmutil.match(repo[None], pats, opts))
1504 if stat[3]:
1504 if stat[3]:
1505 ui.status(_("nothing changed (%d missing files, see "
1505 ui.status(_("nothing changed (%d missing files, see "
1506 "'hg status')\n") % len(stat[3]))
1506 "'hg status')\n") % len(stat[3]))
1507 else:
1507 else:
1508 ui.status(_("nothing changed\n"))
1508 ui.status(_("nothing changed\n"))
1509 return 1
1509 return 1
1510
1510
1511 cmdutil.commitstatus(repo, node, branch, bheads, opts)
1511 cmdutil.commitstatus(repo, node, branch, bheads, opts)
1512
1512
1513 @command('config|showconfig|debugconfig',
1513 @command('config|showconfig|debugconfig',
1514 [('u', 'untrusted', None, _('show untrusted configuration options')),
1514 [('u', 'untrusted', None, _('show untrusted configuration options')),
1515 ('e', 'edit', None, _('edit user config')),
1515 ('e', 'edit', None, _('edit user config')),
1516 ('l', 'local', None, _('edit repository config')),
1516 ('l', 'local', None, _('edit repository config')),
1517 ('g', 'global', None, _('edit global config'))],
1517 ('g', 'global', None, _('edit global config'))],
1518 _('[-u] [NAME]...'),
1518 _('[-u] [NAME]...'),
1519 optionalrepo=True)
1519 optionalrepo=True)
1520 def config(ui, repo, *values, **opts):
1520 def config(ui, repo, *values, **opts):
1521 """show combined config settings from all hgrc files
1521 """show combined config settings from all hgrc files
1522
1522
1523 With no arguments, print names and values of all config items.
1523 With no arguments, print names and values of all config items.
1524
1524
1525 With one argument of the form section.name, print just the value
1525 With one argument of the form section.name, print just the value
1526 of that config item.
1526 of that config item.
1527
1527
1528 With multiple arguments, print names and values of all config
1528 With multiple arguments, print names and values of all config
1529 items with matching section names.
1529 items with matching section names.
1530
1530
1531 With --edit, start an editor on the user-level config file. With
1531 With --edit, start an editor on the user-level config file. With
1532 --global, edit the system-wide config file. With --local, edit the
1532 --global, edit the system-wide config file. With --local, edit the
1533 repository-level config file.
1533 repository-level config file.
1534
1534
1535 With --debug, the source (filename and line number) is printed
1535 With --debug, the source (filename and line number) is printed
1536 for each config item.
1536 for each config item.
1537
1537
1538 See :hg:`help config` for more information about config files.
1538 See :hg:`help config` for more information about config files.
1539
1539
1540 Returns 0 on success, 1 if NAME does not exist.
1540 Returns 0 on success, 1 if NAME does not exist.
1541
1541
1542 """
1542 """
1543
1543
1544 if opts.get('edit') or opts.get('local') or opts.get('global'):
1544 if opts.get('edit') or opts.get('local') or opts.get('global'):
1545 if opts.get('local') and opts.get('global'):
1545 if opts.get('local') and opts.get('global'):
1546 raise util.Abort(_("can't use --local and --global together"))
1546 raise util.Abort(_("can't use --local and --global together"))
1547
1547
1548 if opts.get('local'):
1548 if opts.get('local'):
1549 if not repo:
1549 if not repo:
1550 raise util.Abort(_("can't use --local outside a repository"))
1550 raise util.Abort(_("can't use --local outside a repository"))
1551 paths = [repo.join('hgrc')]
1551 paths = [repo.join('hgrc')]
1552 elif opts.get('global'):
1552 elif opts.get('global'):
1553 paths = scmutil.systemrcpath()
1553 paths = scmutil.systemrcpath()
1554 else:
1554 else:
1555 paths = scmutil.userrcpath()
1555 paths = scmutil.userrcpath()
1556
1556
1557 for f in paths:
1557 for f in paths:
1558 if os.path.exists(f):
1558 if os.path.exists(f):
1559 break
1559 break
1560 else:
1560 else:
1561 from ui import samplehgrcs
1561 from ui import samplehgrcs
1562
1562
1563 if opts.get('global'):
1563 if opts.get('global'):
1564 samplehgrc = samplehgrcs['global']
1564 samplehgrc = samplehgrcs['global']
1565 elif opts.get('local'):
1565 elif opts.get('local'):
1566 samplehgrc = samplehgrcs['local']
1566 samplehgrc = samplehgrcs['local']
1567 else:
1567 else:
1568 samplehgrc = samplehgrcs['user']
1568 samplehgrc = samplehgrcs['user']
1569
1569
1570 f = paths[0]
1570 f = paths[0]
1571 fp = open(f, "w")
1571 fp = open(f, "w")
1572 fp.write(samplehgrc)
1572 fp.write(samplehgrc)
1573 fp.close()
1573 fp.close()
1574
1574
1575 editor = ui.geteditor()
1575 editor = ui.geteditor()
1576 util.system("%s \"%s\"" % (editor, f),
1576 util.system("%s \"%s\"" % (editor, f),
1577 onerr=util.Abort, errprefix=_("edit failed"),
1577 onerr=util.Abort, errprefix=_("edit failed"),
1578 out=ui.fout)
1578 out=ui.fout)
1579 return
1579 return
1580
1580
1581 for f in scmutil.rcpath():
1581 for f in scmutil.rcpath():
1582 ui.debug('read config from: %s\n' % f)
1582 ui.debug('read config from: %s\n' % f)
1583 untrusted = bool(opts.get('untrusted'))
1583 untrusted = bool(opts.get('untrusted'))
1584 if values:
1584 if values:
1585 sections = [v for v in values if '.' not in v]
1585 sections = [v for v in values if '.' not in v]
1586 items = [v for v in values if '.' in v]
1586 items = [v for v in values if '.' in v]
1587 if len(items) > 1 or items and sections:
1587 if len(items) > 1 or items and sections:
1588 raise util.Abort(_('only one config item permitted'))
1588 raise util.Abort(_('only one config item permitted'))
1589 matched = False
1589 matched = False
1590 for section, name, value in ui.walkconfig(untrusted=untrusted):
1590 for section, name, value in ui.walkconfig(untrusted=untrusted):
1591 value = str(value).replace('\n', '\\n')
1591 value = str(value).replace('\n', '\\n')
1592 sectname = section + '.' + name
1592 sectname = section + '.' + name
1593 if values:
1593 if values:
1594 for v in values:
1594 for v in values:
1595 if v == section:
1595 if v == section:
1596 ui.debug('%s: ' %
1596 ui.debug('%s: ' %
1597 ui.configsource(section, name, untrusted))
1597 ui.configsource(section, name, untrusted))
1598 ui.write('%s=%s\n' % (sectname, value))
1598 ui.write('%s=%s\n' % (sectname, value))
1599 matched = True
1599 matched = True
1600 elif v == sectname:
1600 elif v == sectname:
1601 ui.debug('%s: ' %
1601 ui.debug('%s: ' %
1602 ui.configsource(section, name, untrusted))
1602 ui.configsource(section, name, untrusted))
1603 ui.write(value, '\n')
1603 ui.write(value, '\n')
1604 matched = True
1604 matched = True
1605 else:
1605 else:
1606 ui.debug('%s: ' %
1606 ui.debug('%s: ' %
1607 ui.configsource(section, name, untrusted))
1607 ui.configsource(section, name, untrusted))
1608 ui.write('%s=%s\n' % (sectname, value))
1608 ui.write('%s=%s\n' % (sectname, value))
1609 matched = True
1609 matched = True
1610 if matched:
1610 if matched:
1611 return 0
1611 return 0
1612 return 1
1612 return 1
1613
1613
1614 @command('copy|cp',
1614 @command('copy|cp',
1615 [('A', 'after', None, _('record a copy that has already occurred')),
1615 [('A', 'after', None, _('record a copy that has already occurred')),
1616 ('f', 'force', None, _('forcibly copy over an existing managed file')),
1616 ('f', 'force', None, _('forcibly copy over an existing managed file')),
1617 ] + walkopts + dryrunopts,
1617 ] + walkopts + dryrunopts,
1618 _('[OPTION]... [SOURCE]... DEST'))
1618 _('[OPTION]... [SOURCE]... DEST'))
1619 def copy(ui, repo, *pats, **opts):
1619 def copy(ui, repo, *pats, **opts):
1620 """mark files as copied for the next commit
1620 """mark files as copied for the next commit
1621
1621
1622 Mark dest as having copies of source files. If dest is a
1622 Mark dest as having copies of source files. If dest is a
1623 directory, copies are put in that directory. If dest is a file,
1623 directory, copies are put in that directory. If dest is a file,
1624 the source must be a single file.
1624 the source must be a single file.
1625
1625
1626 By default, this command copies the contents of files as they
1626 By default, this command copies the contents of files as they
1627 exist in the working directory. If invoked with -A/--after, the
1627 exist in the working directory. If invoked with -A/--after, the
1628 operation is recorded, but no copying is performed.
1628 operation is recorded, but no copying is performed.
1629
1629
1630 This command takes effect with the next commit. To undo a copy
1630 This command takes effect with the next commit. To undo a copy
1631 before that, see :hg:`revert`.
1631 before that, see :hg:`revert`.
1632
1632
1633 Returns 0 on success, 1 if errors are encountered.
1633 Returns 0 on success, 1 if errors are encountered.
1634 """
1634 """
1635 wlock = repo.wlock(False)
1635 wlock = repo.wlock(False)
1636 try:
1636 try:
1637 return cmdutil.copy(ui, repo, pats, opts)
1637 return cmdutil.copy(ui, repo, pats, opts)
1638 finally:
1638 finally:
1639 wlock.release()
1639 wlock.release()
1640
1640
1641 @command('debugancestor', [], _('[INDEX] REV1 REV2'), optionalrepo=True)
1641 @command('debugancestor', [], _('[INDEX] REV1 REV2'), optionalrepo=True)
1642 def debugancestor(ui, repo, *args):
1642 def debugancestor(ui, repo, *args):
1643 """find the ancestor revision of two revisions in a given index"""
1643 """find the ancestor revision of two revisions in a given index"""
1644 if len(args) == 3:
1644 if len(args) == 3:
1645 index, rev1, rev2 = args
1645 index, rev1, rev2 = args
1646 r = revlog.revlog(scmutil.opener(os.getcwd(), audit=False), index)
1646 r = revlog.revlog(scmutil.opener(os.getcwd(), audit=False), index)
1647 lookup = r.lookup
1647 lookup = r.lookup
1648 elif len(args) == 2:
1648 elif len(args) == 2:
1649 if not repo:
1649 if not repo:
1650 raise util.Abort(_("there is no Mercurial repository here "
1650 raise util.Abort(_("there is no Mercurial repository here "
1651 "(.hg not found)"))
1651 "(.hg not found)"))
1652 rev1, rev2 = args
1652 rev1, rev2 = args
1653 r = repo.changelog
1653 r = repo.changelog
1654 lookup = repo.lookup
1654 lookup = repo.lookup
1655 else:
1655 else:
1656 raise util.Abort(_('either two or three arguments required'))
1656 raise util.Abort(_('either two or three arguments required'))
1657 a = r.ancestor(lookup(rev1), lookup(rev2))
1657 a = r.ancestor(lookup(rev1), lookup(rev2))
1658 ui.write("%d:%s\n" % (r.rev(a), hex(a)))
1658 ui.write("%d:%s\n" % (r.rev(a), hex(a)))
1659
1659
1660 @command('debugbuilddag',
1660 @command('debugbuilddag',
1661 [('m', 'mergeable-file', None, _('add single file mergeable changes')),
1661 [('m', 'mergeable-file', None, _('add single file mergeable changes')),
1662 ('o', 'overwritten-file', None, _('add single file all revs overwrite')),
1662 ('o', 'overwritten-file', None, _('add single file all revs overwrite')),
1663 ('n', 'new-file', None, _('add new file at each rev'))],
1663 ('n', 'new-file', None, _('add new file at each rev'))],
1664 _('[OPTION]... [TEXT]'))
1664 _('[OPTION]... [TEXT]'))
1665 def debugbuilddag(ui, repo, text=None,
1665 def debugbuilddag(ui, repo, text=None,
1666 mergeable_file=False,
1666 mergeable_file=False,
1667 overwritten_file=False,
1667 overwritten_file=False,
1668 new_file=False):
1668 new_file=False):
1669 """builds a repo with a given DAG from scratch in the current empty repo
1669 """builds a repo with a given DAG from scratch in the current empty repo
1670
1670
1671 The description of the DAG is read from stdin if not given on the
1671 The description of the DAG is read from stdin if not given on the
1672 command line.
1672 command line.
1673
1673
1674 Elements:
1674 Elements:
1675
1675
1676 - "+n" is a linear run of n nodes based on the current default parent
1676 - "+n" is a linear run of n nodes based on the current default parent
1677 - "." is a single node based on the current default parent
1677 - "." is a single node based on the current default parent
1678 - "$" resets the default parent to null (implied at the start);
1678 - "$" resets the default parent to null (implied at the start);
1679 otherwise the default parent is always the last node created
1679 otherwise the default parent is always the last node created
1680 - "<p" sets the default parent to the backref p
1680 - "<p" sets the default parent to the backref p
1681 - "*p" is a fork at parent p, which is a backref
1681 - "*p" is a fork at parent p, which is a backref
1682 - "*p1/p2" is a merge of parents p1 and p2, which are backrefs
1682 - "*p1/p2" is a merge of parents p1 and p2, which are backrefs
1683 - "/p2" is a merge of the preceding node and p2
1683 - "/p2" is a merge of the preceding node and p2
1684 - ":tag" defines a local tag for the preceding node
1684 - ":tag" defines a local tag for the preceding node
1685 - "@branch" sets the named branch for subsequent nodes
1685 - "@branch" sets the named branch for subsequent nodes
1686 - "#...\\n" is a comment up to the end of the line
1686 - "#...\\n" is a comment up to the end of the line
1687
1687
1688 Whitespace between the above elements is ignored.
1688 Whitespace between the above elements is ignored.
1689
1689
1690 A backref is either
1690 A backref is either
1691
1691
1692 - a number n, which references the node curr-n, where curr is the current
1692 - a number n, which references the node curr-n, where curr is the current
1693 node, or
1693 node, or
1694 - the name of a local tag you placed earlier using ":tag", or
1694 - the name of a local tag you placed earlier using ":tag", or
1695 - empty to denote the default parent.
1695 - empty to denote the default parent.
1696
1696
1697 All string valued-elements are either strictly alphanumeric, or must
1697 All string valued-elements are either strictly alphanumeric, or must
1698 be enclosed in double quotes ("..."), with "\\" as escape character.
1698 be enclosed in double quotes ("..."), with "\\" as escape character.
1699 """
1699 """
1700
1700
1701 if text is None:
1701 if text is None:
1702 ui.status(_("reading DAG from stdin\n"))
1702 ui.status(_("reading DAG from stdin\n"))
1703 text = ui.fin.read()
1703 text = ui.fin.read()
1704
1704
1705 cl = repo.changelog
1705 cl = repo.changelog
1706 if len(cl) > 0:
1706 if len(cl) > 0:
1707 raise util.Abort(_('repository is not empty'))
1707 raise util.Abort(_('repository is not empty'))
1708
1708
1709 # determine number of revs in DAG
1709 # determine number of revs in DAG
1710 total = 0
1710 total = 0
1711 for type, data in dagparser.parsedag(text):
1711 for type, data in dagparser.parsedag(text):
1712 if type == 'n':
1712 if type == 'n':
1713 total += 1
1713 total += 1
1714
1714
1715 if mergeable_file:
1715 if mergeable_file:
1716 linesperrev = 2
1716 linesperrev = 2
1717 # make a file with k lines per rev
1717 # make a file with k lines per rev
1718 initialmergedlines = [str(i) for i in xrange(0, total * linesperrev)]
1718 initialmergedlines = [str(i) for i in xrange(0, total * linesperrev)]
1719 initialmergedlines.append("")
1719 initialmergedlines.append("")
1720
1720
1721 tags = []
1721 tags = []
1722
1722
1723 lock = tr = None
1723 lock = tr = None
1724 try:
1724 try:
1725 lock = repo.lock()
1725 lock = repo.lock()
1726 tr = repo.transaction("builddag")
1726 tr = repo.transaction("builddag")
1727
1727
1728 at = -1
1728 at = -1
1729 atbranch = 'default'
1729 atbranch = 'default'
1730 nodeids = []
1730 nodeids = []
1731 id = 0
1731 id = 0
1732 ui.progress(_('building'), id, unit=_('revisions'), total=total)
1732 ui.progress(_('building'), id, unit=_('revisions'), total=total)
1733 for type, data in dagparser.parsedag(text):
1733 for type, data in dagparser.parsedag(text):
1734 if type == 'n':
1734 if type == 'n':
1735 ui.note(('node %s\n' % str(data)))
1735 ui.note(('node %s\n' % str(data)))
1736 id, ps = data
1736 id, ps = data
1737
1737
1738 files = []
1738 files = []
1739 fctxs = {}
1739 fctxs = {}
1740
1740
1741 p2 = None
1741 p2 = None
1742 if mergeable_file:
1742 if mergeable_file:
1743 fn = "mf"
1743 fn = "mf"
1744 p1 = repo[ps[0]]
1744 p1 = repo[ps[0]]
1745 if len(ps) > 1:
1745 if len(ps) > 1:
1746 p2 = repo[ps[1]]
1746 p2 = repo[ps[1]]
1747 pa = p1.ancestor(p2)
1747 pa = p1.ancestor(p2)
1748 base, local, other = [x[fn].data() for x in (pa, p1,
1748 base, local, other = [x[fn].data() for x in (pa, p1,
1749 p2)]
1749 p2)]
1750 m3 = simplemerge.Merge3Text(base, local, other)
1750 m3 = simplemerge.Merge3Text(base, local, other)
1751 ml = [l.strip() for l in m3.merge_lines()]
1751 ml = [l.strip() for l in m3.merge_lines()]
1752 ml.append("")
1752 ml.append("")
1753 elif at > 0:
1753 elif at > 0:
1754 ml = p1[fn].data().split("\n")
1754 ml = p1[fn].data().split("\n")
1755 else:
1755 else:
1756 ml = initialmergedlines
1756 ml = initialmergedlines
1757 ml[id * linesperrev] += " r%i" % id
1757 ml[id * linesperrev] += " r%i" % id
1758 mergedtext = "\n".join(ml)
1758 mergedtext = "\n".join(ml)
1759 files.append(fn)
1759 files.append(fn)
1760 fctxs[fn] = context.memfilectx(repo, fn, mergedtext)
1760 fctxs[fn] = context.memfilectx(repo, fn, mergedtext)
1761
1761
1762 if overwritten_file:
1762 if overwritten_file:
1763 fn = "of"
1763 fn = "of"
1764 files.append(fn)
1764 files.append(fn)
1765 fctxs[fn] = context.memfilectx(repo, fn, "r%i\n" % id)
1765 fctxs[fn] = context.memfilectx(repo, fn, "r%i\n" % id)
1766
1766
1767 if new_file:
1767 if new_file:
1768 fn = "nf%i" % id
1768 fn = "nf%i" % id
1769 files.append(fn)
1769 files.append(fn)
1770 fctxs[fn] = context.memfilectx(repo, fn, "r%i\n" % id)
1770 fctxs[fn] = context.memfilectx(repo, fn, "r%i\n" % id)
1771 if len(ps) > 1:
1771 if len(ps) > 1:
1772 if not p2:
1772 if not p2:
1773 p2 = repo[ps[1]]
1773 p2 = repo[ps[1]]
1774 for fn in p2:
1774 for fn in p2:
1775 if fn.startswith("nf"):
1775 if fn.startswith("nf"):
1776 files.append(fn)
1776 files.append(fn)
1777 fctxs[fn] = p2[fn]
1777 fctxs[fn] = p2[fn]
1778
1778
1779 def fctxfn(repo, cx, path):
1779 def fctxfn(repo, cx, path):
1780 return fctxs.get(path)
1780 return fctxs.get(path)
1781
1781
1782 if len(ps) == 0 or ps[0] < 0:
1782 if len(ps) == 0 or ps[0] < 0:
1783 pars = [None, None]
1783 pars = [None, None]
1784 elif len(ps) == 1:
1784 elif len(ps) == 1:
1785 pars = [nodeids[ps[0]], None]
1785 pars = [nodeids[ps[0]], None]
1786 else:
1786 else:
1787 pars = [nodeids[p] for p in ps]
1787 pars = [nodeids[p] for p in ps]
1788 cx = context.memctx(repo, pars, "r%i" % id, files, fctxfn,
1788 cx = context.memctx(repo, pars, "r%i" % id, files, fctxfn,
1789 date=(id, 0),
1789 date=(id, 0),
1790 user="debugbuilddag",
1790 user="debugbuilddag",
1791 extra={'branch': atbranch})
1791 extra={'branch': atbranch})
1792 nodeid = repo.commitctx(cx)
1792 nodeid = repo.commitctx(cx)
1793 nodeids.append(nodeid)
1793 nodeids.append(nodeid)
1794 at = id
1794 at = id
1795 elif type == 'l':
1795 elif type == 'l':
1796 id, name = data
1796 id, name = data
1797 ui.note(('tag %s\n' % name))
1797 ui.note(('tag %s\n' % name))
1798 tags.append("%s %s\n" % (hex(repo.changelog.node(id)), name))
1798 tags.append("%s %s\n" % (hex(repo.changelog.node(id)), name))
1799 elif type == 'a':
1799 elif type == 'a':
1800 ui.note(('branch %s\n' % data))
1800 ui.note(('branch %s\n' % data))
1801 atbranch = data
1801 atbranch = data
1802 ui.progress(_('building'), id, unit=_('revisions'), total=total)
1802 ui.progress(_('building'), id, unit=_('revisions'), total=total)
1803 tr.close()
1803 tr.close()
1804
1804
1805 if tags:
1805 if tags:
1806 repo.opener.write("localtags", "".join(tags))
1806 repo.opener.write("localtags", "".join(tags))
1807 finally:
1807 finally:
1808 ui.progress(_('building'), None)
1808 ui.progress(_('building'), None)
1809 release(tr, lock)
1809 release(tr, lock)
1810
1810
1811 @command('debugbundle',
1811 @command('debugbundle',
1812 [('a', 'all', None, _('show all details'))],
1812 [('a', 'all', None, _('show all details'))],
1813 _('FILE'),
1813 _('FILE'),
1814 norepo=True)
1814 norepo=True)
1815 def debugbundle(ui, bundlepath, all=None, **opts):
1815 def debugbundle(ui, bundlepath, all=None, **opts):
1816 """lists the contents of a bundle"""
1816 """lists the contents of a bundle"""
1817 f = hg.openpath(ui, bundlepath)
1817 f = hg.openpath(ui, bundlepath)
1818 try:
1818 try:
1819 gen = exchange.readbundle(ui, f, bundlepath)
1819 gen = exchange.readbundle(ui, f, bundlepath)
1820 if all:
1820 if all:
1821 ui.write(("format: id, p1, p2, cset, delta base, len(delta)\n"))
1821 ui.write(("format: id, p1, p2, cset, delta base, len(delta)\n"))
1822
1822
1823 def showchunks(named):
1823 def showchunks(named):
1824 ui.write("\n%s\n" % named)
1824 ui.write("\n%s\n" % named)
1825 chain = None
1825 chain = None
1826 while True:
1826 while True:
1827 chunkdata = gen.deltachunk(chain)
1827 chunkdata = gen.deltachunk(chain)
1828 if not chunkdata:
1828 if not chunkdata:
1829 break
1829 break
1830 node = chunkdata['node']
1830 node = chunkdata['node']
1831 p1 = chunkdata['p1']
1831 p1 = chunkdata['p1']
1832 p2 = chunkdata['p2']
1832 p2 = chunkdata['p2']
1833 cs = chunkdata['cs']
1833 cs = chunkdata['cs']
1834 deltabase = chunkdata['deltabase']
1834 deltabase = chunkdata['deltabase']
1835 delta = chunkdata['delta']
1835 delta = chunkdata['delta']
1836 ui.write("%s %s %s %s %s %s\n" %
1836 ui.write("%s %s %s %s %s %s\n" %
1837 (hex(node), hex(p1), hex(p2),
1837 (hex(node), hex(p1), hex(p2),
1838 hex(cs), hex(deltabase), len(delta)))
1838 hex(cs), hex(deltabase), len(delta)))
1839 chain = node
1839 chain = node
1840
1840
1841 chunkdata = gen.changelogheader()
1841 chunkdata = gen.changelogheader()
1842 showchunks("changelog")
1842 showchunks("changelog")
1843 chunkdata = gen.manifestheader()
1843 chunkdata = gen.manifestheader()
1844 showchunks("manifest")
1844 showchunks("manifest")
1845 while True:
1845 while True:
1846 chunkdata = gen.filelogheader()
1846 chunkdata = gen.filelogheader()
1847 if not chunkdata:
1847 if not chunkdata:
1848 break
1848 break
1849 fname = chunkdata['filename']
1849 fname = chunkdata['filename']
1850 showchunks(fname)
1850 showchunks(fname)
1851 else:
1851 else:
1852 chunkdata = gen.changelogheader()
1852 chunkdata = gen.changelogheader()
1853 chain = None
1853 chain = None
1854 while True:
1854 while True:
1855 chunkdata = gen.deltachunk(chain)
1855 chunkdata = gen.deltachunk(chain)
1856 if not chunkdata:
1856 if not chunkdata:
1857 break
1857 break
1858 node = chunkdata['node']
1858 node = chunkdata['node']
1859 ui.write("%s\n" % hex(node))
1859 ui.write("%s\n" % hex(node))
1860 chain = node
1860 chain = node
1861 finally:
1861 finally:
1862 f.close()
1862 f.close()
1863
1863
1864 @command('debugcheckstate', [], '')
1864 @command('debugcheckstate', [], '')
1865 def debugcheckstate(ui, repo):
1865 def debugcheckstate(ui, repo):
1866 """validate the correctness of the current dirstate"""
1866 """validate the correctness of the current dirstate"""
1867 parent1, parent2 = repo.dirstate.parents()
1867 parent1, parent2 = repo.dirstate.parents()
1868 m1 = repo[parent1].manifest()
1868 m1 = repo[parent1].manifest()
1869 m2 = repo[parent2].manifest()
1869 m2 = repo[parent2].manifest()
1870 errors = 0
1870 errors = 0
1871 for f in repo.dirstate:
1871 for f in repo.dirstate:
1872 state = repo.dirstate[f]
1872 state = repo.dirstate[f]
1873 if state in "nr" and f not in m1:
1873 if state in "nr" and f not in m1:
1874 ui.warn(_("%s in state %s, but not in manifest1\n") % (f, state))
1874 ui.warn(_("%s in state %s, but not in manifest1\n") % (f, state))
1875 errors += 1
1875 errors += 1
1876 if state in "a" and f in m1:
1876 if state in "a" and f in m1:
1877 ui.warn(_("%s in state %s, but also in manifest1\n") % (f, state))
1877 ui.warn(_("%s in state %s, but also in manifest1\n") % (f, state))
1878 errors += 1
1878 errors += 1
1879 if state in "m" and f not in m1 and f not in m2:
1879 if state in "m" and f not in m1 and f not in m2:
1880 ui.warn(_("%s in state %s, but not in either manifest\n") %
1880 ui.warn(_("%s in state %s, but not in either manifest\n") %
1881 (f, state))
1881 (f, state))
1882 errors += 1
1882 errors += 1
1883 for f in m1:
1883 for f in m1:
1884 state = repo.dirstate[f]
1884 state = repo.dirstate[f]
1885 if state not in "nrm":
1885 if state not in "nrm":
1886 ui.warn(_("%s in manifest1, but listed as state %s") % (f, state))
1886 ui.warn(_("%s in manifest1, but listed as state %s") % (f, state))
1887 errors += 1
1887 errors += 1
1888 if errors:
1888 if errors:
1889 error = _(".hg/dirstate inconsistent with current parent's manifest")
1889 error = _(".hg/dirstate inconsistent with current parent's manifest")
1890 raise util.Abort(error)
1890 raise util.Abort(error)
1891
1891
1892 @command('debugcommands', [], _('[COMMAND]'), norepo=True)
1892 @command('debugcommands', [], _('[COMMAND]'), norepo=True)
1893 def debugcommands(ui, cmd='', *args):
1893 def debugcommands(ui, cmd='', *args):
1894 """list all available commands and options"""
1894 """list all available commands and options"""
1895 for cmd, vals in sorted(table.iteritems()):
1895 for cmd, vals in sorted(table.iteritems()):
1896 cmd = cmd.split('|')[0].strip('^')
1896 cmd = cmd.split('|')[0].strip('^')
1897 opts = ', '.join([i[1] for i in vals[1]])
1897 opts = ', '.join([i[1] for i in vals[1]])
1898 ui.write('%s: %s\n' % (cmd, opts))
1898 ui.write('%s: %s\n' % (cmd, opts))
1899
1899
1900 @command('debugcomplete',
1900 @command('debugcomplete',
1901 [('o', 'options', None, _('show the command options'))],
1901 [('o', 'options', None, _('show the command options'))],
1902 _('[-o] CMD'),
1902 _('[-o] CMD'),
1903 norepo=True)
1903 norepo=True)
1904 def debugcomplete(ui, cmd='', **opts):
1904 def debugcomplete(ui, cmd='', **opts):
1905 """returns the completion list associated with the given command"""
1905 """returns the completion list associated with the given command"""
1906
1906
1907 if opts.get('options'):
1907 if opts.get('options'):
1908 options = []
1908 options = []
1909 otables = [globalopts]
1909 otables = [globalopts]
1910 if cmd:
1910 if cmd:
1911 aliases, entry = cmdutil.findcmd(cmd, table, False)
1911 aliases, entry = cmdutil.findcmd(cmd, table, False)
1912 otables.append(entry[1])
1912 otables.append(entry[1])
1913 for t in otables:
1913 for t in otables:
1914 for o in t:
1914 for o in t:
1915 if "(DEPRECATED)" in o[3]:
1915 if "(DEPRECATED)" in o[3]:
1916 continue
1916 continue
1917 if o[0]:
1917 if o[0]:
1918 options.append('-%s' % o[0])
1918 options.append('-%s' % o[0])
1919 options.append('--%s' % o[1])
1919 options.append('--%s' % o[1])
1920 ui.write("%s\n" % "\n".join(options))
1920 ui.write("%s\n" % "\n".join(options))
1921 return
1921 return
1922
1922
1923 cmdlist = cmdutil.findpossible(cmd, table)
1923 cmdlist = cmdutil.findpossible(cmd, table)
1924 if ui.verbose:
1924 if ui.verbose:
1925 cmdlist = [' '.join(c[0]) for c in cmdlist.values()]
1925 cmdlist = [' '.join(c[0]) for c in cmdlist.values()]
1926 ui.write("%s\n" % "\n".join(sorted(cmdlist)))
1926 ui.write("%s\n" % "\n".join(sorted(cmdlist)))
1927
1927
1928 @command('debugdag',
1928 @command('debugdag',
1929 [('t', 'tags', None, _('use tags as labels')),
1929 [('t', 'tags', None, _('use tags as labels')),
1930 ('b', 'branches', None, _('annotate with branch names')),
1930 ('b', 'branches', None, _('annotate with branch names')),
1931 ('', 'dots', None, _('use dots for runs')),
1931 ('', 'dots', None, _('use dots for runs')),
1932 ('s', 'spaces', None, _('separate elements by spaces'))],
1932 ('s', 'spaces', None, _('separate elements by spaces'))],
1933 _('[OPTION]... [FILE [REV]...]'),
1933 _('[OPTION]... [FILE [REV]...]'),
1934 optionalrepo=True)
1934 optionalrepo=True)
1935 def debugdag(ui, repo, file_=None, *revs, **opts):
1935 def debugdag(ui, repo, file_=None, *revs, **opts):
1936 """format the changelog or an index DAG as a concise textual description
1936 """format the changelog or an index DAG as a concise textual description
1937
1937
1938 If you pass a revlog index, the revlog's DAG is emitted. If you list
1938 If you pass a revlog index, the revlog's DAG is emitted. If you list
1939 revision numbers, they get labeled in the output as rN.
1939 revision numbers, they get labeled in the output as rN.
1940
1940
1941 Otherwise, the changelog DAG of the current repo is emitted.
1941 Otherwise, the changelog DAG of the current repo is emitted.
1942 """
1942 """
1943 spaces = opts.get('spaces')
1943 spaces = opts.get('spaces')
1944 dots = opts.get('dots')
1944 dots = opts.get('dots')
1945 if file_:
1945 if file_:
1946 rlog = revlog.revlog(scmutil.opener(os.getcwd(), audit=False), file_)
1946 rlog = revlog.revlog(scmutil.opener(os.getcwd(), audit=False), file_)
1947 revs = set((int(r) for r in revs))
1947 revs = set((int(r) for r in revs))
1948 def events():
1948 def events():
1949 for r in rlog:
1949 for r in rlog:
1950 yield 'n', (r, list(p for p in rlog.parentrevs(r)
1950 yield 'n', (r, list(p for p in rlog.parentrevs(r)
1951 if p != -1))
1951 if p != -1))
1952 if r in revs:
1952 if r in revs:
1953 yield 'l', (r, "r%i" % r)
1953 yield 'l', (r, "r%i" % r)
1954 elif repo:
1954 elif repo:
1955 cl = repo.changelog
1955 cl = repo.changelog
1956 tags = opts.get('tags')
1956 tags = opts.get('tags')
1957 branches = opts.get('branches')
1957 branches = opts.get('branches')
1958 if tags:
1958 if tags:
1959 labels = {}
1959 labels = {}
1960 for l, n in repo.tags().items():
1960 for l, n in repo.tags().items():
1961 labels.setdefault(cl.rev(n), []).append(l)
1961 labels.setdefault(cl.rev(n), []).append(l)
1962 def events():
1962 def events():
1963 b = "default"
1963 b = "default"
1964 for r in cl:
1964 for r in cl:
1965 if branches:
1965 if branches:
1966 newb = cl.read(cl.node(r))[5]['branch']
1966 newb = cl.read(cl.node(r))[5]['branch']
1967 if newb != b:
1967 if newb != b:
1968 yield 'a', newb
1968 yield 'a', newb
1969 b = newb
1969 b = newb
1970 yield 'n', (r, list(p for p in cl.parentrevs(r)
1970 yield 'n', (r, list(p for p in cl.parentrevs(r)
1971 if p != -1))
1971 if p != -1))
1972 if tags:
1972 if tags:
1973 ls = labels.get(r)
1973 ls = labels.get(r)
1974 if ls:
1974 if ls:
1975 for l in ls:
1975 for l in ls:
1976 yield 'l', (r, l)
1976 yield 'l', (r, l)
1977 else:
1977 else:
1978 raise util.Abort(_('need repo for changelog dag'))
1978 raise util.Abort(_('need repo for changelog dag'))
1979
1979
1980 for line in dagparser.dagtextlines(events(),
1980 for line in dagparser.dagtextlines(events(),
1981 addspaces=spaces,
1981 addspaces=spaces,
1982 wraplabels=True,
1982 wraplabels=True,
1983 wrapannotations=True,
1983 wrapannotations=True,
1984 wrapnonlinear=dots,
1984 wrapnonlinear=dots,
1985 usedots=dots,
1985 usedots=dots,
1986 maxlinewidth=70):
1986 maxlinewidth=70):
1987 ui.write(line)
1987 ui.write(line)
1988 ui.write("\n")
1988 ui.write("\n")
1989
1989
1990 @command('debugdata',
1990 @command('debugdata',
1991 [('c', 'changelog', False, _('open changelog')),
1991 [('c', 'changelog', False, _('open changelog')),
1992 ('m', 'manifest', False, _('open manifest'))],
1992 ('m', 'manifest', False, _('open manifest'))],
1993 _('-c|-m|FILE REV'))
1993 _('-c|-m|FILE REV'))
1994 def debugdata(ui, repo, file_, rev=None, **opts):
1994 def debugdata(ui, repo, file_, rev=None, **opts):
1995 """dump the contents of a data file revision"""
1995 """dump the contents of a data file revision"""
1996 if opts.get('changelog') or opts.get('manifest'):
1996 if opts.get('changelog') or opts.get('manifest'):
1997 file_, rev = None, file_
1997 file_, rev = None, file_
1998 elif rev is None:
1998 elif rev is None:
1999 raise error.CommandError('debugdata', _('invalid arguments'))
1999 raise error.CommandError('debugdata', _('invalid arguments'))
2000 r = cmdutil.openrevlog(repo, 'debugdata', file_, opts)
2000 r = cmdutil.openrevlog(repo, 'debugdata', file_, opts)
2001 try:
2001 try:
2002 ui.write(r.revision(r.lookup(rev)))
2002 ui.write(r.revision(r.lookup(rev)))
2003 except KeyError:
2003 except KeyError:
2004 raise util.Abort(_('invalid revision identifier %s') % rev)
2004 raise util.Abort(_('invalid revision identifier %s') % rev)
2005
2005
2006 @command('debugdate',
2006 @command('debugdate',
2007 [('e', 'extended', None, _('try extended date formats'))],
2007 [('e', 'extended', None, _('try extended date formats'))],
2008 _('[-e] DATE [RANGE]'),
2008 _('[-e] DATE [RANGE]'),
2009 norepo=True, optionalrepo=True)
2009 norepo=True, optionalrepo=True)
2010 def debugdate(ui, date, range=None, **opts):
2010 def debugdate(ui, date, range=None, **opts):
2011 """parse and display a date"""
2011 """parse and display a date"""
2012 if opts["extended"]:
2012 if opts["extended"]:
2013 d = util.parsedate(date, util.extendeddateformats)
2013 d = util.parsedate(date, util.extendeddateformats)
2014 else:
2014 else:
2015 d = util.parsedate(date)
2015 d = util.parsedate(date)
2016 ui.write(("internal: %s %s\n") % d)
2016 ui.write(("internal: %s %s\n") % d)
2017 ui.write(("standard: %s\n") % util.datestr(d))
2017 ui.write(("standard: %s\n") % util.datestr(d))
2018 if range:
2018 if range:
2019 m = util.matchdate(range)
2019 m = util.matchdate(range)
2020 ui.write(("match: %s\n") % m(d[0]))
2020 ui.write(("match: %s\n") % m(d[0]))
2021
2021
2022 @command('debugdiscovery',
2022 @command('debugdiscovery',
2023 [('', 'old', None, _('use old-style discovery')),
2023 [('', 'old', None, _('use old-style discovery')),
2024 ('', 'nonheads', None,
2024 ('', 'nonheads', None,
2025 _('use old-style discovery with non-heads included')),
2025 _('use old-style discovery with non-heads included')),
2026 ] + remoteopts,
2026 ] + remoteopts,
2027 _('[-l REV] [-r REV] [-b BRANCH]... [OTHER]'))
2027 _('[-l REV] [-r REV] [-b BRANCH]... [OTHER]'))
2028 def debugdiscovery(ui, repo, remoteurl="default", **opts):
2028 def debugdiscovery(ui, repo, remoteurl="default", **opts):
2029 """runs the changeset discovery protocol in isolation"""
2029 """runs the changeset discovery protocol in isolation"""
2030 remoteurl, branches = hg.parseurl(ui.expandpath(remoteurl),
2030 remoteurl, branches = hg.parseurl(ui.expandpath(remoteurl),
2031 opts.get('branch'))
2031 opts.get('branch'))
2032 remote = hg.peer(repo, opts, remoteurl)
2032 remote = hg.peer(repo, opts, remoteurl)
2033 ui.status(_('comparing with %s\n') % util.hidepassword(remoteurl))
2033 ui.status(_('comparing with %s\n') % util.hidepassword(remoteurl))
2034
2034
2035 # make sure tests are repeatable
2035 # make sure tests are repeatable
2036 random.seed(12323)
2036 random.seed(12323)
2037
2037
2038 def doit(localheads, remoteheads, remote=remote):
2038 def doit(localheads, remoteheads, remote=remote):
2039 if opts.get('old'):
2039 if opts.get('old'):
2040 if localheads:
2040 if localheads:
2041 raise util.Abort('cannot use localheads with old style '
2041 raise util.Abort('cannot use localheads with old style '
2042 'discovery')
2042 'discovery')
2043 if not util.safehasattr(remote, 'branches'):
2043 if not util.safehasattr(remote, 'branches'):
2044 # enable in-client legacy support
2044 # enable in-client legacy support
2045 remote = localrepo.locallegacypeer(remote.local())
2045 remote = localrepo.locallegacypeer(remote.local())
2046 common, _in, hds = treediscovery.findcommonincoming(repo, remote,
2046 common, _in, hds = treediscovery.findcommonincoming(repo, remote,
2047 force=True)
2047 force=True)
2048 common = set(common)
2048 common = set(common)
2049 if not opts.get('nonheads'):
2049 if not opts.get('nonheads'):
2050 ui.write(("unpruned common: %s\n") %
2050 ui.write(("unpruned common: %s\n") %
2051 " ".join(sorted(short(n) for n in common)))
2051 " ".join(sorted(short(n) for n in common)))
2052 dag = dagutil.revlogdag(repo.changelog)
2052 dag = dagutil.revlogdag(repo.changelog)
2053 all = dag.ancestorset(dag.internalizeall(common))
2053 all = dag.ancestorset(dag.internalizeall(common))
2054 common = dag.externalizeall(dag.headsetofconnecteds(all))
2054 common = dag.externalizeall(dag.headsetofconnecteds(all))
2055 else:
2055 else:
2056 common, any, hds = setdiscovery.findcommonheads(ui, repo, remote)
2056 common, any, hds = setdiscovery.findcommonheads(ui, repo, remote)
2057 common = set(common)
2057 common = set(common)
2058 rheads = set(hds)
2058 rheads = set(hds)
2059 lheads = set(repo.heads())
2059 lheads = set(repo.heads())
2060 ui.write(("common heads: %s\n") %
2060 ui.write(("common heads: %s\n") %
2061 " ".join(sorted(short(n) for n in common)))
2061 " ".join(sorted(short(n) for n in common)))
2062 if lheads <= common:
2062 if lheads <= common:
2063 ui.write(("local is subset\n"))
2063 ui.write(("local is subset\n"))
2064 elif rheads <= common:
2064 elif rheads <= common:
2065 ui.write(("remote is subset\n"))
2065 ui.write(("remote is subset\n"))
2066
2066
2067 serverlogs = opts.get('serverlog')
2067 serverlogs = opts.get('serverlog')
2068 if serverlogs:
2068 if serverlogs:
2069 for filename in serverlogs:
2069 for filename in serverlogs:
2070 logfile = open(filename, 'r')
2070 logfile = open(filename, 'r')
2071 try:
2071 try:
2072 line = logfile.readline()
2072 line = logfile.readline()
2073 while line:
2073 while line:
2074 parts = line.strip().split(';')
2074 parts = line.strip().split(';')
2075 op = parts[1]
2075 op = parts[1]
2076 if op == 'cg':
2076 if op == 'cg':
2077 pass
2077 pass
2078 elif op == 'cgss':
2078 elif op == 'cgss':
2079 doit(parts[2].split(' '), parts[3].split(' '))
2079 doit(parts[2].split(' '), parts[3].split(' '))
2080 elif op == 'unb':
2080 elif op == 'unb':
2081 doit(parts[3].split(' '), parts[2].split(' '))
2081 doit(parts[3].split(' '), parts[2].split(' '))
2082 line = logfile.readline()
2082 line = logfile.readline()
2083 finally:
2083 finally:
2084 logfile.close()
2084 logfile.close()
2085
2085
2086 else:
2086 else:
2087 remoterevs, _checkout = hg.addbranchrevs(repo, remote, branches,
2087 remoterevs, _checkout = hg.addbranchrevs(repo, remote, branches,
2088 opts.get('remote_head'))
2088 opts.get('remote_head'))
2089 localrevs = opts.get('local_head')
2089 localrevs = opts.get('local_head')
2090 doit(localrevs, remoterevs)
2090 doit(localrevs, remoterevs)
2091
2091
2092 @command('debugfileset',
2092 @command('debugfileset',
2093 [('r', 'rev', '', _('apply the filespec on this revision'), _('REV'))],
2093 [('r', 'rev', '', _('apply the filespec on this revision'), _('REV'))],
2094 _('[-r REV] FILESPEC'))
2094 _('[-r REV] FILESPEC'))
2095 def debugfileset(ui, repo, expr, **opts):
2095 def debugfileset(ui, repo, expr, **opts):
2096 '''parse and apply a fileset specification'''
2096 '''parse and apply a fileset specification'''
2097 ctx = scmutil.revsingle(repo, opts.get('rev'), None)
2097 ctx = scmutil.revsingle(repo, opts.get('rev'), None)
2098 if ui.verbose:
2098 if ui.verbose:
2099 tree = fileset.parse(expr)[0]
2099 tree = fileset.parse(expr)[0]
2100 ui.note(tree, "\n")
2100 ui.note(tree, "\n")
2101
2101
2102 for f in ctx.getfileset(expr):
2102 for f in ctx.getfileset(expr):
2103 ui.write("%s\n" % f)
2103 ui.write("%s\n" % f)
2104
2104
2105 @command('debugfsinfo', [], _('[PATH]'), norepo=True)
2105 @command('debugfsinfo', [], _('[PATH]'), norepo=True)
2106 def debugfsinfo(ui, path="."):
2106 def debugfsinfo(ui, path="."):
2107 """show information detected about current filesystem"""
2107 """show information detected about current filesystem"""
2108 util.writefile('.debugfsinfo', '')
2108 util.writefile('.debugfsinfo', '')
2109 ui.write(('exec: %s\n') % (util.checkexec(path) and 'yes' or 'no'))
2109 ui.write(('exec: %s\n') % (util.checkexec(path) and 'yes' or 'no'))
2110 ui.write(('symlink: %s\n') % (util.checklink(path) and 'yes' or 'no'))
2110 ui.write(('symlink: %s\n') % (util.checklink(path) and 'yes' or 'no'))
2111 ui.write(('hardlink: %s\n') % (util.checknlink(path) and 'yes' or 'no'))
2111 ui.write(('hardlink: %s\n') % (util.checknlink(path) and 'yes' or 'no'))
2112 ui.write(('case-sensitive: %s\n') % (util.checkcase('.debugfsinfo')
2112 ui.write(('case-sensitive: %s\n') % (util.checkcase('.debugfsinfo')
2113 and 'yes' or 'no'))
2113 and 'yes' or 'no'))
2114 os.unlink('.debugfsinfo')
2114 os.unlink('.debugfsinfo')
2115
2115
2116 @command('debuggetbundle',
2116 @command('debuggetbundle',
2117 [('H', 'head', [], _('id of head node'), _('ID')),
2117 [('H', 'head', [], _('id of head node'), _('ID')),
2118 ('C', 'common', [], _('id of common node'), _('ID')),
2118 ('C', 'common', [], _('id of common node'), _('ID')),
2119 ('t', 'type', 'bzip2', _('bundle compression type to use'), _('TYPE'))],
2119 ('t', 'type', 'bzip2', _('bundle compression type to use'), _('TYPE'))],
2120 _('REPO FILE [-H|-C ID]...'),
2120 _('REPO FILE [-H|-C ID]...'),
2121 norepo=True)
2121 norepo=True)
2122 def debuggetbundle(ui, repopath, bundlepath, head=None, common=None, **opts):
2122 def debuggetbundle(ui, repopath, bundlepath, head=None, common=None, **opts):
2123 """retrieves a bundle from a repo
2123 """retrieves a bundle from a repo
2124
2124
2125 Every ID must be a full-length hex node id string. Saves the bundle to the
2125 Every ID must be a full-length hex node id string. Saves the bundle to the
2126 given file.
2126 given file.
2127 """
2127 """
2128 repo = hg.peer(ui, opts, repopath)
2128 repo = hg.peer(ui, opts, repopath)
2129 if not repo.capable('getbundle'):
2129 if not repo.capable('getbundle'):
2130 raise util.Abort("getbundle() not supported by target repository")
2130 raise util.Abort("getbundle() not supported by target repository")
2131 args = {}
2131 args = {}
2132 if common:
2132 if common:
2133 args['common'] = [bin(s) for s in common]
2133 args['common'] = [bin(s) for s in common]
2134 if head:
2134 if head:
2135 args['heads'] = [bin(s) for s in head]
2135 args['heads'] = [bin(s) for s in head]
2136 # TODO: get desired bundlecaps from command line.
2136 # TODO: get desired bundlecaps from command line.
2137 args['bundlecaps'] = None
2137 args['bundlecaps'] = None
2138 bundle = repo.getbundle('debug', **args)
2138 bundle = repo.getbundle('debug', **args)
2139
2139
2140 bundletype = opts.get('type', 'bzip2').lower()
2140 bundletype = opts.get('type', 'bzip2').lower()
2141 btypes = {'none': 'HG10UN', 'bzip2': 'HG10BZ', 'gzip': 'HG10GZ'}
2141 btypes = {'none': 'HG10UN', 'bzip2': 'HG10BZ', 'gzip': 'HG10GZ'}
2142 bundletype = btypes.get(bundletype)
2142 bundletype = btypes.get(bundletype)
2143 if bundletype not in changegroup.bundletypes:
2143 if bundletype not in changegroup.bundletypes:
2144 raise util.Abort(_('unknown bundle type specified with --type'))
2144 raise util.Abort(_('unknown bundle type specified with --type'))
2145 changegroup.writebundle(bundle, bundlepath, bundletype)
2145 changegroup.writebundle(bundle, bundlepath, bundletype)
2146
2146
2147 @command('debugignore', [], '')
2147 @command('debugignore', [], '')
2148 def debugignore(ui, repo, *values, **opts):
2148 def debugignore(ui, repo, *values, **opts):
2149 """display the combined ignore pattern"""
2149 """display the combined ignore pattern"""
2150 ignore = repo.dirstate._ignore
2150 ignore = repo.dirstate._ignore
2151 includepat = getattr(ignore, 'includepat', None)
2151 includepat = getattr(ignore, 'includepat', None)
2152 if includepat is not None:
2152 if includepat is not None:
2153 ui.write("%s\n" % includepat)
2153 ui.write("%s\n" % includepat)
2154 else:
2154 else:
2155 raise util.Abort(_("no ignore patterns found"))
2155 raise util.Abort(_("no ignore patterns found"))
2156
2156
2157 @command('debugindex',
2157 @command('debugindex',
2158 [('c', 'changelog', False, _('open changelog')),
2158 [('c', 'changelog', False, _('open changelog')),
2159 ('m', 'manifest', False, _('open manifest')),
2159 ('m', 'manifest', False, _('open manifest')),
2160 ('f', 'format', 0, _('revlog format'), _('FORMAT'))],
2160 ('f', 'format', 0, _('revlog format'), _('FORMAT'))],
2161 _('[-f FORMAT] -c|-m|FILE'),
2161 _('[-f FORMAT] -c|-m|FILE'),
2162 optionalrepo=True)
2162 optionalrepo=True)
2163 def debugindex(ui, repo, file_=None, **opts):
2163 def debugindex(ui, repo, file_=None, **opts):
2164 """dump the contents of an index file"""
2164 """dump the contents of an index file"""
2165 r = cmdutil.openrevlog(repo, 'debugindex', file_, opts)
2165 r = cmdutil.openrevlog(repo, 'debugindex', file_, opts)
2166 format = opts.get('format', 0)
2166 format = opts.get('format', 0)
2167 if format not in (0, 1):
2167 if format not in (0, 1):
2168 raise util.Abort(_("unknown format %d") % format)
2168 raise util.Abort(_("unknown format %d") % format)
2169
2169
2170 generaldelta = r.version & revlog.REVLOGGENERALDELTA
2170 generaldelta = r.version & revlog.REVLOGGENERALDELTA
2171 if generaldelta:
2171 if generaldelta:
2172 basehdr = ' delta'
2172 basehdr = ' delta'
2173 else:
2173 else:
2174 basehdr = ' base'
2174 basehdr = ' base'
2175
2175
2176 if format == 0:
2176 if format == 0:
2177 ui.write(" rev offset length " + basehdr + " linkrev"
2177 ui.write(" rev offset length " + basehdr + " linkrev"
2178 " nodeid p1 p2\n")
2178 " nodeid p1 p2\n")
2179 elif format == 1:
2179 elif format == 1:
2180 ui.write(" rev flag offset length"
2180 ui.write(" rev flag offset length"
2181 " size " + basehdr + " link p1 p2"
2181 " size " + basehdr + " link p1 p2"
2182 " nodeid\n")
2182 " nodeid\n")
2183
2183
2184 for i in r:
2184 for i in r:
2185 node = r.node(i)
2185 node = r.node(i)
2186 if generaldelta:
2186 if generaldelta:
2187 base = r.deltaparent(i)
2187 base = r.deltaparent(i)
2188 else:
2188 else:
2189 base = r.chainbase(i)
2189 base = r.chainbase(i)
2190 if format == 0:
2190 if format == 0:
2191 try:
2191 try:
2192 pp = r.parents(node)
2192 pp = r.parents(node)
2193 except Exception:
2193 except Exception:
2194 pp = [nullid, nullid]
2194 pp = [nullid, nullid]
2195 ui.write("% 6d % 9d % 7d % 6d % 7d %s %s %s\n" % (
2195 ui.write("% 6d % 9d % 7d % 6d % 7d %s %s %s\n" % (
2196 i, r.start(i), r.length(i), base, r.linkrev(i),
2196 i, r.start(i), r.length(i), base, r.linkrev(i),
2197 short(node), short(pp[0]), short(pp[1])))
2197 short(node), short(pp[0]), short(pp[1])))
2198 elif format == 1:
2198 elif format == 1:
2199 pr = r.parentrevs(i)
2199 pr = r.parentrevs(i)
2200 ui.write("% 6d %04x % 8d % 8d % 8d % 6d % 6d % 6d % 6d %s\n" % (
2200 ui.write("% 6d %04x % 8d % 8d % 8d % 6d % 6d % 6d % 6d %s\n" % (
2201 i, r.flags(i), r.start(i), r.length(i), r.rawsize(i),
2201 i, r.flags(i), r.start(i), r.length(i), r.rawsize(i),
2202 base, r.linkrev(i), pr[0], pr[1], short(node)))
2202 base, r.linkrev(i), pr[0], pr[1], short(node)))
2203
2203
2204 @command('debugindexdot', [], _('FILE'), optionalrepo=True)
2204 @command('debugindexdot', [], _('FILE'), optionalrepo=True)
2205 def debugindexdot(ui, repo, file_):
2205 def debugindexdot(ui, repo, file_):
2206 """dump an index DAG as a graphviz dot file"""
2206 """dump an index DAG as a graphviz dot file"""
2207 r = None
2207 r = None
2208 if repo:
2208 if repo:
2209 filelog = repo.file(file_)
2209 filelog = repo.file(file_)
2210 if len(filelog):
2210 if len(filelog):
2211 r = filelog
2211 r = filelog
2212 if not r:
2212 if not r:
2213 r = revlog.revlog(scmutil.opener(os.getcwd(), audit=False), file_)
2213 r = revlog.revlog(scmutil.opener(os.getcwd(), audit=False), file_)
2214 ui.write(("digraph G {\n"))
2214 ui.write(("digraph G {\n"))
2215 for i in r:
2215 for i in r:
2216 node = r.node(i)
2216 node = r.node(i)
2217 pp = r.parents(node)
2217 pp = r.parents(node)
2218 ui.write("\t%d -> %d\n" % (r.rev(pp[0]), i))
2218 ui.write("\t%d -> %d\n" % (r.rev(pp[0]), i))
2219 if pp[1] != nullid:
2219 if pp[1] != nullid:
2220 ui.write("\t%d -> %d\n" % (r.rev(pp[1]), i))
2220 ui.write("\t%d -> %d\n" % (r.rev(pp[1]), i))
2221 ui.write("}\n")
2221 ui.write("}\n")
2222
2222
2223 @command('debuginstall', [], '', norepo=True)
2223 @command('debuginstall', [], '', norepo=True)
2224 def debuginstall(ui):
2224 def debuginstall(ui):
2225 '''test Mercurial installation
2225 '''test Mercurial installation
2226
2226
2227 Returns 0 on success.
2227 Returns 0 on success.
2228 '''
2228 '''
2229
2229
2230 def writetemp(contents):
2230 def writetemp(contents):
2231 (fd, name) = tempfile.mkstemp(prefix="hg-debuginstall-")
2231 (fd, name) = tempfile.mkstemp(prefix="hg-debuginstall-")
2232 f = os.fdopen(fd, "wb")
2232 f = os.fdopen(fd, "wb")
2233 f.write(contents)
2233 f.write(contents)
2234 f.close()
2234 f.close()
2235 return name
2235 return name
2236
2236
2237 problems = 0
2237 problems = 0
2238
2238
2239 # encoding
2239 # encoding
2240 ui.status(_("checking encoding (%s)...\n") % encoding.encoding)
2240 ui.status(_("checking encoding (%s)...\n") % encoding.encoding)
2241 try:
2241 try:
2242 encoding.fromlocal("test")
2242 encoding.fromlocal("test")
2243 except util.Abort, inst:
2243 except util.Abort, inst:
2244 ui.write(" %s\n" % inst)
2244 ui.write(" %s\n" % inst)
2245 ui.write(_(" (check that your locale is properly set)\n"))
2245 ui.write(_(" (check that your locale is properly set)\n"))
2246 problems += 1
2246 problems += 1
2247
2247
2248 # Python
2248 # Python
2249 ui.status(_("checking Python executable (%s)\n") % sys.executable)
2249 ui.status(_("checking Python executable (%s)\n") % sys.executable)
2250 ui.status(_("checking Python version (%s)\n")
2250 ui.status(_("checking Python version (%s)\n")
2251 % ("%s.%s.%s" % sys.version_info[:3]))
2251 % ("%s.%s.%s" % sys.version_info[:3]))
2252 ui.status(_("checking Python lib (%s)...\n")
2252 ui.status(_("checking Python lib (%s)...\n")
2253 % os.path.dirname(os.__file__))
2253 % os.path.dirname(os.__file__))
2254
2254
2255 # compiled modules
2255 # compiled modules
2256 ui.status(_("checking installed modules (%s)...\n")
2256 ui.status(_("checking installed modules (%s)...\n")
2257 % os.path.dirname(__file__))
2257 % os.path.dirname(__file__))
2258 try:
2258 try:
2259 import bdiff, mpatch, base85, osutil
2259 import bdiff, mpatch, base85, osutil
2260 dir(bdiff), dir(mpatch), dir(base85), dir(osutil) # quiet pyflakes
2260 dir(bdiff), dir(mpatch), dir(base85), dir(osutil) # quiet pyflakes
2261 except Exception, inst:
2261 except Exception, inst:
2262 ui.write(" %s\n" % inst)
2262 ui.write(" %s\n" % inst)
2263 ui.write(_(" One or more extensions could not be found"))
2263 ui.write(_(" One or more extensions could not be found"))
2264 ui.write(_(" (check that you compiled the extensions)\n"))
2264 ui.write(_(" (check that you compiled the extensions)\n"))
2265 problems += 1
2265 problems += 1
2266
2266
2267 # templates
2267 # templates
2268 import templater
2268 import templater
2269 p = templater.templatepaths()
2269 p = templater.templatepaths()
2270 ui.status(_("checking templates (%s)...\n") % ' '.join(p))
2270 ui.status(_("checking templates (%s)...\n") % ' '.join(p))
2271 if p:
2271 if p:
2272 m = templater.templatepath("map-cmdline.default")
2272 m = templater.templatepath("map-cmdline.default")
2273 if m:
2273 if m:
2274 # template found, check if it is working
2274 # template found, check if it is working
2275 try:
2275 try:
2276 templater.templater(m)
2276 templater.templater(m)
2277 except Exception, inst:
2277 except Exception, inst:
2278 ui.write(" %s\n" % inst)
2278 ui.write(" %s\n" % inst)
2279 p = None
2279 p = None
2280 else:
2280 else:
2281 ui.write(_(" template 'default' not found\n"))
2281 ui.write(_(" template 'default' not found\n"))
2282 p = None
2282 p = None
2283 else:
2283 else:
2284 ui.write(_(" no template directories found\n"))
2284 ui.write(_(" no template directories found\n"))
2285 if not p:
2285 if not p:
2286 ui.write(_(" (templates seem to have been installed incorrectly)\n"))
2286 ui.write(_(" (templates seem to have been installed incorrectly)\n"))
2287 problems += 1
2287 problems += 1
2288
2288
2289 # editor
2289 # editor
2290 ui.status(_("checking commit editor...\n"))
2290 ui.status(_("checking commit editor...\n"))
2291 editor = ui.geteditor()
2291 editor = ui.geteditor()
2292 cmdpath = util.findexe(shlex.split(editor)[0])
2292 cmdpath = util.findexe(shlex.split(editor)[0])
2293 if not cmdpath:
2293 if not cmdpath:
2294 if editor == 'vi':
2294 if editor == 'vi':
2295 ui.write(_(" No commit editor set and can't find vi in PATH\n"))
2295 ui.write(_(" No commit editor set and can't find vi in PATH\n"))
2296 ui.write(_(" (specify a commit editor in your configuration"
2296 ui.write(_(" (specify a commit editor in your configuration"
2297 " file)\n"))
2297 " file)\n"))
2298 else:
2298 else:
2299 ui.write(_(" Can't find editor '%s' in PATH\n") % editor)
2299 ui.write(_(" Can't find editor '%s' in PATH\n") % editor)
2300 ui.write(_(" (specify a commit editor in your configuration"
2300 ui.write(_(" (specify a commit editor in your configuration"
2301 " file)\n"))
2301 " file)\n"))
2302 problems += 1
2302 problems += 1
2303
2303
2304 # check username
2304 # check username
2305 ui.status(_("checking username...\n"))
2305 ui.status(_("checking username...\n"))
2306 try:
2306 try:
2307 ui.username()
2307 ui.username()
2308 except util.Abort, e:
2308 except util.Abort, e:
2309 ui.write(" %s\n" % e)
2309 ui.write(" %s\n" % e)
2310 ui.write(_(" (specify a username in your configuration file)\n"))
2310 ui.write(_(" (specify a username in your configuration file)\n"))
2311 problems += 1
2311 problems += 1
2312
2312
2313 if not problems:
2313 if not problems:
2314 ui.status(_("no problems detected\n"))
2314 ui.status(_("no problems detected\n"))
2315 else:
2315 else:
2316 ui.write(_("%s problems detected,"
2316 ui.write(_("%s problems detected,"
2317 " please check your install!\n") % problems)
2317 " please check your install!\n") % problems)
2318
2318
2319 return problems
2319 return problems
2320
2320
2321 @command('debugknown', [], _('REPO ID...'), norepo=True)
2321 @command('debugknown', [], _('REPO ID...'), norepo=True)
2322 def debugknown(ui, repopath, *ids, **opts):
2322 def debugknown(ui, repopath, *ids, **opts):
2323 """test whether node ids are known to a repo
2323 """test whether node ids are known to a repo
2324
2324
2325 Every ID must be a full-length hex node id string. Returns a list of 0s
2325 Every ID must be a full-length hex node id string. Returns a list of 0s
2326 and 1s indicating unknown/known.
2326 and 1s indicating unknown/known.
2327 """
2327 """
2328 repo = hg.peer(ui, opts, repopath)
2328 repo = hg.peer(ui, opts, repopath)
2329 if not repo.capable('known'):
2329 if not repo.capable('known'):
2330 raise util.Abort("known() not supported by target repository")
2330 raise util.Abort("known() not supported by target repository")
2331 flags = repo.known([bin(s) for s in ids])
2331 flags = repo.known([bin(s) for s in ids])
2332 ui.write("%s\n" % ("".join([f and "1" or "0" for f in flags])))
2332 ui.write("%s\n" % ("".join([f and "1" or "0" for f in flags])))
2333
2333
2334 @command('debuglabelcomplete', [], _('LABEL...'))
2334 @command('debuglabelcomplete', [], _('LABEL...'))
2335 def debuglabelcomplete(ui, repo, *args):
2335 def debuglabelcomplete(ui, repo, *args):
2336 '''complete "labels" - tags, open branch names, bookmark names'''
2336 '''complete "labels" - tags, open branch names, bookmark names'''
2337
2337
2338 labels = set()
2338 labels = set()
2339 labels.update(t[0] for t in repo.tagslist())
2339 labels.update(t[0] for t in repo.tagslist())
2340 labels.update(repo._bookmarks.keys())
2340 labels.update(repo._bookmarks.keys())
2341 labels.update(tag for (tag, heads, tip, closed)
2341 labels.update(tag for (tag, heads, tip, closed)
2342 in repo.branchmap().iterbranches() if not closed)
2342 in repo.branchmap().iterbranches() if not closed)
2343 completions = set()
2343 completions = set()
2344 if not args:
2344 if not args:
2345 args = ['']
2345 args = ['']
2346 for a in args:
2346 for a in args:
2347 completions.update(l for l in labels if l.startswith(a))
2347 completions.update(l for l in labels if l.startswith(a))
2348 ui.write('\n'.join(sorted(completions)))
2348 ui.write('\n'.join(sorted(completions)))
2349 ui.write('\n')
2349 ui.write('\n')
2350
2350
2351 @command('debuglocks',
2351 @command('debuglocks',
2352 [('L', 'force-lock', None, _('free the store lock (DANGEROUS)')),
2352 [('L', 'force-lock', None, _('free the store lock (DANGEROUS)')),
2353 ('W', 'force-wlock', None,
2353 ('W', 'force-wlock', None,
2354 _('free the working state lock (DANGEROUS)'))],
2354 _('free the working state lock (DANGEROUS)'))],
2355 _(''))
2355 _(''))
2356 def debuglocks(ui, repo, **opts):
2356 def debuglocks(ui, repo, **opts):
2357 """show or modify state of locks
2357 """show or modify state of locks
2358
2358
2359 By default, this command will show which locks are held. This
2359 By default, this command will show which locks are held. This
2360 includes the user and process holding the lock, the amount of time
2360 includes the user and process holding the lock, the amount of time
2361 the lock has been held, and the machine name where the process is
2361 the lock has been held, and the machine name where the process is
2362 running if it's not local.
2362 running if it's not local.
2363
2363
2364 Locks protect the integrity of Mercurial's data, so should be
2364 Locks protect the integrity of Mercurial's data, so should be
2365 treated with care. System crashes or other interruptions may cause
2365 treated with care. System crashes or other interruptions may cause
2366 locks to not be properly released, though Mercurial will usually
2366 locks to not be properly released, though Mercurial will usually
2367 detect and remove such stale locks automatically.
2367 detect and remove such stale locks automatically.
2368
2368
2369 However, detecting stale locks may not always be possible (for
2369 However, detecting stale locks may not always be possible (for
2370 instance, on a shared filesystem). Removing locks may also be
2370 instance, on a shared filesystem). Removing locks may also be
2371 blocked by filesystem permissions.
2371 blocked by filesystem permissions.
2372
2372
2373 Returns 0 if no locks are held.
2373 Returns 0 if no locks are held.
2374
2374
2375 """
2375 """
2376
2376
2377 if opts.get('force_lock'):
2377 if opts.get('force_lock'):
2378 repo.svfs.unlink('lock')
2378 repo.svfs.unlink('lock')
2379 if opts.get('force_wlock'):
2379 if opts.get('force_wlock'):
2380 repo.vfs.unlink('wlock')
2380 repo.vfs.unlink('wlock')
2381 if opts.get('force_lock') or opts.get('force_lock'):
2381 if opts.get('force_lock') or opts.get('force_lock'):
2382 return 0
2382 return 0
2383
2383
2384 now = time.time()
2384 now = time.time()
2385 held = 0
2385 held = 0
2386
2386
2387 def report(vfs, name, method):
2387 def report(vfs, name, method):
2388 # this causes stale locks to get reaped for more accurate reporting
2388 # this causes stale locks to get reaped for more accurate reporting
2389 try:
2389 try:
2390 l = method(False)
2390 l = method(False)
2391 except error.LockHeld:
2391 except error.LockHeld:
2392 l = None
2392 l = None
2393
2393
2394 if l:
2394 if l:
2395 l.release()
2395 l.release()
2396 else:
2396 else:
2397 try:
2397 try:
2398 stat = repo.svfs.lstat(name)
2398 stat = repo.svfs.lstat(name)
2399 age = now - stat.st_mtime
2399 age = now - stat.st_mtime
2400 user = util.username(stat.st_uid)
2400 user = util.username(stat.st_uid)
2401 locker = vfs.readlock(name)
2401 locker = vfs.readlock(name)
2402 if ":" in locker:
2402 if ":" in locker:
2403 host, pid = locker.split(':')
2403 host, pid = locker.split(':')
2404 if host == socket.gethostname():
2404 if host == socket.gethostname():
2405 locker = 'user %s, process %s' % (user, pid)
2405 locker = 'user %s, process %s' % (user, pid)
2406 else:
2406 else:
2407 locker = 'user %s, process %s, host %s' \
2407 locker = 'user %s, process %s, host %s' \
2408 % (user, pid, host)
2408 % (user, pid, host)
2409 ui.write("%-6s %s (%ds)\n" % (name + ":", locker, age))
2409 ui.write("%-6s %s (%ds)\n" % (name + ":", locker, age))
2410 return 1
2410 return 1
2411 except OSError, e:
2411 except OSError, e:
2412 if e.errno != errno.ENOENT:
2412 if e.errno != errno.ENOENT:
2413 raise
2413 raise
2414
2414
2415 ui.write("%-6s free\n" % (name + ":"))
2415 ui.write("%-6s free\n" % (name + ":"))
2416 return 0
2416 return 0
2417
2417
2418 held += report(repo.svfs, "lock", repo.lock)
2418 held += report(repo.svfs, "lock", repo.lock)
2419 held += report(repo.vfs, "wlock", repo.wlock)
2419 held += report(repo.vfs, "wlock", repo.wlock)
2420
2420
2421 return held
2421 return held
2422
2422
2423 @command('debugobsolete',
2423 @command('debugobsolete',
2424 [('', 'flags', 0, _('markers flag')),
2424 [('', 'flags', 0, _('markers flag')),
2425 ('', 'record-parents', False,
2425 ('', 'record-parents', False,
2426 _('record parent information for the precursor')),
2426 _('record parent information for the precursor')),
2427 ('r', 'rev', [], _('display markers relevant to REV')),
2427 ('r', 'rev', [], _('display markers relevant to REV')),
2428 ] + commitopts2,
2428 ] + commitopts2,
2429 _('[OBSOLETED [REPLACEMENT] [REPL... ]'))
2429 _('[OBSOLETED [REPLACEMENT] [REPL... ]'))
2430 def debugobsolete(ui, repo, precursor=None, *successors, **opts):
2430 def debugobsolete(ui, repo, precursor=None, *successors, **opts):
2431 """create arbitrary obsolete marker
2431 """create arbitrary obsolete marker
2432
2432
2433 With no arguments, displays the list of obsolescence markers."""
2433 With no arguments, displays the list of obsolescence markers."""
2434
2434
2435 def parsenodeid(s):
2435 def parsenodeid(s):
2436 try:
2436 try:
2437 # We do not use revsingle/revrange functions here to accept
2437 # We do not use revsingle/revrange functions here to accept
2438 # arbitrary node identifiers, possibly not present in the
2438 # arbitrary node identifiers, possibly not present in the
2439 # local repository.
2439 # local repository.
2440 n = bin(s)
2440 n = bin(s)
2441 if len(n) != len(nullid):
2441 if len(n) != len(nullid):
2442 raise TypeError()
2442 raise TypeError()
2443 return n
2443 return n
2444 except TypeError:
2444 except TypeError:
2445 raise util.Abort('changeset references must be full hexadecimal '
2445 raise util.Abort('changeset references must be full hexadecimal '
2446 'node identifiers')
2446 'node identifiers')
2447
2447
2448 if precursor is not None:
2448 if precursor is not None:
2449 if opts['rev']:
2449 if opts['rev']:
2450 raise util.Abort('cannot select revision when creating marker')
2450 raise util.Abort('cannot select revision when creating marker')
2451 metadata = {}
2451 metadata = {}
2452 metadata['user'] = opts['user'] or ui.username()
2452 metadata['user'] = opts['user'] or ui.username()
2453 succs = tuple(parsenodeid(succ) for succ in successors)
2453 succs = tuple(parsenodeid(succ) for succ in successors)
2454 l = repo.lock()
2454 l = repo.lock()
2455 try:
2455 try:
2456 tr = repo.transaction('debugobsolete')
2456 tr = repo.transaction('debugobsolete')
2457 try:
2457 try:
2458 try:
2458 try:
2459 date = opts.get('date')
2459 date = opts.get('date')
2460 if date:
2460 if date:
2461 date = util.parsedate(date)
2461 date = util.parsedate(date)
2462 else:
2462 else:
2463 date = None
2463 date = None
2464 prec = parsenodeid(precursor)
2464 prec = parsenodeid(precursor)
2465 parents = None
2465 parents = None
2466 if opts['record_parents']:
2466 if opts['record_parents']:
2467 if prec not in repo.unfiltered():
2467 if prec not in repo.unfiltered():
2468 raise util.Abort('cannot used --record-parents on '
2468 raise util.Abort('cannot used --record-parents on '
2469 'unknown changesets')
2469 'unknown changesets')
2470 parents = repo.unfiltered()[prec].parents()
2470 parents = repo.unfiltered()[prec].parents()
2471 parents = tuple(p.node() for p in parents)
2471 parents = tuple(p.node() for p in parents)
2472 repo.obsstore.create(tr, prec, succs, opts['flags'],
2472 repo.obsstore.create(tr, prec, succs, opts['flags'],
2473 parents=parents, date=date,
2473 parents=parents, date=date,
2474 metadata=metadata)
2474 metadata=metadata)
2475 tr.close()
2475 tr.close()
2476 except ValueError, exc:
2476 except ValueError, exc:
2477 raise util.Abort(_('bad obsmarker input: %s') % exc)
2477 raise util.Abort(_('bad obsmarker input: %s') % exc)
2478 finally:
2478 finally:
2479 tr.release()
2479 tr.release()
2480 finally:
2480 finally:
2481 l.release()
2481 l.release()
2482 else:
2482 else:
2483 if opts['rev']:
2483 if opts['rev']:
2484 revs = scmutil.revrange(repo, opts['rev'])
2484 revs = scmutil.revrange(repo, opts['rev'])
2485 nodes = [repo[r].node() for r in revs]
2485 nodes = [repo[r].node() for r in revs]
2486 markers = list(obsolete.getmarkers(repo, nodes=nodes))
2486 markers = list(obsolete.getmarkers(repo, nodes=nodes))
2487 markers.sort(key=lambda x: x._data)
2487 markers.sort(key=lambda x: x._data)
2488 else:
2488 else:
2489 markers = obsolete.getmarkers(repo)
2489 markers = obsolete.getmarkers(repo)
2490
2490
2491 for m in markers:
2491 for m in markers:
2492 cmdutil.showmarker(ui, m)
2492 cmdutil.showmarker(ui, m)
2493
2493
2494 @command('debugpathcomplete',
2494 @command('debugpathcomplete',
2495 [('f', 'full', None, _('complete an entire path')),
2495 [('f', 'full', None, _('complete an entire path')),
2496 ('n', 'normal', None, _('show only normal files')),
2496 ('n', 'normal', None, _('show only normal files')),
2497 ('a', 'added', None, _('show only added files')),
2497 ('a', 'added', None, _('show only added files')),
2498 ('r', 'removed', None, _('show only removed files'))],
2498 ('r', 'removed', None, _('show only removed files'))],
2499 _('FILESPEC...'))
2499 _('FILESPEC...'))
2500 def debugpathcomplete(ui, repo, *specs, **opts):
2500 def debugpathcomplete(ui, repo, *specs, **opts):
2501 '''complete part or all of a tracked path
2501 '''complete part or all of a tracked path
2502
2502
2503 This command supports shells that offer path name completion. It
2503 This command supports shells that offer path name completion. It
2504 currently completes only files already known to the dirstate.
2504 currently completes only files already known to the dirstate.
2505
2505
2506 Completion extends only to the next path segment unless
2506 Completion extends only to the next path segment unless
2507 --full is specified, in which case entire paths are used.'''
2507 --full is specified, in which case entire paths are used.'''
2508
2508
2509 def complete(path, acceptable):
2509 def complete(path, acceptable):
2510 dirstate = repo.dirstate
2510 dirstate = repo.dirstate
2511 spec = os.path.normpath(os.path.join(os.getcwd(), path))
2511 spec = os.path.normpath(os.path.join(os.getcwd(), path))
2512 rootdir = repo.root + os.sep
2512 rootdir = repo.root + os.sep
2513 if spec != repo.root and not spec.startswith(rootdir):
2513 if spec != repo.root and not spec.startswith(rootdir):
2514 return [], []
2514 return [], []
2515 if os.path.isdir(spec):
2515 if os.path.isdir(spec):
2516 spec += '/'
2516 spec += '/'
2517 spec = spec[len(rootdir):]
2517 spec = spec[len(rootdir):]
2518 fixpaths = os.sep != '/'
2518 fixpaths = os.sep != '/'
2519 if fixpaths:
2519 if fixpaths:
2520 spec = spec.replace(os.sep, '/')
2520 spec = spec.replace(os.sep, '/')
2521 speclen = len(spec)
2521 speclen = len(spec)
2522 fullpaths = opts['full']
2522 fullpaths = opts['full']
2523 files, dirs = set(), set()
2523 files, dirs = set(), set()
2524 adddir, addfile = dirs.add, files.add
2524 adddir, addfile = dirs.add, files.add
2525 for f, st in dirstate.iteritems():
2525 for f, st in dirstate.iteritems():
2526 if f.startswith(spec) and st[0] in acceptable:
2526 if f.startswith(spec) and st[0] in acceptable:
2527 if fixpaths:
2527 if fixpaths:
2528 f = f.replace('/', os.sep)
2528 f = f.replace('/', os.sep)
2529 if fullpaths:
2529 if fullpaths:
2530 addfile(f)
2530 addfile(f)
2531 continue
2531 continue
2532 s = f.find(os.sep, speclen)
2532 s = f.find(os.sep, speclen)
2533 if s >= 0:
2533 if s >= 0:
2534 adddir(f[:s])
2534 adddir(f[:s])
2535 else:
2535 else:
2536 addfile(f)
2536 addfile(f)
2537 return files, dirs
2537 return files, dirs
2538
2538
2539 acceptable = ''
2539 acceptable = ''
2540 if opts['normal']:
2540 if opts['normal']:
2541 acceptable += 'nm'
2541 acceptable += 'nm'
2542 if opts['added']:
2542 if opts['added']:
2543 acceptable += 'a'
2543 acceptable += 'a'
2544 if opts['removed']:
2544 if opts['removed']:
2545 acceptable += 'r'
2545 acceptable += 'r'
2546 cwd = repo.getcwd()
2546 cwd = repo.getcwd()
2547 if not specs:
2547 if not specs:
2548 specs = ['.']
2548 specs = ['.']
2549
2549
2550 files, dirs = set(), set()
2550 files, dirs = set(), set()
2551 for spec in specs:
2551 for spec in specs:
2552 f, d = complete(spec, acceptable or 'nmar')
2552 f, d = complete(spec, acceptable or 'nmar')
2553 files.update(f)
2553 files.update(f)
2554 dirs.update(d)
2554 dirs.update(d)
2555 files.update(dirs)
2555 files.update(dirs)
2556 ui.write('\n'.join(repo.pathto(p, cwd) for p in sorted(files)))
2556 ui.write('\n'.join(repo.pathto(p, cwd) for p in sorted(files)))
2557 ui.write('\n')
2557 ui.write('\n')
2558
2558
2559 @command('debugpushkey', [], _('REPO NAMESPACE [KEY OLD NEW]'), norepo=True)
2559 @command('debugpushkey', [], _('REPO NAMESPACE [KEY OLD NEW]'), norepo=True)
2560 def debugpushkey(ui, repopath, namespace, *keyinfo, **opts):
2560 def debugpushkey(ui, repopath, namespace, *keyinfo, **opts):
2561 '''access the pushkey key/value protocol
2561 '''access the pushkey key/value protocol
2562
2562
2563 With two args, list the keys in the given namespace.
2563 With two args, list the keys in the given namespace.
2564
2564
2565 With five args, set a key to new if it currently is set to old.
2565 With five args, set a key to new if it currently is set to old.
2566 Reports success or failure.
2566 Reports success or failure.
2567 '''
2567 '''
2568
2568
2569 target = hg.peer(ui, {}, repopath)
2569 target = hg.peer(ui, {}, repopath)
2570 if keyinfo:
2570 if keyinfo:
2571 key, old, new = keyinfo
2571 key, old, new = keyinfo
2572 r = target.pushkey(namespace, key, old, new)
2572 r = target.pushkey(namespace, key, old, new)
2573 ui.status(str(r) + '\n')
2573 ui.status(str(r) + '\n')
2574 return not r
2574 return not r
2575 else:
2575 else:
2576 for k, v in sorted(target.listkeys(namespace).iteritems()):
2576 for k, v in sorted(target.listkeys(namespace).iteritems()):
2577 ui.write("%s\t%s\n" % (k.encode('string-escape'),
2577 ui.write("%s\t%s\n" % (k.encode('string-escape'),
2578 v.encode('string-escape')))
2578 v.encode('string-escape')))
2579
2579
2580 @command('debugpvec', [], _('A B'))
2580 @command('debugpvec', [], _('A B'))
2581 def debugpvec(ui, repo, a, b=None):
2581 def debugpvec(ui, repo, a, b=None):
2582 ca = scmutil.revsingle(repo, a)
2582 ca = scmutil.revsingle(repo, a)
2583 cb = scmutil.revsingle(repo, b)
2583 cb = scmutil.revsingle(repo, b)
2584 pa = pvec.ctxpvec(ca)
2584 pa = pvec.ctxpvec(ca)
2585 pb = pvec.ctxpvec(cb)
2585 pb = pvec.ctxpvec(cb)
2586 if pa == pb:
2586 if pa == pb:
2587 rel = "="
2587 rel = "="
2588 elif pa > pb:
2588 elif pa > pb:
2589 rel = ">"
2589 rel = ">"
2590 elif pa < pb:
2590 elif pa < pb:
2591 rel = "<"
2591 rel = "<"
2592 elif pa | pb:
2592 elif pa | pb:
2593 rel = "|"
2593 rel = "|"
2594 ui.write(_("a: %s\n") % pa)
2594 ui.write(_("a: %s\n") % pa)
2595 ui.write(_("b: %s\n") % pb)
2595 ui.write(_("b: %s\n") % pb)
2596 ui.write(_("depth(a): %d depth(b): %d\n") % (pa._depth, pb._depth))
2596 ui.write(_("depth(a): %d depth(b): %d\n") % (pa._depth, pb._depth))
2597 ui.write(_("delta: %d hdist: %d distance: %d relation: %s\n") %
2597 ui.write(_("delta: %d hdist: %d distance: %d relation: %s\n") %
2598 (abs(pa._depth - pb._depth), pvec._hamming(pa._vec, pb._vec),
2598 (abs(pa._depth - pb._depth), pvec._hamming(pa._vec, pb._vec),
2599 pa.distance(pb), rel))
2599 pa.distance(pb), rel))
2600
2600
2601 @command('debugrebuilddirstate|debugrebuildstate',
2601 @command('debugrebuilddirstate|debugrebuildstate',
2602 [('r', 'rev', '', _('revision to rebuild to'), _('REV'))],
2602 [('r', 'rev', '', _('revision to rebuild to'), _('REV'))],
2603 _('[-r REV]'))
2603 _('[-r REV]'))
2604 def debugrebuilddirstate(ui, repo, rev):
2604 def debugrebuilddirstate(ui, repo, rev):
2605 """rebuild the dirstate as it would look like for the given revision
2605 """rebuild the dirstate as it would look like for the given revision
2606
2606
2607 If no revision is specified the first current parent will be used.
2607 If no revision is specified the first current parent will be used.
2608
2608
2609 The dirstate will be set to the files of the given revision.
2609 The dirstate will be set to the files of the given revision.
2610 The actual working directory content or existing dirstate
2610 The actual working directory content or existing dirstate
2611 information such as adds or removes is not considered.
2611 information such as adds or removes is not considered.
2612
2612
2613 One use of this command is to make the next :hg:`status` invocation
2613 One use of this command is to make the next :hg:`status` invocation
2614 check the actual file content.
2614 check the actual file content.
2615 """
2615 """
2616 ctx = scmutil.revsingle(repo, rev)
2616 ctx = scmutil.revsingle(repo, rev)
2617 wlock = repo.wlock()
2617 wlock = repo.wlock()
2618 try:
2618 try:
2619 repo.dirstate.rebuild(ctx.node(), ctx.manifest())
2619 repo.dirstate.rebuild(ctx.node(), ctx.manifest())
2620 finally:
2620 finally:
2621 wlock.release()
2621 wlock.release()
2622
2622
2623 @command('debugrename',
2623 @command('debugrename',
2624 [('r', 'rev', '', _('revision to debug'), _('REV'))],
2624 [('r', 'rev', '', _('revision to debug'), _('REV'))],
2625 _('[-r REV] FILE'))
2625 _('[-r REV] FILE'))
2626 def debugrename(ui, repo, file1, *pats, **opts):
2626 def debugrename(ui, repo, file1, *pats, **opts):
2627 """dump rename information"""
2627 """dump rename information"""
2628
2628
2629 ctx = scmutil.revsingle(repo, opts.get('rev'))
2629 ctx = scmutil.revsingle(repo, opts.get('rev'))
2630 m = scmutil.match(ctx, (file1,) + pats, opts)
2630 m = scmutil.match(ctx, (file1,) + pats, opts)
2631 for abs in ctx.walk(m):
2631 for abs in ctx.walk(m):
2632 fctx = ctx[abs]
2632 fctx = ctx[abs]
2633 o = fctx.filelog().renamed(fctx.filenode())
2633 o = fctx.filelog().renamed(fctx.filenode())
2634 rel = m.rel(abs)
2634 rel = m.rel(abs)
2635 if o:
2635 if o:
2636 ui.write(_("%s renamed from %s:%s\n") % (rel, o[0], hex(o[1])))
2636 ui.write(_("%s renamed from %s:%s\n") % (rel, o[0], hex(o[1])))
2637 else:
2637 else:
2638 ui.write(_("%s not renamed\n") % rel)
2638 ui.write(_("%s not renamed\n") % rel)
2639
2639
2640 @command('debugrevlog',
2640 @command('debugrevlog',
2641 [('c', 'changelog', False, _('open changelog')),
2641 [('c', 'changelog', False, _('open changelog')),
2642 ('m', 'manifest', False, _('open manifest')),
2642 ('m', 'manifest', False, _('open manifest')),
2643 ('d', 'dump', False, _('dump index data'))],
2643 ('d', 'dump', False, _('dump index data'))],
2644 _('-c|-m|FILE'),
2644 _('-c|-m|FILE'),
2645 optionalrepo=True)
2645 optionalrepo=True)
2646 def debugrevlog(ui, repo, file_=None, **opts):
2646 def debugrevlog(ui, repo, file_=None, **opts):
2647 """show data and statistics about a revlog"""
2647 """show data and statistics about a revlog"""
2648 r = cmdutil.openrevlog(repo, 'debugrevlog', file_, opts)
2648 r = cmdutil.openrevlog(repo, 'debugrevlog', file_, opts)
2649
2649
2650 if opts.get("dump"):
2650 if opts.get("dump"):
2651 numrevs = len(r)
2651 numrevs = len(r)
2652 ui.write("# rev p1rev p2rev start end deltastart base p1 p2"
2652 ui.write("# rev p1rev p2rev start end deltastart base p1 p2"
2653 " rawsize totalsize compression heads chainlen\n")
2653 " rawsize totalsize compression heads chainlen\n")
2654 ts = 0
2654 ts = 0
2655 heads = set()
2655 heads = set()
2656 rindex = r.index
2656 rindex = r.index
2657
2657
2658 def chainbaseandlen(rev):
2658 def chainbaseandlen(rev):
2659 clen = 0
2659 clen = 0
2660 base = rindex[rev][3]
2660 base = rindex[rev][3]
2661 while base != rev:
2661 while base != rev:
2662 clen += 1
2662 clen += 1
2663 rev = base
2663 rev = base
2664 base = rindex[rev][3]
2664 base = rindex[rev][3]
2665 return base, clen
2665 return base, clen
2666
2666
2667 for rev in xrange(numrevs):
2667 for rev in xrange(numrevs):
2668 dbase = r.deltaparent(rev)
2668 dbase = r.deltaparent(rev)
2669 if dbase == -1:
2669 if dbase == -1:
2670 dbase = rev
2670 dbase = rev
2671 cbase, clen = chainbaseandlen(rev)
2671 cbase, clen = chainbaseandlen(rev)
2672 p1, p2 = r.parentrevs(rev)
2672 p1, p2 = r.parentrevs(rev)
2673 rs = r.rawsize(rev)
2673 rs = r.rawsize(rev)
2674 ts = ts + rs
2674 ts = ts + rs
2675 heads -= set(r.parentrevs(rev))
2675 heads -= set(r.parentrevs(rev))
2676 heads.add(rev)
2676 heads.add(rev)
2677 ui.write("%5d %5d %5d %5d %5d %10d %4d %4d %4d %7d %9d "
2677 ui.write("%5d %5d %5d %5d %5d %10d %4d %4d %4d %7d %9d "
2678 "%11d %5d %8d\n" %
2678 "%11d %5d %8d\n" %
2679 (rev, p1, p2, r.start(rev), r.end(rev),
2679 (rev, p1, p2, r.start(rev), r.end(rev),
2680 r.start(dbase), r.start(cbase),
2680 r.start(dbase), r.start(cbase),
2681 r.start(p1), r.start(p2),
2681 r.start(p1), r.start(p2),
2682 rs, ts, ts / r.end(rev), len(heads), clen))
2682 rs, ts, ts / r.end(rev), len(heads), clen))
2683 return 0
2683 return 0
2684
2684
2685 v = r.version
2685 v = r.version
2686 format = v & 0xFFFF
2686 format = v & 0xFFFF
2687 flags = []
2687 flags = []
2688 gdelta = False
2688 gdelta = False
2689 if v & revlog.REVLOGNGINLINEDATA:
2689 if v & revlog.REVLOGNGINLINEDATA:
2690 flags.append('inline')
2690 flags.append('inline')
2691 if v & revlog.REVLOGGENERALDELTA:
2691 if v & revlog.REVLOGGENERALDELTA:
2692 gdelta = True
2692 gdelta = True
2693 flags.append('generaldelta')
2693 flags.append('generaldelta')
2694 if not flags:
2694 if not flags:
2695 flags = ['(none)']
2695 flags = ['(none)']
2696
2696
2697 nummerges = 0
2697 nummerges = 0
2698 numfull = 0
2698 numfull = 0
2699 numprev = 0
2699 numprev = 0
2700 nump1 = 0
2700 nump1 = 0
2701 nump2 = 0
2701 nump2 = 0
2702 numother = 0
2702 numother = 0
2703 nump1prev = 0
2703 nump1prev = 0
2704 nump2prev = 0
2704 nump2prev = 0
2705 chainlengths = []
2705 chainlengths = []
2706
2706
2707 datasize = [None, 0, 0L]
2707 datasize = [None, 0, 0L]
2708 fullsize = [None, 0, 0L]
2708 fullsize = [None, 0, 0L]
2709 deltasize = [None, 0, 0L]
2709 deltasize = [None, 0, 0L]
2710
2710
2711 def addsize(size, l):
2711 def addsize(size, l):
2712 if l[0] is None or size < l[0]:
2712 if l[0] is None or size < l[0]:
2713 l[0] = size
2713 l[0] = size
2714 if size > l[1]:
2714 if size > l[1]:
2715 l[1] = size
2715 l[1] = size
2716 l[2] += size
2716 l[2] += size
2717
2717
2718 numrevs = len(r)
2718 numrevs = len(r)
2719 for rev in xrange(numrevs):
2719 for rev in xrange(numrevs):
2720 p1, p2 = r.parentrevs(rev)
2720 p1, p2 = r.parentrevs(rev)
2721 delta = r.deltaparent(rev)
2721 delta = r.deltaparent(rev)
2722 if format > 0:
2722 if format > 0:
2723 addsize(r.rawsize(rev), datasize)
2723 addsize(r.rawsize(rev), datasize)
2724 if p2 != nullrev:
2724 if p2 != nullrev:
2725 nummerges += 1
2725 nummerges += 1
2726 size = r.length(rev)
2726 size = r.length(rev)
2727 if delta == nullrev:
2727 if delta == nullrev:
2728 chainlengths.append(0)
2728 chainlengths.append(0)
2729 numfull += 1
2729 numfull += 1
2730 addsize(size, fullsize)
2730 addsize(size, fullsize)
2731 else:
2731 else:
2732 chainlengths.append(chainlengths[delta] + 1)
2732 chainlengths.append(chainlengths[delta] + 1)
2733 addsize(size, deltasize)
2733 addsize(size, deltasize)
2734 if delta == rev - 1:
2734 if delta == rev - 1:
2735 numprev += 1
2735 numprev += 1
2736 if delta == p1:
2736 if delta == p1:
2737 nump1prev += 1
2737 nump1prev += 1
2738 elif delta == p2:
2738 elif delta == p2:
2739 nump2prev += 1
2739 nump2prev += 1
2740 elif delta == p1:
2740 elif delta == p1:
2741 nump1 += 1
2741 nump1 += 1
2742 elif delta == p2:
2742 elif delta == p2:
2743 nump2 += 1
2743 nump2 += 1
2744 elif delta != nullrev:
2744 elif delta != nullrev:
2745 numother += 1
2745 numother += 1
2746
2746
2747 # Adjust size min value for empty cases
2747 # Adjust size min value for empty cases
2748 for size in (datasize, fullsize, deltasize):
2748 for size in (datasize, fullsize, deltasize):
2749 if size[0] is None:
2749 if size[0] is None:
2750 size[0] = 0
2750 size[0] = 0
2751
2751
2752 numdeltas = numrevs - numfull
2752 numdeltas = numrevs - numfull
2753 numoprev = numprev - nump1prev - nump2prev
2753 numoprev = numprev - nump1prev - nump2prev
2754 totalrawsize = datasize[2]
2754 totalrawsize = datasize[2]
2755 datasize[2] /= numrevs
2755 datasize[2] /= numrevs
2756 fulltotal = fullsize[2]
2756 fulltotal = fullsize[2]
2757 fullsize[2] /= numfull
2757 fullsize[2] /= numfull
2758 deltatotal = deltasize[2]
2758 deltatotal = deltasize[2]
2759 if numrevs - numfull > 0:
2759 if numrevs - numfull > 0:
2760 deltasize[2] /= numrevs - numfull
2760 deltasize[2] /= numrevs - numfull
2761 totalsize = fulltotal + deltatotal
2761 totalsize = fulltotal + deltatotal
2762 avgchainlen = sum(chainlengths) / numrevs
2762 avgchainlen = sum(chainlengths) / numrevs
2763 compratio = totalrawsize / totalsize
2763 compratio = totalrawsize / totalsize
2764
2764
2765 basedfmtstr = '%%%dd\n'
2765 basedfmtstr = '%%%dd\n'
2766 basepcfmtstr = '%%%dd %s(%%5.2f%%%%)\n'
2766 basepcfmtstr = '%%%dd %s(%%5.2f%%%%)\n'
2767
2767
2768 def dfmtstr(max):
2768 def dfmtstr(max):
2769 return basedfmtstr % len(str(max))
2769 return basedfmtstr % len(str(max))
2770 def pcfmtstr(max, padding=0):
2770 def pcfmtstr(max, padding=0):
2771 return basepcfmtstr % (len(str(max)), ' ' * padding)
2771 return basepcfmtstr % (len(str(max)), ' ' * padding)
2772
2772
2773 def pcfmt(value, total):
2773 def pcfmt(value, total):
2774 return (value, 100 * float(value) / total)
2774 return (value, 100 * float(value) / total)
2775
2775
2776 ui.write(('format : %d\n') % format)
2776 ui.write(('format : %d\n') % format)
2777 ui.write(('flags : %s\n') % ', '.join(flags))
2777 ui.write(('flags : %s\n') % ', '.join(flags))
2778
2778
2779 ui.write('\n')
2779 ui.write('\n')
2780 fmt = pcfmtstr(totalsize)
2780 fmt = pcfmtstr(totalsize)
2781 fmt2 = dfmtstr(totalsize)
2781 fmt2 = dfmtstr(totalsize)
2782 ui.write(('revisions : ') + fmt2 % numrevs)
2782 ui.write(('revisions : ') + fmt2 % numrevs)
2783 ui.write((' merges : ') + fmt % pcfmt(nummerges, numrevs))
2783 ui.write((' merges : ') + fmt % pcfmt(nummerges, numrevs))
2784 ui.write((' normal : ') + fmt % pcfmt(numrevs - nummerges, numrevs))
2784 ui.write((' normal : ') + fmt % pcfmt(numrevs - nummerges, numrevs))
2785 ui.write(('revisions : ') + fmt2 % numrevs)
2785 ui.write(('revisions : ') + fmt2 % numrevs)
2786 ui.write((' full : ') + fmt % pcfmt(numfull, numrevs))
2786 ui.write((' full : ') + fmt % pcfmt(numfull, numrevs))
2787 ui.write((' deltas : ') + fmt % pcfmt(numdeltas, numrevs))
2787 ui.write((' deltas : ') + fmt % pcfmt(numdeltas, numrevs))
2788 ui.write(('revision size : ') + fmt2 % totalsize)
2788 ui.write(('revision size : ') + fmt2 % totalsize)
2789 ui.write((' full : ') + fmt % pcfmt(fulltotal, totalsize))
2789 ui.write((' full : ') + fmt % pcfmt(fulltotal, totalsize))
2790 ui.write((' deltas : ') + fmt % pcfmt(deltatotal, totalsize))
2790 ui.write((' deltas : ') + fmt % pcfmt(deltatotal, totalsize))
2791
2791
2792 ui.write('\n')
2792 ui.write('\n')
2793 fmt = dfmtstr(max(avgchainlen, compratio))
2793 fmt = dfmtstr(max(avgchainlen, compratio))
2794 ui.write(('avg chain length : ') + fmt % avgchainlen)
2794 ui.write(('avg chain length : ') + fmt % avgchainlen)
2795 ui.write(('compression ratio : ') + fmt % compratio)
2795 ui.write(('compression ratio : ') + fmt % compratio)
2796
2796
2797 if format > 0:
2797 if format > 0:
2798 ui.write('\n')
2798 ui.write('\n')
2799 ui.write(('uncompressed data size (min/max/avg) : %d / %d / %d\n')
2799 ui.write(('uncompressed data size (min/max/avg) : %d / %d / %d\n')
2800 % tuple(datasize))
2800 % tuple(datasize))
2801 ui.write(('full revision size (min/max/avg) : %d / %d / %d\n')
2801 ui.write(('full revision size (min/max/avg) : %d / %d / %d\n')
2802 % tuple(fullsize))
2802 % tuple(fullsize))
2803 ui.write(('delta size (min/max/avg) : %d / %d / %d\n')
2803 ui.write(('delta size (min/max/avg) : %d / %d / %d\n')
2804 % tuple(deltasize))
2804 % tuple(deltasize))
2805
2805
2806 if numdeltas > 0:
2806 if numdeltas > 0:
2807 ui.write('\n')
2807 ui.write('\n')
2808 fmt = pcfmtstr(numdeltas)
2808 fmt = pcfmtstr(numdeltas)
2809 fmt2 = pcfmtstr(numdeltas, 4)
2809 fmt2 = pcfmtstr(numdeltas, 4)
2810 ui.write(('deltas against prev : ') + fmt % pcfmt(numprev, numdeltas))
2810 ui.write(('deltas against prev : ') + fmt % pcfmt(numprev, numdeltas))
2811 if numprev > 0:
2811 if numprev > 0:
2812 ui.write((' where prev = p1 : ') + fmt2 % pcfmt(nump1prev,
2812 ui.write((' where prev = p1 : ') + fmt2 % pcfmt(nump1prev,
2813 numprev))
2813 numprev))
2814 ui.write((' where prev = p2 : ') + fmt2 % pcfmt(nump2prev,
2814 ui.write((' where prev = p2 : ') + fmt2 % pcfmt(nump2prev,
2815 numprev))
2815 numprev))
2816 ui.write((' other : ') + fmt2 % pcfmt(numoprev,
2816 ui.write((' other : ') + fmt2 % pcfmt(numoprev,
2817 numprev))
2817 numprev))
2818 if gdelta:
2818 if gdelta:
2819 ui.write(('deltas against p1 : ')
2819 ui.write(('deltas against p1 : ')
2820 + fmt % pcfmt(nump1, numdeltas))
2820 + fmt % pcfmt(nump1, numdeltas))
2821 ui.write(('deltas against p2 : ')
2821 ui.write(('deltas against p2 : ')
2822 + fmt % pcfmt(nump2, numdeltas))
2822 + fmt % pcfmt(nump2, numdeltas))
2823 ui.write(('deltas against other : ') + fmt % pcfmt(numother,
2823 ui.write(('deltas against other : ') + fmt % pcfmt(numother,
2824 numdeltas))
2824 numdeltas))
2825
2825
2826 @command('debugrevspec',
2826 @command('debugrevspec',
2827 [('', 'optimize', None, _('print parsed tree after optimizing'))],
2827 [('', 'optimize', None, _('print parsed tree after optimizing'))],
2828 ('REVSPEC'))
2828 ('REVSPEC'))
2829 def debugrevspec(ui, repo, expr, **opts):
2829 def debugrevspec(ui, repo, expr, **opts):
2830 """parse and apply a revision specification
2830 """parse and apply a revision specification
2831
2831
2832 Use --verbose to print the parsed tree before and after aliases
2832 Use --verbose to print the parsed tree before and after aliases
2833 expansion.
2833 expansion.
2834 """
2834 """
2835 if ui.verbose:
2835 if ui.verbose:
2836 tree = revset.parse(expr)[0]
2836 tree = revset.parse(expr)[0]
2837 ui.note(revset.prettyformat(tree), "\n")
2837 ui.note(revset.prettyformat(tree), "\n")
2838 newtree = revset.findaliases(ui, tree)
2838 newtree = revset.findaliases(ui, tree)
2839 if newtree != tree:
2839 if newtree != tree:
2840 ui.note(revset.prettyformat(newtree), "\n")
2840 ui.note(revset.prettyformat(newtree), "\n")
2841 if opts["optimize"]:
2841 if opts["optimize"]:
2842 weight, optimizedtree = revset.optimize(newtree, True)
2842 weight, optimizedtree = revset.optimize(newtree, True)
2843 ui.note("* optimized:\n", revset.prettyformat(optimizedtree), "\n")
2843 ui.note("* optimized:\n", revset.prettyformat(optimizedtree), "\n")
2844 func = revset.match(ui, expr)
2844 func = revset.match(ui, expr)
2845 for c in func(repo, revset.spanset(repo)):
2845 for c in func(repo, revset.spanset(repo)):
2846 ui.write("%s\n" % c)
2846 ui.write("%s\n" % c)
2847
2847
2848 @command('debugsetparents', [], _('REV1 [REV2]'))
2848 @command('debugsetparents', [], _('REV1 [REV2]'))
2849 def debugsetparents(ui, repo, rev1, rev2=None):
2849 def debugsetparents(ui, repo, rev1, rev2=None):
2850 """manually set the parents of the current working directory
2850 """manually set the parents of the current working directory
2851
2851
2852 This is useful for writing repository conversion tools, but should
2852 This is useful for writing repository conversion tools, but should
2853 be used with care.
2853 be used with care.
2854
2854
2855 Returns 0 on success.
2855 Returns 0 on success.
2856 """
2856 """
2857
2857
2858 r1 = scmutil.revsingle(repo, rev1).node()
2858 r1 = scmutil.revsingle(repo, rev1).node()
2859 r2 = scmutil.revsingle(repo, rev2, 'null').node()
2859 r2 = scmutil.revsingle(repo, rev2, 'null').node()
2860
2860
2861 wlock = repo.wlock()
2861 wlock = repo.wlock()
2862 try:
2862 try:
2863 repo.dirstate.beginparentchange()
2863 repo.dirstate.beginparentchange()
2864 repo.setparents(r1, r2)
2864 repo.setparents(r1, r2)
2865 repo.dirstate.endparentchange()
2865 repo.dirstate.endparentchange()
2866 finally:
2866 finally:
2867 wlock.release()
2867 wlock.release()
2868
2868
2869 @command('debugdirstate|debugstate',
2869 @command('debugdirstate|debugstate',
2870 [('', 'nodates', None, _('do not display the saved mtime')),
2870 [('', 'nodates', None, _('do not display the saved mtime')),
2871 ('', 'datesort', None, _('sort by saved mtime'))],
2871 ('', 'datesort', None, _('sort by saved mtime'))],
2872 _('[OPTION]...'))
2872 _('[OPTION]...'))
2873 def debugstate(ui, repo, nodates=None, datesort=None):
2873 def debugstate(ui, repo, nodates=None, datesort=None):
2874 """show the contents of the current dirstate"""
2874 """show the contents of the current dirstate"""
2875 timestr = ""
2875 timestr = ""
2876 showdate = not nodates
2876 showdate = not nodates
2877 if datesort:
2877 if datesort:
2878 keyfunc = lambda x: (x[1][3], x[0]) # sort by mtime, then by filename
2878 keyfunc = lambda x: (x[1][3], x[0]) # sort by mtime, then by filename
2879 else:
2879 else:
2880 keyfunc = None # sort by filename
2880 keyfunc = None # sort by filename
2881 for file_, ent in sorted(repo.dirstate._map.iteritems(), key=keyfunc):
2881 for file_, ent in sorted(repo.dirstate._map.iteritems(), key=keyfunc):
2882 if showdate:
2882 if showdate:
2883 if ent[3] == -1:
2883 if ent[3] == -1:
2884 # Pad or slice to locale representation
2884 # Pad or slice to locale representation
2885 locale_len = len(time.strftime("%Y-%m-%d %H:%M:%S ",
2885 locale_len = len(time.strftime("%Y-%m-%d %H:%M:%S ",
2886 time.localtime(0)))
2886 time.localtime(0)))
2887 timestr = 'unset'
2887 timestr = 'unset'
2888 timestr = (timestr[:locale_len] +
2888 timestr = (timestr[:locale_len] +
2889 ' ' * (locale_len - len(timestr)))
2889 ' ' * (locale_len - len(timestr)))
2890 else:
2890 else:
2891 timestr = time.strftime("%Y-%m-%d %H:%M:%S ",
2891 timestr = time.strftime("%Y-%m-%d %H:%M:%S ",
2892 time.localtime(ent[3]))
2892 time.localtime(ent[3]))
2893 if ent[1] & 020000:
2893 if ent[1] & 020000:
2894 mode = 'lnk'
2894 mode = 'lnk'
2895 else:
2895 else:
2896 mode = '%3o' % (ent[1] & 0777 & ~util.umask)
2896 mode = '%3o' % (ent[1] & 0777 & ~util.umask)
2897 ui.write("%c %s %10d %s%s\n" % (ent[0], mode, ent[2], timestr, file_))
2897 ui.write("%c %s %10d %s%s\n" % (ent[0], mode, ent[2], timestr, file_))
2898 for f in repo.dirstate.copies():
2898 for f in repo.dirstate.copies():
2899 ui.write(_("copy: %s -> %s\n") % (repo.dirstate.copied(f), f))
2899 ui.write(_("copy: %s -> %s\n") % (repo.dirstate.copied(f), f))
2900
2900
2901 @command('debugsub',
2901 @command('debugsub',
2902 [('r', 'rev', '',
2902 [('r', 'rev', '',
2903 _('revision to check'), _('REV'))],
2903 _('revision to check'), _('REV'))],
2904 _('[-r REV] [REV]'))
2904 _('[-r REV] [REV]'))
2905 def debugsub(ui, repo, rev=None):
2905 def debugsub(ui, repo, rev=None):
2906 ctx = scmutil.revsingle(repo, rev, None)
2906 ctx = scmutil.revsingle(repo, rev, None)
2907 for k, v in sorted(ctx.substate.items()):
2907 for k, v in sorted(ctx.substate.items()):
2908 ui.write(('path %s\n') % k)
2908 ui.write(('path %s\n') % k)
2909 ui.write((' source %s\n') % v[0])
2909 ui.write((' source %s\n') % v[0])
2910 ui.write((' revision %s\n') % v[1])
2910 ui.write((' revision %s\n') % v[1])
2911
2911
2912 @command('debugsuccessorssets',
2912 @command('debugsuccessorssets',
2913 [],
2913 [],
2914 _('[REV]'))
2914 _('[REV]'))
2915 def debugsuccessorssets(ui, repo, *revs):
2915 def debugsuccessorssets(ui, repo, *revs):
2916 """show set of successors for revision
2916 """show set of successors for revision
2917
2917
2918 A successors set of changeset A is a consistent group of revisions that
2918 A successors set of changeset A is a consistent group of revisions that
2919 succeed A. It contains non-obsolete changesets only.
2919 succeed A. It contains non-obsolete changesets only.
2920
2920
2921 In most cases a changeset A has a single successors set containing a single
2921 In most cases a changeset A has a single successors set containing a single
2922 successor (changeset A replaced by A').
2922 successor (changeset A replaced by A').
2923
2923
2924 A changeset that is made obsolete with no successors are called "pruned".
2924 A changeset that is made obsolete with no successors are called "pruned".
2925 Such changesets have no successors sets at all.
2925 Such changesets have no successors sets at all.
2926
2926
2927 A changeset that has been "split" will have a successors set containing
2927 A changeset that has been "split" will have a successors set containing
2928 more than one successor.
2928 more than one successor.
2929
2929
2930 A changeset that has been rewritten in multiple different ways is called
2930 A changeset that has been rewritten in multiple different ways is called
2931 "divergent". Such changesets have multiple successor sets (each of which
2931 "divergent". Such changesets have multiple successor sets (each of which
2932 may also be split, i.e. have multiple successors).
2932 may also be split, i.e. have multiple successors).
2933
2933
2934 Results are displayed as follows::
2934 Results are displayed as follows::
2935
2935
2936 <rev1>
2936 <rev1>
2937 <successors-1A>
2937 <successors-1A>
2938 <rev2>
2938 <rev2>
2939 <successors-2A>
2939 <successors-2A>
2940 <successors-2B1> <successors-2B2> <successors-2B3>
2940 <successors-2B1> <successors-2B2> <successors-2B3>
2941
2941
2942 Here rev2 has two possible (i.e. divergent) successors sets. The first
2942 Here rev2 has two possible (i.e. divergent) successors sets. The first
2943 holds one element, whereas the second holds three (i.e. the changeset has
2943 holds one element, whereas the second holds three (i.e. the changeset has
2944 been split).
2944 been split).
2945 """
2945 """
2946 # passed to successorssets caching computation from one call to another
2946 # passed to successorssets caching computation from one call to another
2947 cache = {}
2947 cache = {}
2948 ctx2str = str
2948 ctx2str = str
2949 node2str = short
2949 node2str = short
2950 if ui.debug():
2950 if ui.debug():
2951 def ctx2str(ctx):
2951 def ctx2str(ctx):
2952 return ctx.hex()
2952 return ctx.hex()
2953 node2str = hex
2953 node2str = hex
2954 for rev in scmutil.revrange(repo, revs):
2954 for rev in scmutil.revrange(repo, revs):
2955 ctx = repo[rev]
2955 ctx = repo[rev]
2956 ui.write('%s\n'% ctx2str(ctx))
2956 ui.write('%s\n'% ctx2str(ctx))
2957 for succsset in obsolete.successorssets(repo, ctx.node(), cache):
2957 for succsset in obsolete.successorssets(repo, ctx.node(), cache):
2958 if succsset:
2958 if succsset:
2959 ui.write(' ')
2959 ui.write(' ')
2960 ui.write(node2str(succsset[0]))
2960 ui.write(node2str(succsset[0]))
2961 for node in succsset[1:]:
2961 for node in succsset[1:]:
2962 ui.write(' ')
2962 ui.write(' ')
2963 ui.write(node2str(node))
2963 ui.write(node2str(node))
2964 ui.write('\n')
2964 ui.write('\n')
2965
2965
2966 @command('debugwalk', walkopts, _('[OPTION]... [FILE]...'), inferrepo=True)
2966 @command('debugwalk', walkopts, _('[OPTION]... [FILE]...'), inferrepo=True)
2967 def debugwalk(ui, repo, *pats, **opts):
2967 def debugwalk(ui, repo, *pats, **opts):
2968 """show how files match on given patterns"""
2968 """show how files match on given patterns"""
2969 m = scmutil.match(repo[None], pats, opts)
2969 m = scmutil.match(repo[None], pats, opts)
2970 items = list(repo.walk(m))
2970 items = list(repo.walk(m))
2971 if not items:
2971 if not items:
2972 return
2972 return
2973 f = lambda fn: fn
2973 f = lambda fn: fn
2974 if ui.configbool('ui', 'slash') and os.sep != '/':
2974 if ui.configbool('ui', 'slash') and os.sep != '/':
2975 f = lambda fn: util.normpath(fn)
2975 f = lambda fn: util.normpath(fn)
2976 fmt = 'f %%-%ds %%-%ds %%s' % (
2976 fmt = 'f %%-%ds %%-%ds %%s' % (
2977 max([len(abs) for abs in items]),
2977 max([len(abs) for abs in items]),
2978 max([len(m.rel(abs)) for abs in items]))
2978 max([len(m.rel(abs)) for abs in items]))
2979 for abs in items:
2979 for abs in items:
2980 line = fmt % (abs, f(m.rel(abs)), m.exact(abs) and 'exact' or '')
2980 line = fmt % (abs, f(m.rel(abs)), m.exact(abs) and 'exact' or '')
2981 ui.write("%s\n" % line.rstrip())
2981 ui.write("%s\n" % line.rstrip())
2982
2982
2983 @command('debugwireargs',
2983 @command('debugwireargs',
2984 [('', 'three', '', 'three'),
2984 [('', 'three', '', 'three'),
2985 ('', 'four', '', 'four'),
2985 ('', 'four', '', 'four'),
2986 ('', 'five', '', 'five'),
2986 ('', 'five', '', 'five'),
2987 ] + remoteopts,
2987 ] + remoteopts,
2988 _('REPO [OPTIONS]... [ONE [TWO]]'),
2988 _('REPO [OPTIONS]... [ONE [TWO]]'),
2989 norepo=True)
2989 norepo=True)
2990 def debugwireargs(ui, repopath, *vals, **opts):
2990 def debugwireargs(ui, repopath, *vals, **opts):
2991 repo = hg.peer(ui, opts, repopath)
2991 repo = hg.peer(ui, opts, repopath)
2992 for opt in remoteopts:
2992 for opt in remoteopts:
2993 del opts[opt[1]]
2993 del opts[opt[1]]
2994 args = {}
2994 args = {}
2995 for k, v in opts.iteritems():
2995 for k, v in opts.iteritems():
2996 if v:
2996 if v:
2997 args[k] = v
2997 args[k] = v
2998 # run twice to check that we don't mess up the stream for the next command
2998 # run twice to check that we don't mess up the stream for the next command
2999 res1 = repo.debugwireargs(*vals, **args)
2999 res1 = repo.debugwireargs(*vals, **args)
3000 res2 = repo.debugwireargs(*vals, **args)
3000 res2 = repo.debugwireargs(*vals, **args)
3001 ui.write("%s\n" % res1)
3001 ui.write("%s\n" % res1)
3002 if res1 != res2:
3002 if res1 != res2:
3003 ui.warn("%s\n" % res2)
3003 ui.warn("%s\n" % res2)
3004
3004
3005 @command('^diff',
3005 @command('^diff',
3006 [('r', 'rev', [], _('revision'), _('REV')),
3006 [('r', 'rev', [], _('revision'), _('REV')),
3007 ('c', 'change', '', _('change made by revision'), _('REV'))
3007 ('c', 'change', '', _('change made by revision'), _('REV'))
3008 ] + diffopts + diffopts2 + walkopts + subrepoopts,
3008 ] + diffopts + diffopts2 + walkopts + subrepoopts,
3009 _('[OPTION]... ([-c REV] | [-r REV1 [-r REV2]]) [FILE]...'),
3009 _('[OPTION]... ([-c REV] | [-r REV1 [-r REV2]]) [FILE]...'),
3010 inferrepo=True)
3010 inferrepo=True)
3011 def diff(ui, repo, *pats, **opts):
3011 def diff(ui, repo, *pats, **opts):
3012 """diff repository (or selected files)
3012 """diff repository (or selected files)
3013
3013
3014 Show differences between revisions for the specified files.
3014 Show differences between revisions for the specified files.
3015
3015
3016 Differences between files are shown using the unified diff format.
3016 Differences between files are shown using the unified diff format.
3017
3017
3018 .. note::
3018 .. note::
3019
3019
3020 diff may generate unexpected results for merges, as it will
3020 diff may generate unexpected results for merges, as it will
3021 default to comparing against the working directory's first
3021 default to comparing against the working directory's first
3022 parent changeset if no revisions are specified.
3022 parent changeset if no revisions are specified.
3023
3023
3024 When two revision arguments are given, then changes are shown
3024 When two revision arguments are given, then changes are shown
3025 between those revisions. If only one revision is specified then
3025 between those revisions. If only one revision is specified then
3026 that revision is compared to the working directory, and, when no
3026 that revision is compared to the working directory, and, when no
3027 revisions are specified, the working directory files are compared
3027 revisions are specified, the working directory files are compared
3028 to its parent.
3028 to its parent.
3029
3029
3030 Alternatively you can specify -c/--change with a revision to see
3030 Alternatively you can specify -c/--change with a revision to see
3031 the changes in that changeset relative to its first parent.
3031 the changes in that changeset relative to its first parent.
3032
3032
3033 Without the -a/--text option, diff will avoid generating diffs of
3033 Without the -a/--text option, diff will avoid generating diffs of
3034 files it detects as binary. With -a, diff will generate a diff
3034 files it detects as binary. With -a, diff will generate a diff
3035 anyway, probably with undesirable results.
3035 anyway, probably with undesirable results.
3036
3036
3037 Use the -g/--git option to generate diffs in the git extended diff
3037 Use the -g/--git option to generate diffs in the git extended diff
3038 format. For more information, read :hg:`help diffs`.
3038 format. For more information, read :hg:`help diffs`.
3039
3039
3040 .. container:: verbose
3040 .. container:: verbose
3041
3041
3042 Examples:
3042 Examples:
3043
3043
3044 - compare a file in the current working directory to its parent::
3044 - compare a file in the current working directory to its parent::
3045
3045
3046 hg diff foo.c
3046 hg diff foo.c
3047
3047
3048 - compare two historical versions of a directory, with rename info::
3048 - compare two historical versions of a directory, with rename info::
3049
3049
3050 hg diff --git -r 1.0:1.2 lib/
3050 hg diff --git -r 1.0:1.2 lib/
3051
3051
3052 - get change stats relative to the last change on some date::
3052 - get change stats relative to the last change on some date::
3053
3053
3054 hg diff --stat -r "date('may 2')"
3054 hg diff --stat -r "date('may 2')"
3055
3055
3056 - diff all newly-added files that contain a keyword::
3056 - diff all newly-added files that contain a keyword::
3057
3057
3058 hg diff "set:added() and grep(GNU)"
3058 hg diff "set:added() and grep(GNU)"
3059
3059
3060 - compare a revision and its parents::
3060 - compare a revision and its parents::
3061
3061
3062 hg diff -c 9353 # compare against first parent
3062 hg diff -c 9353 # compare against first parent
3063 hg diff -r 9353^:9353 # same using revset syntax
3063 hg diff -r 9353^:9353 # same using revset syntax
3064 hg diff -r 9353^2:9353 # compare against the second parent
3064 hg diff -r 9353^2:9353 # compare against the second parent
3065
3065
3066 Returns 0 on success.
3066 Returns 0 on success.
3067 """
3067 """
3068
3068
3069 revs = opts.get('rev')
3069 revs = opts.get('rev')
3070 change = opts.get('change')
3070 change = opts.get('change')
3071 stat = opts.get('stat')
3071 stat = opts.get('stat')
3072 reverse = opts.get('reverse')
3072 reverse = opts.get('reverse')
3073
3073
3074 if revs and change:
3074 if revs and change:
3075 msg = _('cannot specify --rev and --change at the same time')
3075 msg = _('cannot specify --rev and --change at the same time')
3076 raise util.Abort(msg)
3076 raise util.Abort(msg)
3077 elif change:
3077 elif change:
3078 node2 = scmutil.revsingle(repo, change, None).node()
3078 node2 = scmutil.revsingle(repo, change, None).node()
3079 node1 = repo[node2].p1().node()
3079 node1 = repo[node2].p1().node()
3080 else:
3080 else:
3081 node1, node2 = scmutil.revpair(repo, revs)
3081 node1, node2 = scmutil.revpair(repo, revs)
3082
3082
3083 if reverse:
3083 if reverse:
3084 node1, node2 = node2, node1
3084 node1, node2 = node2, node1
3085
3085
3086 diffopts = patch.diffopts(ui, opts)
3086 diffopts = patch.diffopts(ui, opts)
3087 m = scmutil.match(repo[node2], pats, opts)
3087 m = scmutil.match(repo[node2], pats, opts)
3088 cmdutil.diffordiffstat(ui, repo, diffopts, node1, node2, m, stat=stat,
3088 cmdutil.diffordiffstat(ui, repo, diffopts, node1, node2, m, stat=stat,
3089 listsubrepos=opts.get('subrepos'))
3089 listsubrepos=opts.get('subrepos'))
3090
3090
3091 @command('^export',
3091 @command('^export',
3092 [('o', 'output', '',
3092 [('o', 'output', '',
3093 _('print output to file with formatted name'), _('FORMAT')),
3093 _('print output to file with formatted name'), _('FORMAT')),
3094 ('', 'switch-parent', None, _('diff against the second parent')),
3094 ('', 'switch-parent', None, _('diff against the second parent')),
3095 ('r', 'rev', [], _('revisions to export'), _('REV')),
3095 ('r', 'rev', [], _('revisions to export'), _('REV')),
3096 ] + diffopts,
3096 ] + diffopts,
3097 _('[OPTION]... [-o OUTFILESPEC] [-r] [REV]...'))
3097 _('[OPTION]... [-o OUTFILESPEC] [-r] [REV]...'))
3098 def export(ui, repo, *changesets, **opts):
3098 def export(ui, repo, *changesets, **opts):
3099 """dump the header and diffs for one or more changesets
3099 """dump the header and diffs for one or more changesets
3100
3100
3101 Print the changeset header and diffs for one or more revisions.
3101 Print the changeset header and diffs for one or more revisions.
3102 If no revision is given, the parent of the working directory is used.
3102 If no revision is given, the parent of the working directory is used.
3103
3103
3104 The information shown in the changeset header is: author, date,
3104 The information shown in the changeset header is: author, date,
3105 branch name (if non-default), changeset hash, parent(s) and commit
3105 branch name (if non-default), changeset hash, parent(s) and commit
3106 comment.
3106 comment.
3107
3107
3108 .. note::
3108 .. note::
3109
3109
3110 export may generate unexpected diff output for merge
3110 export may generate unexpected diff output for merge
3111 changesets, as it will compare the merge changeset against its
3111 changesets, as it will compare the merge changeset against its
3112 first parent only.
3112 first parent only.
3113
3113
3114 Output may be to a file, in which case the name of the file is
3114 Output may be to a file, in which case the name of the file is
3115 given using a format string. The formatting rules are as follows:
3115 given using a format string. The formatting rules are as follows:
3116
3116
3117 :``%%``: literal "%" character
3117 :``%%``: literal "%" character
3118 :``%H``: changeset hash (40 hexadecimal digits)
3118 :``%H``: changeset hash (40 hexadecimal digits)
3119 :``%N``: number of patches being generated
3119 :``%N``: number of patches being generated
3120 :``%R``: changeset revision number
3120 :``%R``: changeset revision number
3121 :``%b``: basename of the exporting repository
3121 :``%b``: basename of the exporting repository
3122 :``%h``: short-form changeset hash (12 hexadecimal digits)
3122 :``%h``: short-form changeset hash (12 hexadecimal digits)
3123 :``%m``: first line of the commit message (only alphanumeric characters)
3123 :``%m``: first line of the commit message (only alphanumeric characters)
3124 :``%n``: zero-padded sequence number, starting at 1
3124 :``%n``: zero-padded sequence number, starting at 1
3125 :``%r``: zero-padded changeset revision number
3125 :``%r``: zero-padded changeset revision number
3126
3126
3127 Without the -a/--text option, export will avoid generating diffs
3127 Without the -a/--text option, export will avoid generating diffs
3128 of files it detects as binary. With -a, export will generate a
3128 of files it detects as binary. With -a, export will generate a
3129 diff anyway, probably with undesirable results.
3129 diff anyway, probably with undesirable results.
3130
3130
3131 Use the -g/--git option to generate diffs in the git extended diff
3131 Use the -g/--git option to generate diffs in the git extended diff
3132 format. See :hg:`help diffs` for more information.
3132 format. See :hg:`help diffs` for more information.
3133
3133
3134 With the --switch-parent option, the diff will be against the
3134 With the --switch-parent option, the diff will be against the
3135 second parent. It can be useful to review a merge.
3135 second parent. It can be useful to review a merge.
3136
3136
3137 .. container:: verbose
3137 .. container:: verbose
3138
3138
3139 Examples:
3139 Examples:
3140
3140
3141 - use export and import to transplant a bugfix to the current
3141 - use export and import to transplant a bugfix to the current
3142 branch::
3142 branch::
3143
3143
3144 hg export -r 9353 | hg import -
3144 hg export -r 9353 | hg import -
3145
3145
3146 - export all the changesets between two revisions to a file with
3146 - export all the changesets between two revisions to a file with
3147 rename information::
3147 rename information::
3148
3148
3149 hg export --git -r 123:150 > changes.txt
3149 hg export --git -r 123:150 > changes.txt
3150
3150
3151 - split outgoing changes into a series of patches with
3151 - split outgoing changes into a series of patches with
3152 descriptive names::
3152 descriptive names::
3153
3153
3154 hg export -r "outgoing()" -o "%n-%m.patch"
3154 hg export -r "outgoing()" -o "%n-%m.patch"
3155
3155
3156 Returns 0 on success.
3156 Returns 0 on success.
3157 """
3157 """
3158 changesets += tuple(opts.get('rev', []))
3158 changesets += tuple(opts.get('rev', []))
3159 if not changesets:
3159 if not changesets:
3160 changesets = ['.']
3160 changesets = ['.']
3161 revs = scmutil.revrange(repo, changesets)
3161 revs = scmutil.revrange(repo, changesets)
3162 if not revs:
3162 if not revs:
3163 raise util.Abort(_("export requires at least one changeset"))
3163 raise util.Abort(_("export requires at least one changeset"))
3164 if len(revs) > 1:
3164 if len(revs) > 1:
3165 ui.note(_('exporting patches:\n'))
3165 ui.note(_('exporting patches:\n'))
3166 else:
3166 else:
3167 ui.note(_('exporting patch:\n'))
3167 ui.note(_('exporting patch:\n'))
3168 cmdutil.export(repo, revs, template=opts.get('output'),
3168 cmdutil.export(repo, revs, template=opts.get('output'),
3169 switch_parent=opts.get('switch_parent'),
3169 switch_parent=opts.get('switch_parent'),
3170 opts=patch.diffopts(ui, opts))
3170 opts=patch.diffopts(ui, opts))
3171
3171
3172 @command('files',
3172 @command('files',
3173 [('r', 'rev', '', _('search the repository as it is in REV'), _('REV')),
3173 [('r', 'rev', '', _('search the repository as it is in REV'), _('REV')),
3174 ('0', 'print0', None, _('end filenames with NUL, for use with xargs')),
3174 ('0', 'print0', None, _('end filenames with NUL, for use with xargs')),
3175 ] + walkopts + formatteropts,
3175 ] + walkopts + formatteropts,
3176 _('[OPTION]... [PATTERN]...'))
3176 _('[OPTION]... [PATTERN]...'))
3177 def files(ui, repo, *pats, **opts):
3177 def files(ui, repo, *pats, **opts):
3178 """list tracked files
3178 """list tracked files
3179
3179
3180 Print files under Mercurial control in the working directory or
3180 Print files under Mercurial control in the working directory or
3181 specified revision whose names match the given patterns (excluding
3181 specified revision whose names match the given patterns (excluding
3182 removed files).
3182 removed files).
3183
3183
3184 If no patterns are given to match, this command prints the names
3184 If no patterns are given to match, this command prints the names
3185 of all files under Mercurial control in the working copy.
3185 of all files under Mercurial control in the working copy.
3186
3186
3187 .. container:: verbose
3187 .. container:: verbose
3188
3188
3189 Examples:
3189 Examples:
3190
3190
3191 - list all files under the current directory::
3191 - list all files under the current directory::
3192
3192
3193 hg files .
3193 hg files .
3194
3194
3195 - shows sizes and flags for current revision::
3195 - shows sizes and flags for current revision::
3196
3196
3197 hg files -vr .
3197 hg files -vr .
3198
3198
3199 - list all files named README::
3199 - list all files named README::
3200
3200
3201 hg files -I "**/README"
3201 hg files -I "**/README"
3202
3202
3203 - list all binary files::
3203 - list all binary files::
3204
3204
3205 hg files "set:binary()"
3205 hg files "set:binary()"
3206
3206
3207 - find files containing a regular expression:
3207 - find files containing a regular expression:
3208
3208
3209 hg files "set:grep('bob')"
3209 hg files "set:grep('bob')"
3210
3210
3211 - search tracked file contents with xargs and grep::
3211 - search tracked file contents with xargs and grep::
3212
3212
3213 hg files -0 | xargs -0 grep foo
3213 hg files -0 | xargs -0 grep foo
3214
3214
3215 See :hg:'help pattern' and :hg:'help revsets' for more information
3215 See :hg:'help pattern' and :hg:'help revsets' for more information
3216 on specifying file patterns.
3216 on specifying file patterns.
3217
3217
3218 Returns 0 if a match is found, 1 otherwise.
3218 Returns 0 if a match is found, 1 otherwise.
3219
3219
3220 """
3220 """
3221 ctx = scmutil.revsingle(repo, opts.get('rev'), None)
3221 ctx = scmutil.revsingle(repo, opts.get('rev'), None)
3222 rev = ctx.rev()
3222 rev = ctx.rev()
3223 ret = 1
3223 ret = 1
3224
3224
3225 end = '\n'
3225 end = '\n'
3226 if opts.get('print0'):
3226 if opts.get('print0'):
3227 end = '\0'
3227 end = '\0'
3228 fm = ui.formatter('files', opts)
3228 fm = ui.formatter('files', opts)
3229 fmt = '%s' + end
3229 fmt = '%s' + end
3230
3230
3231 m = scmutil.match(ctx, pats, opts)
3231 m = scmutil.match(ctx, pats, opts)
3232 ds = repo.dirstate
3232 ds = repo.dirstate
3233 for f in ctx.matches(m):
3233 for f in ctx.matches(m):
3234 if rev is None and ds[f] == 'r':
3234 if rev is None and ds[f] == 'r':
3235 continue
3235 continue
3236 fm.startitem()
3236 fm.startitem()
3237 if ui.verbose:
3237 if ui.verbose:
3238 fc = ctx[f]
3238 fc = ctx[f]
3239 fm.write('size flags', '% 10d % 1s ', fc.size(), fc.flags())
3239 fm.write('size flags', '% 10d % 1s ', fc.size(), fc.flags())
3240 fm.data(abspath=f)
3240 fm.data(abspath=f)
3241 fm.write('path', fmt, m.rel(f))
3241 fm.write('path', fmt, m.rel(f))
3242 ret = 0
3242 ret = 0
3243
3243
3244 fm.end()
3244 fm.end()
3245
3245
3246 return ret
3246 return ret
3247
3247
3248 @command('^forget', walkopts, _('[OPTION]... FILE...'), inferrepo=True)
3248 @command('^forget', walkopts, _('[OPTION]... FILE...'), inferrepo=True)
3249 def forget(ui, repo, *pats, **opts):
3249 def forget(ui, repo, *pats, **opts):
3250 """forget the specified files on the next commit
3250 """forget the specified files on the next commit
3251
3251
3252 Mark the specified files so they will no longer be tracked
3252 Mark the specified files so they will no longer be tracked
3253 after the next commit.
3253 after the next commit.
3254
3254
3255 This only removes files from the current branch, not from the
3255 This only removes files from the current branch, not from the
3256 entire project history, and it does not delete them from the
3256 entire project history, and it does not delete them from the
3257 working directory.
3257 working directory.
3258
3258
3259 To undo a forget before the next commit, see :hg:`add`.
3259 To undo a forget before the next commit, see :hg:`add`.
3260
3260
3261 .. container:: verbose
3261 .. container:: verbose
3262
3262
3263 Examples:
3263 Examples:
3264
3264
3265 - forget newly-added binary files::
3265 - forget newly-added binary files::
3266
3266
3267 hg forget "set:added() and binary()"
3267 hg forget "set:added() and binary()"
3268
3268
3269 - forget files that would be excluded by .hgignore::
3269 - forget files that would be excluded by .hgignore::
3270
3270
3271 hg forget "set:hgignore()"
3271 hg forget "set:hgignore()"
3272
3272
3273 Returns 0 on success.
3273 Returns 0 on success.
3274 """
3274 """
3275
3275
3276 if not pats:
3276 if not pats:
3277 raise util.Abort(_('no files specified'))
3277 raise util.Abort(_('no files specified'))
3278
3278
3279 m = scmutil.match(repo[None], pats, opts)
3279 m = scmutil.match(repo[None], pats, opts)
3280 rejected = cmdutil.forget(ui, repo, m, prefix="", explicitonly=False)[0]
3280 rejected = cmdutil.forget(ui, repo, m, prefix="", explicitonly=False)[0]
3281 return rejected and 1 or 0
3281 return rejected and 1 or 0
3282
3282
3283 @command(
3283 @command(
3284 'graft',
3284 'graft',
3285 [('r', 'rev', [], _('revisions to graft'), _('REV')),
3285 [('r', 'rev', [], _('revisions to graft'), _('REV')),
3286 ('c', 'continue', False, _('resume interrupted graft')),
3286 ('c', 'continue', False, _('resume interrupted graft')),
3287 ('e', 'edit', False, _('invoke editor on commit messages')),
3287 ('e', 'edit', False, _('invoke editor on commit messages')),
3288 ('', 'log', None, _('append graft info to log message')),
3288 ('', 'log', None, _('append graft info to log message')),
3289 ('f', 'force', False, _('force graft')),
3289 ('f', 'force', False, _('force graft')),
3290 ('D', 'currentdate', False,
3290 ('D', 'currentdate', False,
3291 _('record the current date as commit date')),
3291 _('record the current date as commit date')),
3292 ('U', 'currentuser', False,
3292 ('U', 'currentuser', False,
3293 _('record the current user as committer'), _('DATE'))]
3293 _('record the current user as committer'), _('DATE'))]
3294 + commitopts2 + mergetoolopts + dryrunopts,
3294 + commitopts2 + mergetoolopts + dryrunopts,
3295 _('[OPTION]... [-r] REV...'))
3295 _('[OPTION]... [-r] REV...'))
3296 def graft(ui, repo, *revs, **opts):
3296 def graft(ui, repo, *revs, **opts):
3297 '''copy changes from other branches onto the current branch
3297 '''copy changes from other branches onto the current branch
3298
3298
3299 This command uses Mercurial's merge logic to copy individual
3299 This command uses Mercurial's merge logic to copy individual
3300 changes from other branches without merging branches in the
3300 changes from other branches without merging branches in the
3301 history graph. This is sometimes known as 'backporting' or
3301 history graph. This is sometimes known as 'backporting' or
3302 'cherry-picking'. By default, graft will copy user, date, and
3302 'cherry-picking'. By default, graft will copy user, date, and
3303 description from the source changesets.
3303 description from the source changesets.
3304
3304
3305 Changesets that are ancestors of the current revision, that have
3305 Changesets that are ancestors of the current revision, that have
3306 already been grafted, or that are merges will be skipped.
3306 already been grafted, or that are merges will be skipped.
3307
3307
3308 If --log is specified, log messages will have a comment appended
3308 If --log is specified, log messages will have a comment appended
3309 of the form::
3309 of the form::
3310
3310
3311 (grafted from CHANGESETHASH)
3311 (grafted from CHANGESETHASH)
3312
3312
3313 If --force is specified, revisions will be grafted even if they
3313 If --force is specified, revisions will be grafted even if they
3314 are already ancestors of or have been grafted to the destination.
3314 are already ancestors of or have been grafted to the destination.
3315 This is useful when the revisions have since been backed out.
3315 This is useful when the revisions have since been backed out.
3316
3316
3317 If a graft merge results in conflicts, the graft process is
3317 If a graft merge results in conflicts, the graft process is
3318 interrupted so that the current merge can be manually resolved.
3318 interrupted so that the current merge can be manually resolved.
3319 Once all conflicts are addressed, the graft process can be
3319 Once all conflicts are addressed, the graft process can be
3320 continued with the -c/--continue option.
3320 continued with the -c/--continue option.
3321
3321
3322 .. note::
3322 .. note::
3323
3323
3324 The -c/--continue option does not reapply earlier options, except
3324 The -c/--continue option does not reapply earlier options, except
3325 for --force.
3325 for --force.
3326
3326
3327 .. container:: verbose
3327 .. container:: verbose
3328
3328
3329 Examples:
3329 Examples:
3330
3330
3331 - copy a single change to the stable branch and edit its description::
3331 - copy a single change to the stable branch and edit its description::
3332
3332
3333 hg update stable
3333 hg update stable
3334 hg graft --edit 9393
3334 hg graft --edit 9393
3335
3335
3336 - graft a range of changesets with one exception, updating dates::
3336 - graft a range of changesets with one exception, updating dates::
3337
3337
3338 hg graft -D "2085::2093 and not 2091"
3338 hg graft -D "2085::2093 and not 2091"
3339
3339
3340 - continue a graft after resolving conflicts::
3340 - continue a graft after resolving conflicts::
3341
3341
3342 hg graft -c
3342 hg graft -c
3343
3343
3344 - show the source of a grafted changeset::
3344 - show the source of a grafted changeset::
3345
3345
3346 hg log --debug -r .
3346 hg log --debug -r .
3347
3347
3348 See :hg:`help revisions` and :hg:`help revsets` for more about
3348 See :hg:`help revisions` and :hg:`help revsets` for more about
3349 specifying revisions.
3349 specifying revisions.
3350
3350
3351 Returns 0 on successful completion.
3351 Returns 0 on successful completion.
3352 '''
3352 '''
3353
3353
3354 revs = list(revs)
3354 revs = list(revs)
3355 revs.extend(opts['rev'])
3355 revs.extend(opts['rev'])
3356
3356
3357 if not opts.get('user') and opts.get('currentuser'):
3357 if not opts.get('user') and opts.get('currentuser'):
3358 opts['user'] = ui.username()
3358 opts['user'] = ui.username()
3359 if not opts.get('date') and opts.get('currentdate'):
3359 if not opts.get('date') and opts.get('currentdate'):
3360 opts['date'] = "%d %d" % util.makedate()
3360 opts['date'] = "%d %d" % util.makedate()
3361
3361
3362 editor = cmdutil.getcommiteditor(editform='graft', **opts)
3362 editor = cmdutil.getcommiteditor(editform='graft', **opts)
3363
3363
3364 cont = False
3364 cont = False
3365 if opts['continue']:
3365 if opts['continue']:
3366 cont = True
3366 cont = True
3367 if revs:
3367 if revs:
3368 raise util.Abort(_("can't specify --continue and revisions"))
3368 raise util.Abort(_("can't specify --continue and revisions"))
3369 # read in unfinished revisions
3369 # read in unfinished revisions
3370 try:
3370 try:
3371 nodes = repo.opener.read('graftstate').splitlines()
3371 nodes = repo.opener.read('graftstate').splitlines()
3372 revs = [repo[node].rev() for node in nodes]
3372 revs = [repo[node].rev() for node in nodes]
3373 except IOError, inst:
3373 except IOError, inst:
3374 if inst.errno != errno.ENOENT:
3374 if inst.errno != errno.ENOENT:
3375 raise
3375 raise
3376 raise util.Abort(_("no graft state found, can't continue"))
3376 raise util.Abort(_("no graft state found, can't continue"))
3377 else:
3377 else:
3378 cmdutil.checkunfinished(repo)
3378 cmdutil.checkunfinished(repo)
3379 cmdutil.bailifchanged(repo)
3379 cmdutil.bailifchanged(repo)
3380 if not revs:
3380 if not revs:
3381 raise util.Abort(_('no revisions specified'))
3381 raise util.Abort(_('no revisions specified'))
3382 revs = scmutil.revrange(repo, revs)
3382 revs = scmutil.revrange(repo, revs)
3383
3383
3384 skipped = set()
3384 # check for merges
3385 # check for merges
3385 for rev in repo.revs('%ld and merge()', revs):
3386 for rev in repo.revs('%ld and merge()', revs):
3386 ui.warn(_('skipping ungraftable merge revision %s\n') % rev)
3387 ui.warn(_('skipping ungraftable merge revision %s\n') % rev)
3387 revs.remove(rev)
3388 skipped.add(rev)
3389 revs = [r for r in revs if r not in skipped]
3388 if not revs:
3390 if not revs:
3389 return -1
3391 return -1
3390
3392
3391 # Don't check in the --continue case, in effect retaining --force across
3393 # Don't check in the --continue case, in effect retaining --force across
3392 # --continues. That's because without --force, any revisions we decided to
3394 # --continues. That's because without --force, any revisions we decided to
3393 # skip would have been filtered out here, so they wouldn't have made their
3395 # skip would have been filtered out here, so they wouldn't have made their
3394 # way to the graftstate. With --force, any revisions we would have otherwise
3396 # way to the graftstate. With --force, any revisions we would have otherwise
3395 # skipped would not have been filtered out, and if they hadn't been applied
3397 # skipped would not have been filtered out, and if they hadn't been applied
3396 # already, they'd have been in the graftstate.
3398 # already, they'd have been in the graftstate.
3397 if not (cont or opts.get('force')):
3399 if not (cont or opts.get('force')):
3398 # check for ancestors of dest branch
3400 # check for ancestors of dest branch
3399 crev = repo['.'].rev()
3401 crev = repo['.'].rev()
3400 ancestors = repo.changelog.ancestors([crev], inclusive=True)
3402 ancestors = repo.changelog.ancestors([crev], inclusive=True)
3401 # Cannot use x.remove(y) on smart set, this has to be a list.
3403 # Cannot use x.remove(y) on smart set, this has to be a list.
3402 # XXX make this lazy in the future
3404 # XXX make this lazy in the future
3403 revs = list(revs)
3405 revs = list(revs)
3404 # don't mutate while iterating, create a copy
3406 # don't mutate while iterating, create a copy
3405 for rev in list(revs):
3407 for rev in list(revs):
3406 if rev in ancestors:
3408 if rev in ancestors:
3407 ui.warn(_('skipping ancestor revision %s\n') % rev)
3409 ui.warn(_('skipping ancestor revision %s\n') % rev)
3408 # XXX remove on list is slow
3410 # XXX remove on list is slow
3409 revs.remove(rev)
3411 revs.remove(rev)
3410 if not revs:
3412 if not revs:
3411 return -1
3413 return -1
3412
3414
3413 # analyze revs for earlier grafts
3415 # analyze revs for earlier grafts
3414 ids = {}
3416 ids = {}
3415 for ctx in repo.set("%ld", revs):
3417 for ctx in repo.set("%ld", revs):
3416 ids[ctx.hex()] = ctx.rev()
3418 ids[ctx.hex()] = ctx.rev()
3417 n = ctx.extra().get('source')
3419 n = ctx.extra().get('source')
3418 if n:
3420 if n:
3419 ids[n] = ctx.rev()
3421 ids[n] = ctx.rev()
3420
3422
3421 # check ancestors for earlier grafts
3423 # check ancestors for earlier grafts
3422 ui.debug('scanning for duplicate grafts\n')
3424 ui.debug('scanning for duplicate grafts\n')
3423
3425
3424 for rev in repo.changelog.findmissingrevs(revs, [crev]):
3426 for rev in repo.changelog.findmissingrevs(revs, [crev]):
3425 ctx = repo[rev]
3427 ctx = repo[rev]
3426 n = ctx.extra().get('source')
3428 n = ctx.extra().get('source')
3427 if n in ids:
3429 if n in ids:
3428 try:
3430 try:
3429 r = repo[n].rev()
3431 r = repo[n].rev()
3430 except error.RepoLookupError:
3432 except error.RepoLookupError:
3431 r = None
3433 r = None
3432 if r in revs:
3434 if r in revs:
3433 ui.warn(_('skipping revision %s (already grafted to %s)\n')
3435 ui.warn(_('skipping revision %s (already grafted to %s)\n')
3434 % (r, rev))
3436 % (r, rev))
3435 revs.remove(r)
3437 revs.remove(r)
3436 elif ids[n] in revs:
3438 elif ids[n] in revs:
3437 if r is None:
3439 if r is None:
3438 ui.warn(_('skipping already grafted revision %s '
3440 ui.warn(_('skipping already grafted revision %s '
3439 '(%s also has unknown origin %s)\n')
3441 '(%s also has unknown origin %s)\n')
3440 % (ids[n], rev, n))
3442 % (ids[n], rev, n))
3441 else:
3443 else:
3442 ui.warn(_('skipping already grafted revision %s '
3444 ui.warn(_('skipping already grafted revision %s '
3443 '(%s also has origin %d)\n')
3445 '(%s also has origin %d)\n')
3444 % (ids[n], rev, r))
3446 % (ids[n], rev, r))
3445 revs.remove(ids[n])
3447 revs.remove(ids[n])
3446 elif ctx.hex() in ids:
3448 elif ctx.hex() in ids:
3447 r = ids[ctx.hex()]
3449 r = ids[ctx.hex()]
3448 ui.warn(_('skipping already grafted revision %s '
3450 ui.warn(_('skipping already grafted revision %s '
3449 '(was grafted from %d)\n') % (r, rev))
3451 '(was grafted from %d)\n') % (r, rev))
3450 revs.remove(r)
3452 revs.remove(r)
3451 if not revs:
3453 if not revs:
3452 return -1
3454 return -1
3453
3455
3454 wlock = repo.wlock()
3456 wlock = repo.wlock()
3455 try:
3457 try:
3456 current = repo['.']
3458 current = repo['.']
3457 for pos, ctx in enumerate(repo.set("%ld", revs)):
3459 for pos, ctx in enumerate(repo.set("%ld", revs)):
3458
3460
3459 ui.status(_('grafting revision %s\n') % ctx.rev())
3461 ui.status(_('grafting revision %s\n') % ctx.rev())
3460 if opts.get('dry_run'):
3462 if opts.get('dry_run'):
3461 continue
3463 continue
3462
3464
3463 source = ctx.extra().get('source')
3465 source = ctx.extra().get('source')
3464 if not source:
3466 if not source:
3465 source = ctx.hex()
3467 source = ctx.hex()
3466 extra = {'source': source}
3468 extra = {'source': source}
3467 user = ctx.user()
3469 user = ctx.user()
3468 if opts.get('user'):
3470 if opts.get('user'):
3469 user = opts['user']
3471 user = opts['user']
3470 date = ctx.date()
3472 date = ctx.date()
3471 if opts.get('date'):
3473 if opts.get('date'):
3472 date = opts['date']
3474 date = opts['date']
3473 message = ctx.description()
3475 message = ctx.description()
3474 if opts.get('log'):
3476 if opts.get('log'):
3475 message += '\n(grafted from %s)' % ctx.hex()
3477 message += '\n(grafted from %s)' % ctx.hex()
3476
3478
3477 # we don't merge the first commit when continuing
3479 # we don't merge the first commit when continuing
3478 if not cont:
3480 if not cont:
3479 # perform the graft merge with p1(rev) as 'ancestor'
3481 # perform the graft merge with p1(rev) as 'ancestor'
3480 try:
3482 try:
3481 # ui.forcemerge is an internal variable, do not document
3483 # ui.forcemerge is an internal variable, do not document
3482 repo.ui.setconfig('ui', 'forcemerge', opts.get('tool', ''),
3484 repo.ui.setconfig('ui', 'forcemerge', opts.get('tool', ''),
3483 'graft')
3485 'graft')
3484 stats = mergemod.update(repo, ctx.node(), True, True, False,
3486 stats = mergemod.update(repo, ctx.node(), True, True, False,
3485 ctx.p1().node(),
3487 ctx.p1().node(),
3486 labels=['local', 'graft'])
3488 labels=['local', 'graft'])
3487 finally:
3489 finally:
3488 repo.ui.setconfig('ui', 'forcemerge', '', 'graft')
3490 repo.ui.setconfig('ui', 'forcemerge', '', 'graft')
3489 # report any conflicts
3491 # report any conflicts
3490 if stats and stats[3] > 0:
3492 if stats and stats[3] > 0:
3491 # write out state for --continue
3493 # write out state for --continue
3492 nodelines = [repo[rev].hex() + "\n" for rev in revs[pos:]]
3494 nodelines = [repo[rev].hex() + "\n" for rev in revs[pos:]]
3493 repo.opener.write('graftstate', ''.join(nodelines))
3495 repo.opener.write('graftstate', ''.join(nodelines))
3494 raise util.Abort(
3496 raise util.Abort(
3495 _("unresolved conflicts, can't continue"),
3497 _("unresolved conflicts, can't continue"),
3496 hint=_('use hg resolve and hg graft --continue'))
3498 hint=_('use hg resolve and hg graft --continue'))
3497 else:
3499 else:
3498 cont = False
3500 cont = False
3499
3501
3500 # drop the second merge parent
3502 # drop the second merge parent
3501 repo.dirstate.beginparentchange()
3503 repo.dirstate.beginparentchange()
3502 repo.setparents(current.node(), nullid)
3504 repo.setparents(current.node(), nullid)
3503 repo.dirstate.write()
3505 repo.dirstate.write()
3504 # fix up dirstate for copies and renames
3506 # fix up dirstate for copies and renames
3505 cmdutil.duplicatecopies(repo, ctx.rev(), ctx.p1().rev())
3507 cmdutil.duplicatecopies(repo, ctx.rev(), ctx.p1().rev())
3506 repo.dirstate.endparentchange()
3508 repo.dirstate.endparentchange()
3507
3509
3508 # commit
3510 # commit
3509 node = repo.commit(text=message, user=user,
3511 node = repo.commit(text=message, user=user,
3510 date=date, extra=extra, editor=editor)
3512 date=date, extra=extra, editor=editor)
3511 if node is None:
3513 if node is None:
3512 ui.status(_('graft for revision %s is empty\n') % ctx.rev())
3514 ui.status(_('graft for revision %s is empty\n') % ctx.rev())
3513 else:
3515 else:
3514 current = repo[node]
3516 current = repo[node]
3515 finally:
3517 finally:
3516 wlock.release()
3518 wlock.release()
3517
3519
3518 # remove state when we complete successfully
3520 # remove state when we complete successfully
3519 if not opts.get('dry_run'):
3521 if not opts.get('dry_run'):
3520 util.unlinkpath(repo.join('graftstate'), ignoremissing=True)
3522 util.unlinkpath(repo.join('graftstate'), ignoremissing=True)
3521
3523
3522 return 0
3524 return 0
3523
3525
3524 @command('grep',
3526 @command('grep',
3525 [('0', 'print0', None, _('end fields with NUL')),
3527 [('0', 'print0', None, _('end fields with NUL')),
3526 ('', 'all', None, _('print all revisions that match')),
3528 ('', 'all', None, _('print all revisions that match')),
3527 ('a', 'text', None, _('treat all files as text')),
3529 ('a', 'text', None, _('treat all files as text')),
3528 ('f', 'follow', None,
3530 ('f', 'follow', None,
3529 _('follow changeset history,'
3531 _('follow changeset history,'
3530 ' or file history across copies and renames')),
3532 ' or file history across copies and renames')),
3531 ('i', 'ignore-case', None, _('ignore case when matching')),
3533 ('i', 'ignore-case', None, _('ignore case when matching')),
3532 ('l', 'files-with-matches', None,
3534 ('l', 'files-with-matches', None,
3533 _('print only filenames and revisions that match')),
3535 _('print only filenames and revisions that match')),
3534 ('n', 'line-number', None, _('print matching line numbers')),
3536 ('n', 'line-number', None, _('print matching line numbers')),
3535 ('r', 'rev', [],
3537 ('r', 'rev', [],
3536 _('only search files changed within revision range'), _('REV')),
3538 _('only search files changed within revision range'), _('REV')),
3537 ('u', 'user', None, _('list the author (long with -v)')),
3539 ('u', 'user', None, _('list the author (long with -v)')),
3538 ('d', 'date', None, _('list the date (short with -q)')),
3540 ('d', 'date', None, _('list the date (short with -q)')),
3539 ] + walkopts,
3541 ] + walkopts,
3540 _('[OPTION]... PATTERN [FILE]...'),
3542 _('[OPTION]... PATTERN [FILE]...'),
3541 inferrepo=True)
3543 inferrepo=True)
3542 def grep(ui, repo, pattern, *pats, **opts):
3544 def grep(ui, repo, pattern, *pats, **opts):
3543 """search for a pattern in specified files and revisions
3545 """search for a pattern in specified files and revisions
3544
3546
3545 Search revisions of files for a regular expression.
3547 Search revisions of files for a regular expression.
3546
3548
3547 This command behaves differently than Unix grep. It only accepts
3549 This command behaves differently than Unix grep. It only accepts
3548 Python/Perl regexps. It searches repository history, not the
3550 Python/Perl regexps. It searches repository history, not the
3549 working directory. It always prints the revision number in which a
3551 working directory. It always prints the revision number in which a
3550 match appears.
3552 match appears.
3551
3553
3552 By default, grep only prints output for the first revision of a
3554 By default, grep only prints output for the first revision of a
3553 file in which it finds a match. To get it to print every revision
3555 file in which it finds a match. To get it to print every revision
3554 that contains a change in match status ("-" for a match that
3556 that contains a change in match status ("-" for a match that
3555 becomes a non-match, or "+" for a non-match that becomes a match),
3557 becomes a non-match, or "+" for a non-match that becomes a match),
3556 use the --all flag.
3558 use the --all flag.
3557
3559
3558 Returns 0 if a match is found, 1 otherwise.
3560 Returns 0 if a match is found, 1 otherwise.
3559 """
3561 """
3560 reflags = re.M
3562 reflags = re.M
3561 if opts.get('ignore_case'):
3563 if opts.get('ignore_case'):
3562 reflags |= re.I
3564 reflags |= re.I
3563 try:
3565 try:
3564 regexp = util.re.compile(pattern, reflags)
3566 regexp = util.re.compile(pattern, reflags)
3565 except re.error, inst:
3567 except re.error, inst:
3566 ui.warn(_("grep: invalid match pattern: %s\n") % inst)
3568 ui.warn(_("grep: invalid match pattern: %s\n") % inst)
3567 return 1
3569 return 1
3568 sep, eol = ':', '\n'
3570 sep, eol = ':', '\n'
3569 if opts.get('print0'):
3571 if opts.get('print0'):
3570 sep = eol = '\0'
3572 sep = eol = '\0'
3571
3573
3572 getfile = util.lrucachefunc(repo.file)
3574 getfile = util.lrucachefunc(repo.file)
3573
3575
3574 def matchlines(body):
3576 def matchlines(body):
3575 begin = 0
3577 begin = 0
3576 linenum = 0
3578 linenum = 0
3577 while begin < len(body):
3579 while begin < len(body):
3578 match = regexp.search(body, begin)
3580 match = regexp.search(body, begin)
3579 if not match:
3581 if not match:
3580 break
3582 break
3581 mstart, mend = match.span()
3583 mstart, mend = match.span()
3582 linenum += body.count('\n', begin, mstart) + 1
3584 linenum += body.count('\n', begin, mstart) + 1
3583 lstart = body.rfind('\n', begin, mstart) + 1 or begin
3585 lstart = body.rfind('\n', begin, mstart) + 1 or begin
3584 begin = body.find('\n', mend) + 1 or len(body) + 1
3586 begin = body.find('\n', mend) + 1 or len(body) + 1
3585 lend = begin - 1
3587 lend = begin - 1
3586 yield linenum, mstart - lstart, mend - lstart, body[lstart:lend]
3588 yield linenum, mstart - lstart, mend - lstart, body[lstart:lend]
3587
3589
3588 class linestate(object):
3590 class linestate(object):
3589 def __init__(self, line, linenum, colstart, colend):
3591 def __init__(self, line, linenum, colstart, colend):
3590 self.line = line
3592 self.line = line
3591 self.linenum = linenum
3593 self.linenum = linenum
3592 self.colstart = colstart
3594 self.colstart = colstart
3593 self.colend = colend
3595 self.colend = colend
3594
3596
3595 def __hash__(self):
3597 def __hash__(self):
3596 return hash((self.linenum, self.line))
3598 return hash((self.linenum, self.line))
3597
3599
3598 def __eq__(self, other):
3600 def __eq__(self, other):
3599 return self.line == other.line
3601 return self.line == other.line
3600
3602
3601 def __iter__(self):
3603 def __iter__(self):
3602 yield (self.line[:self.colstart], '')
3604 yield (self.line[:self.colstart], '')
3603 yield (self.line[self.colstart:self.colend], 'grep.match')
3605 yield (self.line[self.colstart:self.colend], 'grep.match')
3604 rest = self.line[self.colend:]
3606 rest = self.line[self.colend:]
3605 while rest != '':
3607 while rest != '':
3606 match = regexp.search(rest)
3608 match = regexp.search(rest)
3607 if not match:
3609 if not match:
3608 yield (rest, '')
3610 yield (rest, '')
3609 break
3611 break
3610 mstart, mend = match.span()
3612 mstart, mend = match.span()
3611 yield (rest[:mstart], '')
3613 yield (rest[:mstart], '')
3612 yield (rest[mstart:mend], 'grep.match')
3614 yield (rest[mstart:mend], 'grep.match')
3613 rest = rest[mend:]
3615 rest = rest[mend:]
3614
3616
3615 matches = {}
3617 matches = {}
3616 copies = {}
3618 copies = {}
3617 def grepbody(fn, rev, body):
3619 def grepbody(fn, rev, body):
3618 matches[rev].setdefault(fn, [])
3620 matches[rev].setdefault(fn, [])
3619 m = matches[rev][fn]
3621 m = matches[rev][fn]
3620 for lnum, cstart, cend, line in matchlines(body):
3622 for lnum, cstart, cend, line in matchlines(body):
3621 s = linestate(line, lnum, cstart, cend)
3623 s = linestate(line, lnum, cstart, cend)
3622 m.append(s)
3624 m.append(s)
3623
3625
3624 def difflinestates(a, b):
3626 def difflinestates(a, b):
3625 sm = difflib.SequenceMatcher(None, a, b)
3627 sm = difflib.SequenceMatcher(None, a, b)
3626 for tag, alo, ahi, blo, bhi in sm.get_opcodes():
3628 for tag, alo, ahi, blo, bhi in sm.get_opcodes():
3627 if tag == 'insert':
3629 if tag == 'insert':
3628 for i in xrange(blo, bhi):
3630 for i in xrange(blo, bhi):
3629 yield ('+', b[i])
3631 yield ('+', b[i])
3630 elif tag == 'delete':
3632 elif tag == 'delete':
3631 for i in xrange(alo, ahi):
3633 for i in xrange(alo, ahi):
3632 yield ('-', a[i])
3634 yield ('-', a[i])
3633 elif tag == 'replace':
3635 elif tag == 'replace':
3634 for i in xrange(alo, ahi):
3636 for i in xrange(alo, ahi):
3635 yield ('-', a[i])
3637 yield ('-', a[i])
3636 for i in xrange(blo, bhi):
3638 for i in xrange(blo, bhi):
3637 yield ('+', b[i])
3639 yield ('+', b[i])
3638
3640
3639 def display(fn, ctx, pstates, states):
3641 def display(fn, ctx, pstates, states):
3640 rev = ctx.rev()
3642 rev = ctx.rev()
3641 datefunc = ui.quiet and util.shortdate or util.datestr
3643 datefunc = ui.quiet and util.shortdate or util.datestr
3642 found = False
3644 found = False
3643 @util.cachefunc
3645 @util.cachefunc
3644 def binary():
3646 def binary():
3645 flog = getfile(fn)
3647 flog = getfile(fn)
3646 return util.binary(flog.read(ctx.filenode(fn)))
3648 return util.binary(flog.read(ctx.filenode(fn)))
3647
3649
3648 if opts.get('all'):
3650 if opts.get('all'):
3649 iter = difflinestates(pstates, states)
3651 iter = difflinestates(pstates, states)
3650 else:
3652 else:
3651 iter = [('', l) for l in states]
3653 iter = [('', l) for l in states]
3652 for change, l in iter:
3654 for change, l in iter:
3653 cols = [(fn, 'grep.filename'), (str(rev), 'grep.rev')]
3655 cols = [(fn, 'grep.filename'), (str(rev), 'grep.rev')]
3654
3656
3655 if opts.get('line_number'):
3657 if opts.get('line_number'):
3656 cols.append((str(l.linenum), 'grep.linenumber'))
3658 cols.append((str(l.linenum), 'grep.linenumber'))
3657 if opts.get('all'):
3659 if opts.get('all'):
3658 cols.append((change, 'grep.change'))
3660 cols.append((change, 'grep.change'))
3659 if opts.get('user'):
3661 if opts.get('user'):
3660 cols.append((ui.shortuser(ctx.user()), 'grep.user'))
3662 cols.append((ui.shortuser(ctx.user()), 'grep.user'))
3661 if opts.get('date'):
3663 if opts.get('date'):
3662 cols.append((datefunc(ctx.date()), 'grep.date'))
3664 cols.append((datefunc(ctx.date()), 'grep.date'))
3663 for col, label in cols[:-1]:
3665 for col, label in cols[:-1]:
3664 ui.write(col, label=label)
3666 ui.write(col, label=label)
3665 ui.write(sep, label='grep.sep')
3667 ui.write(sep, label='grep.sep')
3666 ui.write(cols[-1][0], label=cols[-1][1])
3668 ui.write(cols[-1][0], label=cols[-1][1])
3667 if not opts.get('files_with_matches'):
3669 if not opts.get('files_with_matches'):
3668 ui.write(sep, label='grep.sep')
3670 ui.write(sep, label='grep.sep')
3669 if not opts.get('text') and binary():
3671 if not opts.get('text') and binary():
3670 ui.write(" Binary file matches")
3672 ui.write(" Binary file matches")
3671 else:
3673 else:
3672 for s, label in l:
3674 for s, label in l:
3673 ui.write(s, label=label)
3675 ui.write(s, label=label)
3674 ui.write(eol)
3676 ui.write(eol)
3675 found = True
3677 found = True
3676 if opts.get('files_with_matches'):
3678 if opts.get('files_with_matches'):
3677 break
3679 break
3678 return found
3680 return found
3679
3681
3680 skip = {}
3682 skip = {}
3681 revfiles = {}
3683 revfiles = {}
3682 matchfn = scmutil.match(repo[None], pats, opts)
3684 matchfn = scmutil.match(repo[None], pats, opts)
3683 found = False
3685 found = False
3684 follow = opts.get('follow')
3686 follow = opts.get('follow')
3685
3687
3686 def prep(ctx, fns):
3688 def prep(ctx, fns):
3687 rev = ctx.rev()
3689 rev = ctx.rev()
3688 pctx = ctx.p1()
3690 pctx = ctx.p1()
3689 parent = pctx.rev()
3691 parent = pctx.rev()
3690 matches.setdefault(rev, {})
3692 matches.setdefault(rev, {})
3691 matches.setdefault(parent, {})
3693 matches.setdefault(parent, {})
3692 files = revfiles.setdefault(rev, [])
3694 files = revfiles.setdefault(rev, [])
3693 for fn in fns:
3695 for fn in fns:
3694 flog = getfile(fn)
3696 flog = getfile(fn)
3695 try:
3697 try:
3696 fnode = ctx.filenode(fn)
3698 fnode = ctx.filenode(fn)
3697 except error.LookupError:
3699 except error.LookupError:
3698 continue
3700 continue
3699
3701
3700 copied = flog.renamed(fnode)
3702 copied = flog.renamed(fnode)
3701 copy = follow and copied and copied[0]
3703 copy = follow and copied and copied[0]
3702 if copy:
3704 if copy:
3703 copies.setdefault(rev, {})[fn] = copy
3705 copies.setdefault(rev, {})[fn] = copy
3704 if fn in skip:
3706 if fn in skip:
3705 if copy:
3707 if copy:
3706 skip[copy] = True
3708 skip[copy] = True
3707 continue
3709 continue
3708 files.append(fn)
3710 files.append(fn)
3709
3711
3710 if fn not in matches[rev]:
3712 if fn not in matches[rev]:
3711 grepbody(fn, rev, flog.read(fnode))
3713 grepbody(fn, rev, flog.read(fnode))
3712
3714
3713 pfn = copy or fn
3715 pfn = copy or fn
3714 if pfn not in matches[parent]:
3716 if pfn not in matches[parent]:
3715 try:
3717 try:
3716 fnode = pctx.filenode(pfn)
3718 fnode = pctx.filenode(pfn)
3717 grepbody(pfn, parent, flog.read(fnode))
3719 grepbody(pfn, parent, flog.read(fnode))
3718 except error.LookupError:
3720 except error.LookupError:
3719 pass
3721 pass
3720
3722
3721 for ctx in cmdutil.walkchangerevs(repo, matchfn, opts, prep):
3723 for ctx in cmdutil.walkchangerevs(repo, matchfn, opts, prep):
3722 rev = ctx.rev()
3724 rev = ctx.rev()
3723 parent = ctx.p1().rev()
3725 parent = ctx.p1().rev()
3724 for fn in sorted(revfiles.get(rev, [])):
3726 for fn in sorted(revfiles.get(rev, [])):
3725 states = matches[rev][fn]
3727 states = matches[rev][fn]
3726 copy = copies.get(rev, {}).get(fn)
3728 copy = copies.get(rev, {}).get(fn)
3727 if fn in skip:
3729 if fn in skip:
3728 if copy:
3730 if copy:
3729 skip[copy] = True
3731 skip[copy] = True
3730 continue
3732 continue
3731 pstates = matches.get(parent, {}).get(copy or fn, [])
3733 pstates = matches.get(parent, {}).get(copy or fn, [])
3732 if pstates or states:
3734 if pstates or states:
3733 r = display(fn, ctx, pstates, states)
3735 r = display(fn, ctx, pstates, states)
3734 found = found or r
3736 found = found or r
3735 if r and not opts.get('all'):
3737 if r and not opts.get('all'):
3736 skip[fn] = True
3738 skip[fn] = True
3737 if copy:
3739 if copy:
3738 skip[copy] = True
3740 skip[copy] = True
3739 del matches[rev]
3741 del matches[rev]
3740 del revfiles[rev]
3742 del revfiles[rev]
3741
3743
3742 return not found
3744 return not found
3743
3745
3744 @command('heads',
3746 @command('heads',
3745 [('r', 'rev', '',
3747 [('r', 'rev', '',
3746 _('show only heads which are descendants of STARTREV'), _('STARTREV')),
3748 _('show only heads which are descendants of STARTREV'), _('STARTREV')),
3747 ('t', 'topo', False, _('show topological heads only')),
3749 ('t', 'topo', False, _('show topological heads only')),
3748 ('a', 'active', False, _('show active branchheads only (DEPRECATED)')),
3750 ('a', 'active', False, _('show active branchheads only (DEPRECATED)')),
3749 ('c', 'closed', False, _('show normal and closed branch heads')),
3751 ('c', 'closed', False, _('show normal and closed branch heads')),
3750 ] + templateopts,
3752 ] + templateopts,
3751 _('[-ct] [-r STARTREV] [REV]...'))
3753 _('[-ct] [-r STARTREV] [REV]...'))
3752 def heads(ui, repo, *branchrevs, **opts):
3754 def heads(ui, repo, *branchrevs, **opts):
3753 """show branch heads
3755 """show branch heads
3754
3756
3755 With no arguments, show all open branch heads in the repository.
3757 With no arguments, show all open branch heads in the repository.
3756 Branch heads are changesets that have no descendants on the
3758 Branch heads are changesets that have no descendants on the
3757 same branch. They are where development generally takes place and
3759 same branch. They are where development generally takes place and
3758 are the usual targets for update and merge operations.
3760 are the usual targets for update and merge operations.
3759
3761
3760 If one or more REVs are given, only open branch heads on the
3762 If one or more REVs are given, only open branch heads on the
3761 branches associated with the specified changesets are shown. This
3763 branches associated with the specified changesets are shown. This
3762 means that you can use :hg:`heads .` to see the heads on the
3764 means that you can use :hg:`heads .` to see the heads on the
3763 currently checked-out branch.
3765 currently checked-out branch.
3764
3766
3765 If -c/--closed is specified, also show branch heads marked closed
3767 If -c/--closed is specified, also show branch heads marked closed
3766 (see :hg:`commit --close-branch`).
3768 (see :hg:`commit --close-branch`).
3767
3769
3768 If STARTREV is specified, only those heads that are descendants of
3770 If STARTREV is specified, only those heads that are descendants of
3769 STARTREV will be displayed.
3771 STARTREV will be displayed.
3770
3772
3771 If -t/--topo is specified, named branch mechanics will be ignored and only
3773 If -t/--topo is specified, named branch mechanics will be ignored and only
3772 topological heads (changesets with no children) will be shown.
3774 topological heads (changesets with no children) will be shown.
3773
3775
3774 Returns 0 if matching heads are found, 1 if not.
3776 Returns 0 if matching heads are found, 1 if not.
3775 """
3777 """
3776
3778
3777 start = None
3779 start = None
3778 if 'rev' in opts:
3780 if 'rev' in opts:
3779 start = scmutil.revsingle(repo, opts['rev'], None).node()
3781 start = scmutil.revsingle(repo, opts['rev'], None).node()
3780
3782
3781 if opts.get('topo'):
3783 if opts.get('topo'):
3782 heads = [repo[h] for h in repo.heads(start)]
3784 heads = [repo[h] for h in repo.heads(start)]
3783 else:
3785 else:
3784 heads = []
3786 heads = []
3785 for branch in repo.branchmap():
3787 for branch in repo.branchmap():
3786 heads += repo.branchheads(branch, start, opts.get('closed'))
3788 heads += repo.branchheads(branch, start, opts.get('closed'))
3787 heads = [repo[h] for h in heads]
3789 heads = [repo[h] for h in heads]
3788
3790
3789 if branchrevs:
3791 if branchrevs:
3790 branches = set(repo[br].branch() for br in branchrevs)
3792 branches = set(repo[br].branch() for br in branchrevs)
3791 heads = [h for h in heads if h.branch() in branches]
3793 heads = [h for h in heads if h.branch() in branches]
3792
3794
3793 if opts.get('active') and branchrevs:
3795 if opts.get('active') and branchrevs:
3794 dagheads = repo.heads(start)
3796 dagheads = repo.heads(start)
3795 heads = [h for h in heads if h.node() in dagheads]
3797 heads = [h for h in heads if h.node() in dagheads]
3796
3798
3797 if branchrevs:
3799 if branchrevs:
3798 haveheads = set(h.branch() for h in heads)
3800 haveheads = set(h.branch() for h in heads)
3799 if branches - haveheads:
3801 if branches - haveheads:
3800 headless = ', '.join(b for b in branches - haveheads)
3802 headless = ', '.join(b for b in branches - haveheads)
3801 msg = _('no open branch heads found on branches %s')
3803 msg = _('no open branch heads found on branches %s')
3802 if opts.get('rev'):
3804 if opts.get('rev'):
3803 msg += _(' (started at %s)') % opts['rev']
3805 msg += _(' (started at %s)') % opts['rev']
3804 ui.warn((msg + '\n') % headless)
3806 ui.warn((msg + '\n') % headless)
3805
3807
3806 if not heads:
3808 if not heads:
3807 return 1
3809 return 1
3808
3810
3809 heads = sorted(heads, key=lambda x: -x.rev())
3811 heads = sorted(heads, key=lambda x: -x.rev())
3810 displayer = cmdutil.show_changeset(ui, repo, opts)
3812 displayer = cmdutil.show_changeset(ui, repo, opts)
3811 for ctx in heads:
3813 for ctx in heads:
3812 displayer.show(ctx)
3814 displayer.show(ctx)
3813 displayer.close()
3815 displayer.close()
3814
3816
3815 @command('help',
3817 @command('help',
3816 [('e', 'extension', None, _('show only help for extensions')),
3818 [('e', 'extension', None, _('show only help for extensions')),
3817 ('c', 'command', None, _('show only help for commands')),
3819 ('c', 'command', None, _('show only help for commands')),
3818 ('k', 'keyword', '', _('show topics matching keyword')),
3820 ('k', 'keyword', '', _('show topics matching keyword')),
3819 ],
3821 ],
3820 _('[-ec] [TOPIC]'),
3822 _('[-ec] [TOPIC]'),
3821 norepo=True)
3823 norepo=True)
3822 def help_(ui, name=None, **opts):
3824 def help_(ui, name=None, **opts):
3823 """show help for a given topic or a help overview
3825 """show help for a given topic or a help overview
3824
3826
3825 With no arguments, print a list of commands with short help messages.
3827 With no arguments, print a list of commands with short help messages.
3826
3828
3827 Given a topic, extension, or command name, print help for that
3829 Given a topic, extension, or command name, print help for that
3828 topic.
3830 topic.
3829
3831
3830 Returns 0 if successful.
3832 Returns 0 if successful.
3831 """
3833 """
3832
3834
3833 textwidth = min(ui.termwidth(), 80) - 2
3835 textwidth = min(ui.termwidth(), 80) - 2
3834
3836
3835 keep = []
3837 keep = []
3836 if ui.verbose:
3838 if ui.verbose:
3837 keep.append('verbose')
3839 keep.append('verbose')
3838 if sys.platform.startswith('win'):
3840 if sys.platform.startswith('win'):
3839 keep.append('windows')
3841 keep.append('windows')
3840 elif sys.platform == 'OpenVMS':
3842 elif sys.platform == 'OpenVMS':
3841 keep.append('vms')
3843 keep.append('vms')
3842 elif sys.platform == 'plan9':
3844 elif sys.platform == 'plan9':
3843 keep.append('plan9')
3845 keep.append('plan9')
3844 else:
3846 else:
3845 keep.append('unix')
3847 keep.append('unix')
3846 keep.append(sys.platform.lower())
3848 keep.append(sys.platform.lower())
3847
3849
3848 section = None
3850 section = None
3849 if name and '.' in name:
3851 if name and '.' in name:
3850 name, section = name.split('.')
3852 name, section = name.split('.')
3851
3853
3852 text = help.help_(ui, name, **opts)
3854 text = help.help_(ui, name, **opts)
3853
3855
3854 formatted, pruned = minirst.format(text, textwidth, keep=keep,
3856 formatted, pruned = minirst.format(text, textwidth, keep=keep,
3855 section=section)
3857 section=section)
3856 if section and not formatted:
3858 if section and not formatted:
3857 raise util.Abort(_("help section not found"))
3859 raise util.Abort(_("help section not found"))
3858
3860
3859 if 'verbose' in pruned:
3861 if 'verbose' in pruned:
3860 keep.append('omitted')
3862 keep.append('omitted')
3861 else:
3863 else:
3862 keep.append('notomitted')
3864 keep.append('notomitted')
3863 formatted, pruned = minirst.format(text, textwidth, keep=keep,
3865 formatted, pruned = minirst.format(text, textwidth, keep=keep,
3864 section=section)
3866 section=section)
3865 ui.write(formatted)
3867 ui.write(formatted)
3866
3868
3867
3869
3868 @command('identify|id',
3870 @command('identify|id',
3869 [('r', 'rev', '',
3871 [('r', 'rev', '',
3870 _('identify the specified revision'), _('REV')),
3872 _('identify the specified revision'), _('REV')),
3871 ('n', 'num', None, _('show local revision number')),
3873 ('n', 'num', None, _('show local revision number')),
3872 ('i', 'id', None, _('show global revision id')),
3874 ('i', 'id', None, _('show global revision id')),
3873 ('b', 'branch', None, _('show branch')),
3875 ('b', 'branch', None, _('show branch')),
3874 ('t', 'tags', None, _('show tags')),
3876 ('t', 'tags', None, _('show tags')),
3875 ('B', 'bookmarks', None, _('show bookmarks')),
3877 ('B', 'bookmarks', None, _('show bookmarks')),
3876 ] + remoteopts,
3878 ] + remoteopts,
3877 _('[-nibtB] [-r REV] [SOURCE]'),
3879 _('[-nibtB] [-r REV] [SOURCE]'),
3878 optionalrepo=True)
3880 optionalrepo=True)
3879 def identify(ui, repo, source=None, rev=None,
3881 def identify(ui, repo, source=None, rev=None,
3880 num=None, id=None, branch=None, tags=None, bookmarks=None, **opts):
3882 num=None, id=None, branch=None, tags=None, bookmarks=None, **opts):
3881 """identify the working copy or specified revision
3883 """identify the working copy or specified revision
3882
3884
3883 Print a summary identifying the repository state at REV using one or
3885 Print a summary identifying the repository state at REV using one or
3884 two parent hash identifiers, followed by a "+" if the working
3886 two parent hash identifiers, followed by a "+" if the working
3885 directory has uncommitted changes, the branch name (if not default),
3887 directory has uncommitted changes, the branch name (if not default),
3886 a list of tags, and a list of bookmarks.
3888 a list of tags, and a list of bookmarks.
3887
3889
3888 When REV is not given, print a summary of the current state of the
3890 When REV is not given, print a summary of the current state of the
3889 repository.
3891 repository.
3890
3892
3891 Specifying a path to a repository root or Mercurial bundle will
3893 Specifying a path to a repository root or Mercurial bundle will
3892 cause lookup to operate on that repository/bundle.
3894 cause lookup to operate on that repository/bundle.
3893
3895
3894 .. container:: verbose
3896 .. container:: verbose
3895
3897
3896 Examples:
3898 Examples:
3897
3899
3898 - generate a build identifier for the working directory::
3900 - generate a build identifier for the working directory::
3899
3901
3900 hg id --id > build-id.dat
3902 hg id --id > build-id.dat
3901
3903
3902 - find the revision corresponding to a tag::
3904 - find the revision corresponding to a tag::
3903
3905
3904 hg id -n -r 1.3
3906 hg id -n -r 1.3
3905
3907
3906 - check the most recent revision of a remote repository::
3908 - check the most recent revision of a remote repository::
3907
3909
3908 hg id -r tip http://selenic.com/hg/
3910 hg id -r tip http://selenic.com/hg/
3909
3911
3910 Returns 0 if successful.
3912 Returns 0 if successful.
3911 """
3913 """
3912
3914
3913 if not repo and not source:
3915 if not repo and not source:
3914 raise util.Abort(_("there is no Mercurial repository here "
3916 raise util.Abort(_("there is no Mercurial repository here "
3915 "(.hg not found)"))
3917 "(.hg not found)"))
3916
3918
3917 hexfunc = ui.debugflag and hex or short
3919 hexfunc = ui.debugflag and hex or short
3918 default = not (num or id or branch or tags or bookmarks)
3920 default = not (num or id or branch or tags or bookmarks)
3919 output = []
3921 output = []
3920 revs = []
3922 revs = []
3921
3923
3922 if source:
3924 if source:
3923 source, branches = hg.parseurl(ui.expandpath(source))
3925 source, branches = hg.parseurl(ui.expandpath(source))
3924 peer = hg.peer(repo or ui, opts, source) # only pass ui when no repo
3926 peer = hg.peer(repo or ui, opts, source) # only pass ui when no repo
3925 repo = peer.local()
3927 repo = peer.local()
3926 revs, checkout = hg.addbranchrevs(repo, peer, branches, None)
3928 revs, checkout = hg.addbranchrevs(repo, peer, branches, None)
3927
3929
3928 if not repo:
3930 if not repo:
3929 if num or branch or tags:
3931 if num or branch or tags:
3930 raise util.Abort(
3932 raise util.Abort(
3931 _("can't query remote revision number, branch, or tags"))
3933 _("can't query remote revision number, branch, or tags"))
3932 if not rev and revs:
3934 if not rev and revs:
3933 rev = revs[0]
3935 rev = revs[0]
3934 if not rev:
3936 if not rev:
3935 rev = "tip"
3937 rev = "tip"
3936
3938
3937 remoterev = peer.lookup(rev)
3939 remoterev = peer.lookup(rev)
3938 if default or id:
3940 if default or id:
3939 output = [hexfunc(remoterev)]
3941 output = [hexfunc(remoterev)]
3940
3942
3941 def getbms():
3943 def getbms():
3942 bms = []
3944 bms = []
3943
3945
3944 if 'bookmarks' in peer.listkeys('namespaces'):
3946 if 'bookmarks' in peer.listkeys('namespaces'):
3945 hexremoterev = hex(remoterev)
3947 hexremoterev = hex(remoterev)
3946 bms = [bm for bm, bmr in peer.listkeys('bookmarks').iteritems()
3948 bms = [bm for bm, bmr in peer.listkeys('bookmarks').iteritems()
3947 if bmr == hexremoterev]
3949 if bmr == hexremoterev]
3948
3950
3949 return sorted(bms)
3951 return sorted(bms)
3950
3952
3951 if bookmarks:
3953 if bookmarks:
3952 output.extend(getbms())
3954 output.extend(getbms())
3953 elif default and not ui.quiet:
3955 elif default and not ui.quiet:
3954 # multiple bookmarks for a single parent separated by '/'
3956 # multiple bookmarks for a single parent separated by '/'
3955 bm = '/'.join(getbms())
3957 bm = '/'.join(getbms())
3956 if bm:
3958 if bm:
3957 output.append(bm)
3959 output.append(bm)
3958 else:
3960 else:
3959 if not rev:
3961 if not rev:
3960 ctx = repo[None]
3962 ctx = repo[None]
3961 parents = ctx.parents()
3963 parents = ctx.parents()
3962 changed = ""
3964 changed = ""
3963 if default or id or num:
3965 if default or id or num:
3964 if (util.any(repo.status())
3966 if (util.any(repo.status())
3965 or util.any(ctx.sub(s).dirty() for s in ctx.substate)):
3967 or util.any(ctx.sub(s).dirty() for s in ctx.substate)):
3966 changed = '+'
3968 changed = '+'
3967 if default or id:
3969 if default or id:
3968 output = ["%s%s" %
3970 output = ["%s%s" %
3969 ('+'.join([hexfunc(p.node()) for p in parents]), changed)]
3971 ('+'.join([hexfunc(p.node()) for p in parents]), changed)]
3970 if num:
3972 if num:
3971 output.append("%s%s" %
3973 output.append("%s%s" %
3972 ('+'.join([str(p.rev()) for p in parents]), changed))
3974 ('+'.join([str(p.rev()) for p in parents]), changed))
3973 else:
3975 else:
3974 ctx = scmutil.revsingle(repo, rev)
3976 ctx = scmutil.revsingle(repo, rev)
3975 if default or id:
3977 if default or id:
3976 output = [hexfunc(ctx.node())]
3978 output = [hexfunc(ctx.node())]
3977 if num:
3979 if num:
3978 output.append(str(ctx.rev()))
3980 output.append(str(ctx.rev()))
3979
3981
3980 if default and not ui.quiet:
3982 if default and not ui.quiet:
3981 b = ctx.branch()
3983 b = ctx.branch()
3982 if b != 'default':
3984 if b != 'default':
3983 output.append("(%s)" % b)
3985 output.append("(%s)" % b)
3984
3986
3985 # multiple tags for a single parent separated by '/'
3987 # multiple tags for a single parent separated by '/'
3986 t = '/'.join(ctx.tags())
3988 t = '/'.join(ctx.tags())
3987 if t:
3989 if t:
3988 output.append(t)
3990 output.append(t)
3989
3991
3990 # multiple bookmarks for a single parent separated by '/'
3992 # multiple bookmarks for a single parent separated by '/'
3991 bm = '/'.join(ctx.bookmarks())
3993 bm = '/'.join(ctx.bookmarks())
3992 if bm:
3994 if bm:
3993 output.append(bm)
3995 output.append(bm)
3994 else:
3996 else:
3995 if branch:
3997 if branch:
3996 output.append(ctx.branch())
3998 output.append(ctx.branch())
3997
3999
3998 if tags:
4000 if tags:
3999 output.extend(ctx.tags())
4001 output.extend(ctx.tags())
4000
4002
4001 if bookmarks:
4003 if bookmarks:
4002 output.extend(ctx.bookmarks())
4004 output.extend(ctx.bookmarks())
4003
4005
4004 ui.write("%s\n" % ' '.join(output))
4006 ui.write("%s\n" % ' '.join(output))
4005
4007
4006 @command('import|patch',
4008 @command('import|patch',
4007 [('p', 'strip', 1,
4009 [('p', 'strip', 1,
4008 _('directory strip option for patch. This has the same '
4010 _('directory strip option for patch. This has the same '
4009 'meaning as the corresponding patch option'), _('NUM')),
4011 'meaning as the corresponding patch option'), _('NUM')),
4010 ('b', 'base', '', _('base path (DEPRECATED)'), _('PATH')),
4012 ('b', 'base', '', _('base path (DEPRECATED)'), _('PATH')),
4011 ('e', 'edit', False, _('invoke editor on commit messages')),
4013 ('e', 'edit', False, _('invoke editor on commit messages')),
4012 ('f', 'force', None,
4014 ('f', 'force', None,
4013 _('skip check for outstanding uncommitted changes (DEPRECATED)')),
4015 _('skip check for outstanding uncommitted changes (DEPRECATED)')),
4014 ('', 'no-commit', None,
4016 ('', 'no-commit', None,
4015 _("don't commit, just update the working directory")),
4017 _("don't commit, just update the working directory")),
4016 ('', 'bypass', None,
4018 ('', 'bypass', None,
4017 _("apply patch without touching the working directory")),
4019 _("apply patch without touching the working directory")),
4018 ('', 'partial', None,
4020 ('', 'partial', None,
4019 _('commit even if some hunks fail')),
4021 _('commit even if some hunks fail')),
4020 ('', 'exact', None,
4022 ('', 'exact', None,
4021 _('apply patch to the nodes from which it was generated')),
4023 _('apply patch to the nodes from which it was generated')),
4022 ('', 'import-branch', None,
4024 ('', 'import-branch', None,
4023 _('use any branch information in patch (implied by --exact)'))] +
4025 _('use any branch information in patch (implied by --exact)'))] +
4024 commitopts + commitopts2 + similarityopts,
4026 commitopts + commitopts2 + similarityopts,
4025 _('[OPTION]... PATCH...'))
4027 _('[OPTION]... PATCH...'))
4026 def import_(ui, repo, patch1=None, *patches, **opts):
4028 def import_(ui, repo, patch1=None, *patches, **opts):
4027 """import an ordered set of patches
4029 """import an ordered set of patches
4028
4030
4029 Import a list of patches and commit them individually (unless
4031 Import a list of patches and commit them individually (unless
4030 --no-commit is specified).
4032 --no-commit is specified).
4031
4033
4032 Because import first applies changes to the working directory,
4034 Because import first applies changes to the working directory,
4033 import will abort if there are outstanding changes.
4035 import will abort if there are outstanding changes.
4034
4036
4035 You can import a patch straight from a mail message. Even patches
4037 You can import a patch straight from a mail message. Even patches
4036 as attachments work (to use the body part, it must have type
4038 as attachments work (to use the body part, it must have type
4037 text/plain or text/x-patch). From and Subject headers of email
4039 text/plain or text/x-patch). From and Subject headers of email
4038 message are used as default committer and commit message. All
4040 message are used as default committer and commit message. All
4039 text/plain body parts before first diff are added to commit
4041 text/plain body parts before first diff are added to commit
4040 message.
4042 message.
4041
4043
4042 If the imported patch was generated by :hg:`export`, user and
4044 If the imported patch was generated by :hg:`export`, user and
4043 description from patch override values from message headers and
4045 description from patch override values from message headers and
4044 body. Values given on command line with -m/--message and -u/--user
4046 body. Values given on command line with -m/--message and -u/--user
4045 override these.
4047 override these.
4046
4048
4047 If --exact is specified, import will set the working directory to
4049 If --exact is specified, import will set the working directory to
4048 the parent of each patch before applying it, and will abort if the
4050 the parent of each patch before applying it, and will abort if the
4049 resulting changeset has a different ID than the one recorded in
4051 resulting changeset has a different ID than the one recorded in
4050 the patch. This may happen due to character set problems or other
4052 the patch. This may happen due to character set problems or other
4051 deficiencies in the text patch format.
4053 deficiencies in the text patch format.
4052
4054
4053 Use --bypass to apply and commit patches directly to the
4055 Use --bypass to apply and commit patches directly to the
4054 repository, not touching the working directory. Without --exact,
4056 repository, not touching the working directory. Without --exact,
4055 patches will be applied on top of the working directory parent
4057 patches will be applied on top of the working directory parent
4056 revision.
4058 revision.
4057
4059
4058 With -s/--similarity, hg will attempt to discover renames and
4060 With -s/--similarity, hg will attempt to discover renames and
4059 copies in the patch in the same way as :hg:`addremove`.
4061 copies in the patch in the same way as :hg:`addremove`.
4060
4062
4061 Use --partial to ensure a changeset will be created from the patch
4063 Use --partial to ensure a changeset will be created from the patch
4062 even if some hunks fail to apply. Hunks that fail to apply will be
4064 even if some hunks fail to apply. Hunks that fail to apply will be
4063 written to a <target-file>.rej file. Conflicts can then be resolved
4065 written to a <target-file>.rej file. Conflicts can then be resolved
4064 by hand before :hg:`commit --amend` is run to update the created
4066 by hand before :hg:`commit --amend` is run to update the created
4065 changeset. This flag exists to let people import patches that
4067 changeset. This flag exists to let people import patches that
4066 partially apply without losing the associated metadata (author,
4068 partially apply without losing the associated metadata (author,
4067 date, description, ...). Note that when none of the hunk applies
4069 date, description, ...). Note that when none of the hunk applies
4068 cleanly, :hg:`import --partial` will create an empty changeset,
4070 cleanly, :hg:`import --partial` will create an empty changeset,
4069 importing only the patch metadata.
4071 importing only the patch metadata.
4070
4072
4071 To read a patch from standard input, use "-" as the patch name. If
4073 To read a patch from standard input, use "-" as the patch name. If
4072 a URL is specified, the patch will be downloaded from it.
4074 a URL is specified, the patch will be downloaded from it.
4073 See :hg:`help dates` for a list of formats valid for -d/--date.
4075 See :hg:`help dates` for a list of formats valid for -d/--date.
4074
4076
4075 .. container:: verbose
4077 .. container:: verbose
4076
4078
4077 Examples:
4079 Examples:
4078
4080
4079 - import a traditional patch from a website and detect renames::
4081 - import a traditional patch from a website and detect renames::
4080
4082
4081 hg import -s 80 http://example.com/bugfix.patch
4083 hg import -s 80 http://example.com/bugfix.patch
4082
4084
4083 - import a changeset from an hgweb server::
4085 - import a changeset from an hgweb server::
4084
4086
4085 hg import http://www.selenic.com/hg/rev/5ca8c111e9aa
4087 hg import http://www.selenic.com/hg/rev/5ca8c111e9aa
4086
4088
4087 - import all the patches in an Unix-style mbox::
4089 - import all the patches in an Unix-style mbox::
4088
4090
4089 hg import incoming-patches.mbox
4091 hg import incoming-patches.mbox
4090
4092
4091 - attempt to exactly restore an exported changeset (not always
4093 - attempt to exactly restore an exported changeset (not always
4092 possible)::
4094 possible)::
4093
4095
4094 hg import --exact proposed-fix.patch
4096 hg import --exact proposed-fix.patch
4095
4097
4096 Returns 0 on success, 1 on partial success (see --partial).
4098 Returns 0 on success, 1 on partial success (see --partial).
4097 """
4099 """
4098
4100
4099 if not patch1:
4101 if not patch1:
4100 raise util.Abort(_('need at least one patch to import'))
4102 raise util.Abort(_('need at least one patch to import'))
4101
4103
4102 patches = (patch1,) + patches
4104 patches = (patch1,) + patches
4103
4105
4104 date = opts.get('date')
4106 date = opts.get('date')
4105 if date:
4107 if date:
4106 opts['date'] = util.parsedate(date)
4108 opts['date'] = util.parsedate(date)
4107
4109
4108 update = not opts.get('bypass')
4110 update = not opts.get('bypass')
4109 if not update and opts.get('no_commit'):
4111 if not update and opts.get('no_commit'):
4110 raise util.Abort(_('cannot use --no-commit with --bypass'))
4112 raise util.Abort(_('cannot use --no-commit with --bypass'))
4111 try:
4113 try:
4112 sim = float(opts.get('similarity') or 0)
4114 sim = float(opts.get('similarity') or 0)
4113 except ValueError:
4115 except ValueError:
4114 raise util.Abort(_('similarity must be a number'))
4116 raise util.Abort(_('similarity must be a number'))
4115 if sim < 0 or sim > 100:
4117 if sim < 0 or sim > 100:
4116 raise util.Abort(_('similarity must be between 0 and 100'))
4118 raise util.Abort(_('similarity must be between 0 and 100'))
4117 if sim and not update:
4119 if sim and not update:
4118 raise util.Abort(_('cannot use --similarity with --bypass'))
4120 raise util.Abort(_('cannot use --similarity with --bypass'))
4119 if opts.get('exact') and opts.get('edit'):
4121 if opts.get('exact') and opts.get('edit'):
4120 raise util.Abort(_('cannot use --exact with --edit'))
4122 raise util.Abort(_('cannot use --exact with --edit'))
4121
4123
4122 if update:
4124 if update:
4123 cmdutil.checkunfinished(repo)
4125 cmdutil.checkunfinished(repo)
4124 if (opts.get('exact') or not opts.get('force')) and update:
4126 if (opts.get('exact') or not opts.get('force')) and update:
4125 cmdutil.bailifchanged(repo)
4127 cmdutil.bailifchanged(repo)
4126
4128
4127 base = opts["base"]
4129 base = opts["base"]
4128 wlock = lock = tr = None
4130 wlock = lock = tr = None
4129 msgs = []
4131 msgs = []
4130 ret = 0
4132 ret = 0
4131
4133
4132
4134
4133 try:
4135 try:
4134 try:
4136 try:
4135 wlock = repo.wlock()
4137 wlock = repo.wlock()
4136 repo.dirstate.beginparentchange()
4138 repo.dirstate.beginparentchange()
4137 if not opts.get('no_commit'):
4139 if not opts.get('no_commit'):
4138 lock = repo.lock()
4140 lock = repo.lock()
4139 tr = repo.transaction('import')
4141 tr = repo.transaction('import')
4140 parents = repo.parents()
4142 parents = repo.parents()
4141 for patchurl in patches:
4143 for patchurl in patches:
4142 if patchurl == '-':
4144 if patchurl == '-':
4143 ui.status(_('applying patch from stdin\n'))
4145 ui.status(_('applying patch from stdin\n'))
4144 patchfile = ui.fin
4146 patchfile = ui.fin
4145 patchurl = 'stdin' # for error message
4147 patchurl = 'stdin' # for error message
4146 else:
4148 else:
4147 patchurl = os.path.join(base, patchurl)
4149 patchurl = os.path.join(base, patchurl)
4148 ui.status(_('applying %s\n') % patchurl)
4150 ui.status(_('applying %s\n') % patchurl)
4149 patchfile = hg.openpath(ui, patchurl)
4151 patchfile = hg.openpath(ui, patchurl)
4150
4152
4151 haspatch = False
4153 haspatch = False
4152 for hunk in patch.split(patchfile):
4154 for hunk in patch.split(patchfile):
4153 (msg, node, rej) = cmdutil.tryimportone(ui, repo, hunk,
4155 (msg, node, rej) = cmdutil.tryimportone(ui, repo, hunk,
4154 parents, opts,
4156 parents, opts,
4155 msgs, hg.clean)
4157 msgs, hg.clean)
4156 if msg:
4158 if msg:
4157 haspatch = True
4159 haspatch = True
4158 ui.note(msg + '\n')
4160 ui.note(msg + '\n')
4159 if update or opts.get('exact'):
4161 if update or opts.get('exact'):
4160 parents = repo.parents()
4162 parents = repo.parents()
4161 else:
4163 else:
4162 parents = [repo[node]]
4164 parents = [repo[node]]
4163 if rej:
4165 if rej:
4164 ui.write_err(_("patch applied partially\n"))
4166 ui.write_err(_("patch applied partially\n"))
4165 ui.write_err(_("(fix the .rej files and run "
4167 ui.write_err(_("(fix the .rej files and run "
4166 "`hg commit --amend`)\n"))
4168 "`hg commit --amend`)\n"))
4167 ret = 1
4169 ret = 1
4168 break
4170 break
4169
4171
4170 if not haspatch:
4172 if not haspatch:
4171 raise util.Abort(_('%s: no diffs found') % patchurl)
4173 raise util.Abort(_('%s: no diffs found') % patchurl)
4172
4174
4173 if tr:
4175 if tr:
4174 tr.close()
4176 tr.close()
4175 if msgs:
4177 if msgs:
4176 repo.savecommitmessage('\n* * *\n'.join(msgs))
4178 repo.savecommitmessage('\n* * *\n'.join(msgs))
4177 repo.dirstate.endparentchange()
4179 repo.dirstate.endparentchange()
4178 return ret
4180 return ret
4179 except: # re-raises
4181 except: # re-raises
4180 # wlock.release() indirectly calls dirstate.write(): since
4182 # wlock.release() indirectly calls dirstate.write(): since
4181 # we're crashing, we do not want to change the working dir
4183 # we're crashing, we do not want to change the working dir
4182 # parent after all, so make sure it writes nothing
4184 # parent after all, so make sure it writes nothing
4183 repo.dirstate.invalidate()
4185 repo.dirstate.invalidate()
4184 raise
4186 raise
4185 finally:
4187 finally:
4186 if tr:
4188 if tr:
4187 tr.release()
4189 tr.release()
4188 release(lock, wlock)
4190 release(lock, wlock)
4189
4191
4190 @command('incoming|in',
4192 @command('incoming|in',
4191 [('f', 'force', None,
4193 [('f', 'force', None,
4192 _('run even if remote repository is unrelated')),
4194 _('run even if remote repository is unrelated')),
4193 ('n', 'newest-first', None, _('show newest record first')),
4195 ('n', 'newest-first', None, _('show newest record first')),
4194 ('', 'bundle', '',
4196 ('', 'bundle', '',
4195 _('file to store the bundles into'), _('FILE')),
4197 _('file to store the bundles into'), _('FILE')),
4196 ('r', 'rev', [], _('a remote changeset intended to be added'), _('REV')),
4198 ('r', 'rev', [], _('a remote changeset intended to be added'), _('REV')),
4197 ('B', 'bookmarks', False, _("compare bookmarks")),
4199 ('B', 'bookmarks', False, _("compare bookmarks")),
4198 ('b', 'branch', [],
4200 ('b', 'branch', [],
4199 _('a specific branch you would like to pull'), _('BRANCH')),
4201 _('a specific branch you would like to pull'), _('BRANCH')),
4200 ] + logopts + remoteopts + subrepoopts,
4202 ] + logopts + remoteopts + subrepoopts,
4201 _('[-p] [-n] [-M] [-f] [-r REV]... [--bundle FILENAME] [SOURCE]'))
4203 _('[-p] [-n] [-M] [-f] [-r REV]... [--bundle FILENAME] [SOURCE]'))
4202 def incoming(ui, repo, source="default", **opts):
4204 def incoming(ui, repo, source="default", **opts):
4203 """show new changesets found in source
4205 """show new changesets found in source
4204
4206
4205 Show new changesets found in the specified path/URL or the default
4207 Show new changesets found in the specified path/URL or the default
4206 pull location. These are the changesets that would have been pulled
4208 pull location. These are the changesets that would have been pulled
4207 if a pull at the time you issued this command.
4209 if a pull at the time you issued this command.
4208
4210
4209 For remote repository, using --bundle avoids downloading the
4211 For remote repository, using --bundle avoids downloading the
4210 changesets twice if the incoming is followed by a pull.
4212 changesets twice if the incoming is followed by a pull.
4211
4213
4212 See pull for valid source format details.
4214 See pull for valid source format details.
4213
4215
4214 .. container:: verbose
4216 .. container:: verbose
4215
4217
4216 Examples:
4218 Examples:
4217
4219
4218 - show incoming changes with patches and full description::
4220 - show incoming changes with patches and full description::
4219
4221
4220 hg incoming -vp
4222 hg incoming -vp
4221
4223
4222 - show incoming changes excluding merges, store a bundle::
4224 - show incoming changes excluding merges, store a bundle::
4223
4225
4224 hg in -vpM --bundle incoming.hg
4226 hg in -vpM --bundle incoming.hg
4225 hg pull incoming.hg
4227 hg pull incoming.hg
4226
4228
4227 - briefly list changes inside a bundle::
4229 - briefly list changes inside a bundle::
4228
4230
4229 hg in changes.hg -T "{desc|firstline}\\n"
4231 hg in changes.hg -T "{desc|firstline}\\n"
4230
4232
4231 Returns 0 if there are incoming changes, 1 otherwise.
4233 Returns 0 if there are incoming changes, 1 otherwise.
4232 """
4234 """
4233 if opts.get('graph'):
4235 if opts.get('graph'):
4234 cmdutil.checkunsupportedgraphflags([], opts)
4236 cmdutil.checkunsupportedgraphflags([], opts)
4235 def display(other, chlist, displayer):
4237 def display(other, chlist, displayer):
4236 revdag = cmdutil.graphrevs(other, chlist, opts)
4238 revdag = cmdutil.graphrevs(other, chlist, opts)
4237 showparents = [ctx.node() for ctx in repo[None].parents()]
4239 showparents = [ctx.node() for ctx in repo[None].parents()]
4238 cmdutil.displaygraph(ui, revdag, displayer, showparents,
4240 cmdutil.displaygraph(ui, revdag, displayer, showparents,
4239 graphmod.asciiedges)
4241 graphmod.asciiedges)
4240
4242
4241 hg._incoming(display, lambda: 1, ui, repo, source, opts, buffered=True)
4243 hg._incoming(display, lambda: 1, ui, repo, source, opts, buffered=True)
4242 return 0
4244 return 0
4243
4245
4244 if opts.get('bundle') and opts.get('subrepos'):
4246 if opts.get('bundle') and opts.get('subrepos'):
4245 raise util.Abort(_('cannot combine --bundle and --subrepos'))
4247 raise util.Abort(_('cannot combine --bundle and --subrepos'))
4246
4248
4247 if opts.get('bookmarks'):
4249 if opts.get('bookmarks'):
4248 source, branches = hg.parseurl(ui.expandpath(source),
4250 source, branches = hg.parseurl(ui.expandpath(source),
4249 opts.get('branch'))
4251 opts.get('branch'))
4250 other = hg.peer(repo, opts, source)
4252 other = hg.peer(repo, opts, source)
4251 if 'bookmarks' not in other.listkeys('namespaces'):
4253 if 'bookmarks' not in other.listkeys('namespaces'):
4252 ui.warn(_("remote doesn't support bookmarks\n"))
4254 ui.warn(_("remote doesn't support bookmarks\n"))
4253 return 0
4255 return 0
4254 ui.status(_('comparing with %s\n') % util.hidepassword(source))
4256 ui.status(_('comparing with %s\n') % util.hidepassword(source))
4255 return bookmarks.diff(ui, repo, other)
4257 return bookmarks.diff(ui, repo, other)
4256
4258
4257 repo._subtoppath = ui.expandpath(source)
4259 repo._subtoppath = ui.expandpath(source)
4258 try:
4260 try:
4259 return hg.incoming(ui, repo, source, opts)
4261 return hg.incoming(ui, repo, source, opts)
4260 finally:
4262 finally:
4261 del repo._subtoppath
4263 del repo._subtoppath
4262
4264
4263
4265
4264 @command('^init', remoteopts, _('[-e CMD] [--remotecmd CMD] [DEST]'),
4266 @command('^init', remoteopts, _('[-e CMD] [--remotecmd CMD] [DEST]'),
4265 norepo=True)
4267 norepo=True)
4266 def init(ui, dest=".", **opts):
4268 def init(ui, dest=".", **opts):
4267 """create a new repository in the given directory
4269 """create a new repository in the given directory
4268
4270
4269 Initialize a new repository in the given directory. If the given
4271 Initialize a new repository in the given directory. If the given
4270 directory does not exist, it will be created.
4272 directory does not exist, it will be created.
4271
4273
4272 If no directory is given, the current directory is used.
4274 If no directory is given, the current directory is used.
4273
4275
4274 It is possible to specify an ``ssh://`` URL as the destination.
4276 It is possible to specify an ``ssh://`` URL as the destination.
4275 See :hg:`help urls` for more information.
4277 See :hg:`help urls` for more information.
4276
4278
4277 Returns 0 on success.
4279 Returns 0 on success.
4278 """
4280 """
4279 hg.peer(ui, opts, ui.expandpath(dest), create=True)
4281 hg.peer(ui, opts, ui.expandpath(dest), create=True)
4280
4282
4281 @command('locate',
4283 @command('locate',
4282 [('r', 'rev', '', _('search the repository as it is in REV'), _('REV')),
4284 [('r', 'rev', '', _('search the repository as it is in REV'), _('REV')),
4283 ('0', 'print0', None, _('end filenames with NUL, for use with xargs')),
4285 ('0', 'print0', None, _('end filenames with NUL, for use with xargs')),
4284 ('f', 'fullpath', None, _('print complete paths from the filesystem root')),
4286 ('f', 'fullpath', None, _('print complete paths from the filesystem root')),
4285 ] + walkopts,
4287 ] + walkopts,
4286 _('[OPTION]... [PATTERN]...'))
4288 _('[OPTION]... [PATTERN]...'))
4287 def locate(ui, repo, *pats, **opts):
4289 def locate(ui, repo, *pats, **opts):
4288 """locate files matching specific patterns (DEPRECATED)
4290 """locate files matching specific patterns (DEPRECATED)
4289
4291
4290 Print files under Mercurial control in the working directory whose
4292 Print files under Mercurial control in the working directory whose
4291 names match the given patterns.
4293 names match the given patterns.
4292
4294
4293 By default, this command searches all directories in the working
4295 By default, this command searches all directories in the working
4294 directory. To search just the current directory and its
4296 directory. To search just the current directory and its
4295 subdirectories, use "--include .".
4297 subdirectories, use "--include .".
4296
4298
4297 If no patterns are given to match, this command prints the names
4299 If no patterns are given to match, this command prints the names
4298 of all files under Mercurial control in the working directory.
4300 of all files under Mercurial control in the working directory.
4299
4301
4300 If you want to feed the output of this command into the "xargs"
4302 If you want to feed the output of this command into the "xargs"
4301 command, use the -0 option to both this command and "xargs". This
4303 command, use the -0 option to both this command and "xargs". This
4302 will avoid the problem of "xargs" treating single filenames that
4304 will avoid the problem of "xargs" treating single filenames that
4303 contain whitespace as multiple filenames.
4305 contain whitespace as multiple filenames.
4304
4306
4305 See :hg:`help files` for a more versatile command.
4307 See :hg:`help files` for a more versatile command.
4306
4308
4307 Returns 0 if a match is found, 1 otherwise.
4309 Returns 0 if a match is found, 1 otherwise.
4308 """
4310 """
4309 end = opts.get('print0') and '\0' or '\n'
4311 end = opts.get('print0') and '\0' or '\n'
4310 rev = scmutil.revsingle(repo, opts.get('rev'), None).node()
4312 rev = scmutil.revsingle(repo, opts.get('rev'), None).node()
4311
4313
4312 ret = 1
4314 ret = 1
4313 ctx = repo[rev]
4315 ctx = repo[rev]
4314 m = scmutil.match(ctx, pats, opts, default='relglob')
4316 m = scmutil.match(ctx, pats, opts, default='relglob')
4315 m.bad = lambda x, y: False
4317 m.bad = lambda x, y: False
4316
4318
4317 for abs in ctx.matches(m):
4319 for abs in ctx.matches(m):
4318 if opts.get('fullpath'):
4320 if opts.get('fullpath'):
4319 ui.write(repo.wjoin(abs), end)
4321 ui.write(repo.wjoin(abs), end)
4320 else:
4322 else:
4321 ui.write(((pats and m.rel(abs)) or abs), end)
4323 ui.write(((pats and m.rel(abs)) or abs), end)
4322 ret = 0
4324 ret = 0
4323
4325
4324 return ret
4326 return ret
4325
4327
4326 @command('^log|history',
4328 @command('^log|history',
4327 [('f', 'follow', None,
4329 [('f', 'follow', None,
4328 _('follow changeset history, or file history across copies and renames')),
4330 _('follow changeset history, or file history across copies and renames')),
4329 ('', 'follow-first', None,
4331 ('', 'follow-first', None,
4330 _('only follow the first parent of merge changesets (DEPRECATED)')),
4332 _('only follow the first parent of merge changesets (DEPRECATED)')),
4331 ('d', 'date', '', _('show revisions matching date spec'), _('DATE')),
4333 ('d', 'date', '', _('show revisions matching date spec'), _('DATE')),
4332 ('C', 'copies', None, _('show copied files')),
4334 ('C', 'copies', None, _('show copied files')),
4333 ('k', 'keyword', [],
4335 ('k', 'keyword', [],
4334 _('do case-insensitive search for a given text'), _('TEXT')),
4336 _('do case-insensitive search for a given text'), _('TEXT')),
4335 ('r', 'rev', [], _('show the specified revision or range'), _('REV')),
4337 ('r', 'rev', [], _('show the specified revision or range'), _('REV')),
4336 ('', 'removed', None, _('include revisions where files were removed')),
4338 ('', 'removed', None, _('include revisions where files were removed')),
4337 ('m', 'only-merges', None, _('show only merges (DEPRECATED)')),
4339 ('m', 'only-merges', None, _('show only merges (DEPRECATED)')),
4338 ('u', 'user', [], _('revisions committed by user'), _('USER')),
4340 ('u', 'user', [], _('revisions committed by user'), _('USER')),
4339 ('', 'only-branch', [],
4341 ('', 'only-branch', [],
4340 _('show only changesets within the given named branch (DEPRECATED)'),
4342 _('show only changesets within the given named branch (DEPRECATED)'),
4341 _('BRANCH')),
4343 _('BRANCH')),
4342 ('b', 'branch', [],
4344 ('b', 'branch', [],
4343 _('show changesets within the given named branch'), _('BRANCH')),
4345 _('show changesets within the given named branch'), _('BRANCH')),
4344 ('P', 'prune', [],
4346 ('P', 'prune', [],
4345 _('do not display revision or any of its ancestors'), _('REV')),
4347 _('do not display revision or any of its ancestors'), _('REV')),
4346 ] + logopts + walkopts,
4348 ] + logopts + walkopts,
4347 _('[OPTION]... [FILE]'),
4349 _('[OPTION]... [FILE]'),
4348 inferrepo=True)
4350 inferrepo=True)
4349 def log(ui, repo, *pats, **opts):
4351 def log(ui, repo, *pats, **opts):
4350 """show revision history of entire repository or files
4352 """show revision history of entire repository or files
4351
4353
4352 Print the revision history of the specified files or the entire
4354 Print the revision history of the specified files or the entire
4353 project.
4355 project.
4354
4356
4355 If no revision range is specified, the default is ``tip:0`` unless
4357 If no revision range is specified, the default is ``tip:0`` unless
4356 --follow is set, in which case the working directory parent is
4358 --follow is set, in which case the working directory parent is
4357 used as the starting revision.
4359 used as the starting revision.
4358
4360
4359 File history is shown without following rename or copy history of
4361 File history is shown without following rename or copy history of
4360 files. Use -f/--follow with a filename to follow history across
4362 files. Use -f/--follow with a filename to follow history across
4361 renames and copies. --follow without a filename will only show
4363 renames and copies. --follow without a filename will only show
4362 ancestors or descendants of the starting revision.
4364 ancestors or descendants of the starting revision.
4363
4365
4364 By default this command prints revision number and changeset id,
4366 By default this command prints revision number and changeset id,
4365 tags, non-trivial parents, user, date and time, and a summary for
4367 tags, non-trivial parents, user, date and time, and a summary for
4366 each commit. When the -v/--verbose switch is used, the list of
4368 each commit. When the -v/--verbose switch is used, the list of
4367 changed files and full commit message are shown.
4369 changed files and full commit message are shown.
4368
4370
4369 With --graph the revisions are shown as an ASCII art DAG with the most
4371 With --graph the revisions are shown as an ASCII art DAG with the most
4370 recent changeset at the top.
4372 recent changeset at the top.
4371 'o' is a changeset, '@' is a working directory parent, 'x' is obsolete,
4373 'o' is a changeset, '@' is a working directory parent, 'x' is obsolete,
4372 and '+' represents a fork where the changeset from the lines below is a
4374 and '+' represents a fork where the changeset from the lines below is a
4373 parent of the 'o' merge on the same line.
4375 parent of the 'o' merge on the same line.
4374
4376
4375 .. note::
4377 .. note::
4376
4378
4377 log -p/--patch may generate unexpected diff output for merge
4379 log -p/--patch may generate unexpected diff output for merge
4378 changesets, as it will only compare the merge changeset against
4380 changesets, as it will only compare the merge changeset against
4379 its first parent. Also, only files different from BOTH parents
4381 its first parent. Also, only files different from BOTH parents
4380 will appear in files:.
4382 will appear in files:.
4381
4383
4382 .. note::
4384 .. note::
4383
4385
4384 for performance reasons, log FILE may omit duplicate changes
4386 for performance reasons, log FILE may omit duplicate changes
4385 made on branches and will not show removals or mode changes. To
4387 made on branches and will not show removals or mode changes. To
4386 see all such changes, use the --removed switch.
4388 see all such changes, use the --removed switch.
4387
4389
4388 .. container:: verbose
4390 .. container:: verbose
4389
4391
4390 Some examples:
4392 Some examples:
4391
4393
4392 - changesets with full descriptions and file lists::
4394 - changesets with full descriptions and file lists::
4393
4395
4394 hg log -v
4396 hg log -v
4395
4397
4396 - changesets ancestral to the working directory::
4398 - changesets ancestral to the working directory::
4397
4399
4398 hg log -f
4400 hg log -f
4399
4401
4400 - last 10 commits on the current branch::
4402 - last 10 commits on the current branch::
4401
4403
4402 hg log -l 10 -b .
4404 hg log -l 10 -b .
4403
4405
4404 - changesets showing all modifications of a file, including removals::
4406 - changesets showing all modifications of a file, including removals::
4405
4407
4406 hg log --removed file.c
4408 hg log --removed file.c
4407
4409
4408 - all changesets that touch a directory, with diffs, excluding merges::
4410 - all changesets that touch a directory, with diffs, excluding merges::
4409
4411
4410 hg log -Mp lib/
4412 hg log -Mp lib/
4411
4413
4412 - all revision numbers that match a keyword::
4414 - all revision numbers that match a keyword::
4413
4415
4414 hg log -k bug --template "{rev}\\n"
4416 hg log -k bug --template "{rev}\\n"
4415
4417
4416 - list available log templates::
4418 - list available log templates::
4417
4419
4418 hg log -T list
4420 hg log -T list
4419
4421
4420 - check if a given changeset is included in a tagged release::
4422 - check if a given changeset is included in a tagged release::
4421
4423
4422 hg log -r "a21ccf and ancestor(1.9)"
4424 hg log -r "a21ccf and ancestor(1.9)"
4423
4425
4424 - find all changesets by some user in a date range::
4426 - find all changesets by some user in a date range::
4425
4427
4426 hg log -k alice -d "may 2008 to jul 2008"
4428 hg log -k alice -d "may 2008 to jul 2008"
4427
4429
4428 - summary of all changesets after the last tag::
4430 - summary of all changesets after the last tag::
4429
4431
4430 hg log -r "last(tagged())::" --template "{desc|firstline}\\n"
4432 hg log -r "last(tagged())::" --template "{desc|firstline}\\n"
4431
4433
4432 See :hg:`help dates` for a list of formats valid for -d/--date.
4434 See :hg:`help dates` for a list of formats valid for -d/--date.
4433
4435
4434 See :hg:`help revisions` and :hg:`help revsets` for more about
4436 See :hg:`help revisions` and :hg:`help revsets` for more about
4435 specifying revisions.
4437 specifying revisions.
4436
4438
4437 See :hg:`help templates` for more about pre-packaged styles and
4439 See :hg:`help templates` for more about pre-packaged styles and
4438 specifying custom templates.
4440 specifying custom templates.
4439
4441
4440 Returns 0 on success.
4442 Returns 0 on success.
4441
4443
4442 """
4444 """
4443 if opts.get('graph'):
4445 if opts.get('graph'):
4444 return cmdutil.graphlog(ui, repo, *pats, **opts)
4446 return cmdutil.graphlog(ui, repo, *pats, **opts)
4445
4447
4446 revs, expr, filematcher = cmdutil.getlogrevs(repo, pats, opts)
4448 revs, expr, filematcher = cmdutil.getlogrevs(repo, pats, opts)
4447 limit = cmdutil.loglimit(opts)
4449 limit = cmdutil.loglimit(opts)
4448 count = 0
4450 count = 0
4449
4451
4450 getrenamed = None
4452 getrenamed = None
4451 if opts.get('copies'):
4453 if opts.get('copies'):
4452 endrev = None
4454 endrev = None
4453 if opts.get('rev'):
4455 if opts.get('rev'):
4454 endrev = scmutil.revrange(repo, opts.get('rev')).max() + 1
4456 endrev = scmutil.revrange(repo, opts.get('rev')).max() + 1
4455 getrenamed = templatekw.getrenamedfn(repo, endrev=endrev)
4457 getrenamed = templatekw.getrenamedfn(repo, endrev=endrev)
4456
4458
4457 displayer = cmdutil.show_changeset(ui, repo, opts, buffered=True)
4459 displayer = cmdutil.show_changeset(ui, repo, opts, buffered=True)
4458 for rev in revs:
4460 for rev in revs:
4459 if count == limit:
4461 if count == limit:
4460 break
4462 break
4461 ctx = repo[rev]
4463 ctx = repo[rev]
4462 copies = None
4464 copies = None
4463 if getrenamed is not None and rev:
4465 if getrenamed is not None and rev:
4464 copies = []
4466 copies = []
4465 for fn in ctx.files():
4467 for fn in ctx.files():
4466 rename = getrenamed(fn, rev)
4468 rename = getrenamed(fn, rev)
4467 if rename:
4469 if rename:
4468 copies.append((fn, rename[0]))
4470 copies.append((fn, rename[0]))
4469 revmatchfn = filematcher and filematcher(ctx.rev()) or None
4471 revmatchfn = filematcher and filematcher(ctx.rev()) or None
4470 displayer.show(ctx, copies=copies, matchfn=revmatchfn)
4472 displayer.show(ctx, copies=copies, matchfn=revmatchfn)
4471 if displayer.flush(rev):
4473 if displayer.flush(rev):
4472 count += 1
4474 count += 1
4473
4475
4474 displayer.close()
4476 displayer.close()
4475
4477
4476 @command('manifest',
4478 @command('manifest',
4477 [('r', 'rev', '', _('revision to display'), _('REV')),
4479 [('r', 'rev', '', _('revision to display'), _('REV')),
4478 ('', 'all', False, _("list files from all revisions"))]
4480 ('', 'all', False, _("list files from all revisions"))]
4479 + formatteropts,
4481 + formatteropts,
4480 _('[-r REV]'))
4482 _('[-r REV]'))
4481 def manifest(ui, repo, node=None, rev=None, **opts):
4483 def manifest(ui, repo, node=None, rev=None, **opts):
4482 """output the current or given revision of the project manifest
4484 """output the current or given revision of the project manifest
4483
4485
4484 Print a list of version controlled files for the given revision.
4486 Print a list of version controlled files for the given revision.
4485 If no revision is given, the first parent of the working directory
4487 If no revision is given, the first parent of the working directory
4486 is used, or the null revision if no revision is checked out.
4488 is used, or the null revision if no revision is checked out.
4487
4489
4488 With -v, print file permissions, symlink and executable bits.
4490 With -v, print file permissions, symlink and executable bits.
4489 With --debug, print file revision hashes.
4491 With --debug, print file revision hashes.
4490
4492
4491 If option --all is specified, the list of all files from all revisions
4493 If option --all is specified, the list of all files from all revisions
4492 is printed. This includes deleted and renamed files.
4494 is printed. This includes deleted and renamed files.
4493
4495
4494 Returns 0 on success.
4496 Returns 0 on success.
4495 """
4497 """
4496
4498
4497 fm = ui.formatter('manifest', opts)
4499 fm = ui.formatter('manifest', opts)
4498
4500
4499 if opts.get('all'):
4501 if opts.get('all'):
4500 if rev or node:
4502 if rev or node:
4501 raise util.Abort(_("can't specify a revision with --all"))
4503 raise util.Abort(_("can't specify a revision with --all"))
4502
4504
4503 res = []
4505 res = []
4504 prefix = "data/"
4506 prefix = "data/"
4505 suffix = ".i"
4507 suffix = ".i"
4506 plen = len(prefix)
4508 plen = len(prefix)
4507 slen = len(suffix)
4509 slen = len(suffix)
4508 lock = repo.lock()
4510 lock = repo.lock()
4509 try:
4511 try:
4510 for fn, b, size in repo.store.datafiles():
4512 for fn, b, size in repo.store.datafiles():
4511 if size != 0 and fn[-slen:] == suffix and fn[:plen] == prefix:
4513 if size != 0 and fn[-slen:] == suffix and fn[:plen] == prefix:
4512 res.append(fn[plen:-slen])
4514 res.append(fn[plen:-slen])
4513 finally:
4515 finally:
4514 lock.release()
4516 lock.release()
4515 for f in res:
4517 for f in res:
4516 fm.startitem()
4518 fm.startitem()
4517 fm.write("path", '%s\n', f)
4519 fm.write("path", '%s\n', f)
4518 fm.end()
4520 fm.end()
4519 return
4521 return
4520
4522
4521 if rev and node:
4523 if rev and node:
4522 raise util.Abort(_("please specify just one revision"))
4524 raise util.Abort(_("please specify just one revision"))
4523
4525
4524 if not node:
4526 if not node:
4525 node = rev
4527 node = rev
4526
4528
4527 char = {'l': '@', 'x': '*', '': ''}
4529 char = {'l': '@', 'x': '*', '': ''}
4528 mode = {'l': '644', 'x': '755', '': '644'}
4530 mode = {'l': '644', 'x': '755', '': '644'}
4529 ctx = scmutil.revsingle(repo, node)
4531 ctx = scmutil.revsingle(repo, node)
4530 mf = ctx.manifest()
4532 mf = ctx.manifest()
4531 for f in ctx:
4533 for f in ctx:
4532 fm.startitem()
4534 fm.startitem()
4533 fl = ctx[f].flags()
4535 fl = ctx[f].flags()
4534 fm.condwrite(ui.debugflag, 'hash', '%s ', hex(mf[f]))
4536 fm.condwrite(ui.debugflag, 'hash', '%s ', hex(mf[f]))
4535 fm.condwrite(ui.verbose, 'mode type', '%s %1s ', mode[fl], char[fl])
4537 fm.condwrite(ui.verbose, 'mode type', '%s %1s ', mode[fl], char[fl])
4536 fm.write('path', '%s\n', f)
4538 fm.write('path', '%s\n', f)
4537 fm.end()
4539 fm.end()
4538
4540
4539 @command('^merge',
4541 @command('^merge',
4540 [('f', 'force', None,
4542 [('f', 'force', None,
4541 _('force a merge including outstanding changes (DEPRECATED)')),
4543 _('force a merge including outstanding changes (DEPRECATED)')),
4542 ('r', 'rev', '', _('revision to merge'), _('REV')),
4544 ('r', 'rev', '', _('revision to merge'), _('REV')),
4543 ('P', 'preview', None,
4545 ('P', 'preview', None,
4544 _('review revisions to merge (no merge is performed)'))
4546 _('review revisions to merge (no merge is performed)'))
4545 ] + mergetoolopts,
4547 ] + mergetoolopts,
4546 _('[-P] [-f] [[-r] REV]'))
4548 _('[-P] [-f] [[-r] REV]'))
4547 def merge(ui, repo, node=None, **opts):
4549 def merge(ui, repo, node=None, **opts):
4548 """merge working directory with another revision
4550 """merge working directory with another revision
4549
4551
4550 The current working directory is updated with all changes made in
4552 The current working directory is updated with all changes made in
4551 the requested revision since the last common predecessor revision.
4553 the requested revision since the last common predecessor revision.
4552
4554
4553 Files that changed between either parent are marked as changed for
4555 Files that changed between either parent are marked as changed for
4554 the next commit and a commit must be performed before any further
4556 the next commit and a commit must be performed before any further
4555 updates to the repository are allowed. The next commit will have
4557 updates to the repository are allowed. The next commit will have
4556 two parents.
4558 two parents.
4557
4559
4558 ``--tool`` can be used to specify the merge tool used for file
4560 ``--tool`` can be used to specify the merge tool used for file
4559 merges. It overrides the HGMERGE environment variable and your
4561 merges. It overrides the HGMERGE environment variable and your
4560 configuration files. See :hg:`help merge-tools` for options.
4562 configuration files. See :hg:`help merge-tools` for options.
4561
4563
4562 If no revision is specified, the working directory's parent is a
4564 If no revision is specified, the working directory's parent is a
4563 head revision, and the current branch contains exactly one other
4565 head revision, and the current branch contains exactly one other
4564 head, the other head is merged with by default. Otherwise, an
4566 head, the other head is merged with by default. Otherwise, an
4565 explicit revision with which to merge with must be provided.
4567 explicit revision with which to merge with must be provided.
4566
4568
4567 :hg:`resolve` must be used to resolve unresolved files.
4569 :hg:`resolve` must be used to resolve unresolved files.
4568
4570
4569 To undo an uncommitted merge, use :hg:`update --clean .` which
4571 To undo an uncommitted merge, use :hg:`update --clean .` which
4570 will check out a clean copy of the original merge parent, losing
4572 will check out a clean copy of the original merge parent, losing
4571 all changes.
4573 all changes.
4572
4574
4573 Returns 0 on success, 1 if there are unresolved files.
4575 Returns 0 on success, 1 if there are unresolved files.
4574 """
4576 """
4575
4577
4576 if opts.get('rev') and node:
4578 if opts.get('rev') and node:
4577 raise util.Abort(_("please specify just one revision"))
4579 raise util.Abort(_("please specify just one revision"))
4578 if not node:
4580 if not node:
4579 node = opts.get('rev')
4581 node = opts.get('rev')
4580
4582
4581 if node:
4583 if node:
4582 node = scmutil.revsingle(repo, node).node()
4584 node = scmutil.revsingle(repo, node).node()
4583
4585
4584 if not node and repo._bookmarkcurrent:
4586 if not node and repo._bookmarkcurrent:
4585 bmheads = repo.bookmarkheads(repo._bookmarkcurrent)
4587 bmheads = repo.bookmarkheads(repo._bookmarkcurrent)
4586 curhead = repo[repo._bookmarkcurrent].node()
4588 curhead = repo[repo._bookmarkcurrent].node()
4587 if len(bmheads) == 2:
4589 if len(bmheads) == 2:
4588 if curhead == bmheads[0]:
4590 if curhead == bmheads[0]:
4589 node = bmheads[1]
4591 node = bmheads[1]
4590 else:
4592 else:
4591 node = bmheads[0]
4593 node = bmheads[0]
4592 elif len(bmheads) > 2:
4594 elif len(bmheads) > 2:
4593 raise util.Abort(_("multiple matching bookmarks to merge - "
4595 raise util.Abort(_("multiple matching bookmarks to merge - "
4594 "please merge with an explicit rev or bookmark"),
4596 "please merge with an explicit rev or bookmark"),
4595 hint=_("run 'hg heads' to see all heads"))
4597 hint=_("run 'hg heads' to see all heads"))
4596 elif len(bmheads) <= 1:
4598 elif len(bmheads) <= 1:
4597 raise util.Abort(_("no matching bookmark to merge - "
4599 raise util.Abort(_("no matching bookmark to merge - "
4598 "please merge with an explicit rev or bookmark"),
4600 "please merge with an explicit rev or bookmark"),
4599 hint=_("run 'hg heads' to see all heads"))
4601 hint=_("run 'hg heads' to see all heads"))
4600
4602
4601 if not node and not repo._bookmarkcurrent:
4603 if not node and not repo._bookmarkcurrent:
4602 branch = repo[None].branch()
4604 branch = repo[None].branch()
4603 bheads = repo.branchheads(branch)
4605 bheads = repo.branchheads(branch)
4604 nbhs = [bh for bh in bheads if not repo[bh].bookmarks()]
4606 nbhs = [bh for bh in bheads if not repo[bh].bookmarks()]
4605
4607
4606 if len(nbhs) > 2:
4608 if len(nbhs) > 2:
4607 raise util.Abort(_("branch '%s' has %d heads - "
4609 raise util.Abort(_("branch '%s' has %d heads - "
4608 "please merge with an explicit rev")
4610 "please merge with an explicit rev")
4609 % (branch, len(bheads)),
4611 % (branch, len(bheads)),
4610 hint=_("run 'hg heads .' to see heads"))
4612 hint=_("run 'hg heads .' to see heads"))
4611
4613
4612 parent = repo.dirstate.p1()
4614 parent = repo.dirstate.p1()
4613 if len(nbhs) <= 1:
4615 if len(nbhs) <= 1:
4614 if len(bheads) > 1:
4616 if len(bheads) > 1:
4615 raise util.Abort(_("heads are bookmarked - "
4617 raise util.Abort(_("heads are bookmarked - "
4616 "please merge with an explicit rev"),
4618 "please merge with an explicit rev"),
4617 hint=_("run 'hg heads' to see all heads"))
4619 hint=_("run 'hg heads' to see all heads"))
4618 if len(repo.heads()) > 1:
4620 if len(repo.heads()) > 1:
4619 raise util.Abort(_("branch '%s' has one head - "
4621 raise util.Abort(_("branch '%s' has one head - "
4620 "please merge with an explicit rev")
4622 "please merge with an explicit rev")
4621 % branch,
4623 % branch,
4622 hint=_("run 'hg heads' to see all heads"))
4624 hint=_("run 'hg heads' to see all heads"))
4623 msg, hint = _('nothing to merge'), None
4625 msg, hint = _('nothing to merge'), None
4624 if parent != repo.lookup(branch):
4626 if parent != repo.lookup(branch):
4625 hint = _("use 'hg update' instead")
4627 hint = _("use 'hg update' instead")
4626 raise util.Abort(msg, hint=hint)
4628 raise util.Abort(msg, hint=hint)
4627
4629
4628 if parent not in bheads:
4630 if parent not in bheads:
4629 raise util.Abort(_('working directory not at a head revision'),
4631 raise util.Abort(_('working directory not at a head revision'),
4630 hint=_("use 'hg update' or merge with an "
4632 hint=_("use 'hg update' or merge with an "
4631 "explicit revision"))
4633 "explicit revision"))
4632 if parent == nbhs[0]:
4634 if parent == nbhs[0]:
4633 node = nbhs[-1]
4635 node = nbhs[-1]
4634 else:
4636 else:
4635 node = nbhs[0]
4637 node = nbhs[0]
4636
4638
4637 if opts.get('preview'):
4639 if opts.get('preview'):
4638 # find nodes that are ancestors of p2 but not of p1
4640 # find nodes that are ancestors of p2 but not of p1
4639 p1 = repo.lookup('.')
4641 p1 = repo.lookup('.')
4640 p2 = repo.lookup(node)
4642 p2 = repo.lookup(node)
4641 nodes = repo.changelog.findmissing(common=[p1], heads=[p2])
4643 nodes = repo.changelog.findmissing(common=[p1], heads=[p2])
4642
4644
4643 displayer = cmdutil.show_changeset(ui, repo, opts)
4645 displayer = cmdutil.show_changeset(ui, repo, opts)
4644 for node in nodes:
4646 for node in nodes:
4645 displayer.show(repo[node])
4647 displayer.show(repo[node])
4646 displayer.close()
4648 displayer.close()
4647 return 0
4649 return 0
4648
4650
4649 try:
4651 try:
4650 # ui.forcemerge is an internal variable, do not document
4652 # ui.forcemerge is an internal variable, do not document
4651 repo.ui.setconfig('ui', 'forcemerge', opts.get('tool', ''), 'merge')
4653 repo.ui.setconfig('ui', 'forcemerge', opts.get('tool', ''), 'merge')
4652 return hg.merge(repo, node, force=opts.get('force'))
4654 return hg.merge(repo, node, force=opts.get('force'))
4653 finally:
4655 finally:
4654 ui.setconfig('ui', 'forcemerge', '', 'merge')
4656 ui.setconfig('ui', 'forcemerge', '', 'merge')
4655
4657
4656 @command('outgoing|out',
4658 @command('outgoing|out',
4657 [('f', 'force', None, _('run even when the destination is unrelated')),
4659 [('f', 'force', None, _('run even when the destination is unrelated')),
4658 ('r', 'rev', [],
4660 ('r', 'rev', [],
4659 _('a changeset intended to be included in the destination'), _('REV')),
4661 _('a changeset intended to be included in the destination'), _('REV')),
4660 ('n', 'newest-first', None, _('show newest record first')),
4662 ('n', 'newest-first', None, _('show newest record first')),
4661 ('B', 'bookmarks', False, _('compare bookmarks')),
4663 ('B', 'bookmarks', False, _('compare bookmarks')),
4662 ('b', 'branch', [], _('a specific branch you would like to push'),
4664 ('b', 'branch', [], _('a specific branch you would like to push'),
4663 _('BRANCH')),
4665 _('BRANCH')),
4664 ] + logopts + remoteopts + subrepoopts,
4666 ] + logopts + remoteopts + subrepoopts,
4665 _('[-M] [-p] [-n] [-f] [-r REV]... [DEST]'))
4667 _('[-M] [-p] [-n] [-f] [-r REV]... [DEST]'))
4666 def outgoing(ui, repo, dest=None, **opts):
4668 def outgoing(ui, repo, dest=None, **opts):
4667 """show changesets not found in the destination
4669 """show changesets not found in the destination
4668
4670
4669 Show changesets not found in the specified destination repository
4671 Show changesets not found in the specified destination repository
4670 or the default push location. These are the changesets that would
4672 or the default push location. These are the changesets that would
4671 be pushed if a push was requested.
4673 be pushed if a push was requested.
4672
4674
4673 See pull for details of valid destination formats.
4675 See pull for details of valid destination formats.
4674
4676
4675 Returns 0 if there are outgoing changes, 1 otherwise.
4677 Returns 0 if there are outgoing changes, 1 otherwise.
4676 """
4678 """
4677 if opts.get('graph'):
4679 if opts.get('graph'):
4678 cmdutil.checkunsupportedgraphflags([], opts)
4680 cmdutil.checkunsupportedgraphflags([], opts)
4679 o, other = hg._outgoing(ui, repo, dest, opts)
4681 o, other = hg._outgoing(ui, repo, dest, opts)
4680 if not o:
4682 if not o:
4681 cmdutil.outgoinghooks(ui, repo, other, opts, o)
4683 cmdutil.outgoinghooks(ui, repo, other, opts, o)
4682 return
4684 return
4683
4685
4684 revdag = cmdutil.graphrevs(repo, o, opts)
4686 revdag = cmdutil.graphrevs(repo, o, opts)
4685 displayer = cmdutil.show_changeset(ui, repo, opts, buffered=True)
4687 displayer = cmdutil.show_changeset(ui, repo, opts, buffered=True)
4686 showparents = [ctx.node() for ctx in repo[None].parents()]
4688 showparents = [ctx.node() for ctx in repo[None].parents()]
4687 cmdutil.displaygraph(ui, revdag, displayer, showparents,
4689 cmdutil.displaygraph(ui, revdag, displayer, showparents,
4688 graphmod.asciiedges)
4690 graphmod.asciiedges)
4689 cmdutil.outgoinghooks(ui, repo, other, opts, o)
4691 cmdutil.outgoinghooks(ui, repo, other, opts, o)
4690 return 0
4692 return 0
4691
4693
4692 if opts.get('bookmarks'):
4694 if opts.get('bookmarks'):
4693 dest = ui.expandpath(dest or 'default-push', dest or 'default')
4695 dest = ui.expandpath(dest or 'default-push', dest or 'default')
4694 dest, branches = hg.parseurl(dest, opts.get('branch'))
4696 dest, branches = hg.parseurl(dest, opts.get('branch'))
4695 other = hg.peer(repo, opts, dest)
4697 other = hg.peer(repo, opts, dest)
4696 if 'bookmarks' not in other.listkeys('namespaces'):
4698 if 'bookmarks' not in other.listkeys('namespaces'):
4697 ui.warn(_("remote doesn't support bookmarks\n"))
4699 ui.warn(_("remote doesn't support bookmarks\n"))
4698 return 0
4700 return 0
4699 ui.status(_('comparing with %s\n') % util.hidepassword(dest))
4701 ui.status(_('comparing with %s\n') % util.hidepassword(dest))
4700 return bookmarks.diff(ui, other, repo)
4702 return bookmarks.diff(ui, other, repo)
4701
4703
4702 repo._subtoppath = ui.expandpath(dest or 'default-push', dest or 'default')
4704 repo._subtoppath = ui.expandpath(dest or 'default-push', dest or 'default')
4703 try:
4705 try:
4704 return hg.outgoing(ui, repo, dest, opts)
4706 return hg.outgoing(ui, repo, dest, opts)
4705 finally:
4707 finally:
4706 del repo._subtoppath
4708 del repo._subtoppath
4707
4709
4708 @command('parents',
4710 @command('parents',
4709 [('r', 'rev', '', _('show parents of the specified revision'), _('REV')),
4711 [('r', 'rev', '', _('show parents of the specified revision'), _('REV')),
4710 ] + templateopts,
4712 ] + templateopts,
4711 _('[-r REV] [FILE]'),
4713 _('[-r REV] [FILE]'),
4712 inferrepo=True)
4714 inferrepo=True)
4713 def parents(ui, repo, file_=None, **opts):
4715 def parents(ui, repo, file_=None, **opts):
4714 """show the parents of the working directory or revision (DEPRECATED)
4716 """show the parents of the working directory or revision (DEPRECATED)
4715
4717
4716 Print the working directory's parent revisions. If a revision is
4718 Print the working directory's parent revisions. If a revision is
4717 given via -r/--rev, the parent of that revision will be printed.
4719 given via -r/--rev, the parent of that revision will be printed.
4718 If a file argument is given, the revision in which the file was
4720 If a file argument is given, the revision in which the file was
4719 last changed (before the working directory revision or the
4721 last changed (before the working directory revision or the
4720 argument to --rev if given) is printed.
4722 argument to --rev if given) is printed.
4721
4723
4722 See :hg:`summary` and :hg:`help revsets` for related information.
4724 See :hg:`summary` and :hg:`help revsets` for related information.
4723
4725
4724 Returns 0 on success.
4726 Returns 0 on success.
4725 """
4727 """
4726
4728
4727 ctx = scmutil.revsingle(repo, opts.get('rev'), None)
4729 ctx = scmutil.revsingle(repo, opts.get('rev'), None)
4728
4730
4729 if file_:
4731 if file_:
4730 m = scmutil.match(ctx, (file_,), opts)
4732 m = scmutil.match(ctx, (file_,), opts)
4731 if m.anypats() or len(m.files()) != 1:
4733 if m.anypats() or len(m.files()) != 1:
4732 raise util.Abort(_('can only specify an explicit filename'))
4734 raise util.Abort(_('can only specify an explicit filename'))
4733 file_ = m.files()[0]
4735 file_ = m.files()[0]
4734 filenodes = []
4736 filenodes = []
4735 for cp in ctx.parents():
4737 for cp in ctx.parents():
4736 if not cp:
4738 if not cp:
4737 continue
4739 continue
4738 try:
4740 try:
4739 filenodes.append(cp.filenode(file_))
4741 filenodes.append(cp.filenode(file_))
4740 except error.LookupError:
4742 except error.LookupError:
4741 pass
4743 pass
4742 if not filenodes:
4744 if not filenodes:
4743 raise util.Abort(_("'%s' not found in manifest!") % file_)
4745 raise util.Abort(_("'%s' not found in manifest!") % file_)
4744 p = []
4746 p = []
4745 for fn in filenodes:
4747 for fn in filenodes:
4746 fctx = repo.filectx(file_, fileid=fn)
4748 fctx = repo.filectx(file_, fileid=fn)
4747 p.append(fctx.node())
4749 p.append(fctx.node())
4748 else:
4750 else:
4749 p = [cp.node() for cp in ctx.parents()]
4751 p = [cp.node() for cp in ctx.parents()]
4750
4752
4751 displayer = cmdutil.show_changeset(ui, repo, opts)
4753 displayer = cmdutil.show_changeset(ui, repo, opts)
4752 for n in p:
4754 for n in p:
4753 if n != nullid:
4755 if n != nullid:
4754 displayer.show(repo[n])
4756 displayer.show(repo[n])
4755 displayer.close()
4757 displayer.close()
4756
4758
4757 @command('paths', [], _('[NAME]'), optionalrepo=True)
4759 @command('paths', [], _('[NAME]'), optionalrepo=True)
4758 def paths(ui, repo, search=None):
4760 def paths(ui, repo, search=None):
4759 """show aliases for remote repositories
4761 """show aliases for remote repositories
4760
4762
4761 Show definition of symbolic path name NAME. If no name is given,
4763 Show definition of symbolic path name NAME. If no name is given,
4762 show definition of all available names.
4764 show definition of all available names.
4763
4765
4764 Option -q/--quiet suppresses all output when searching for NAME
4766 Option -q/--quiet suppresses all output when searching for NAME
4765 and shows only the path names when listing all definitions.
4767 and shows only the path names when listing all definitions.
4766
4768
4767 Path names are defined in the [paths] section of your
4769 Path names are defined in the [paths] section of your
4768 configuration file and in ``/etc/mercurial/hgrc``. If run inside a
4770 configuration file and in ``/etc/mercurial/hgrc``. If run inside a
4769 repository, ``.hg/hgrc`` is used, too.
4771 repository, ``.hg/hgrc`` is used, too.
4770
4772
4771 The path names ``default`` and ``default-push`` have a special
4773 The path names ``default`` and ``default-push`` have a special
4772 meaning. When performing a push or pull operation, they are used
4774 meaning. When performing a push or pull operation, they are used
4773 as fallbacks if no location is specified on the command-line.
4775 as fallbacks if no location is specified on the command-line.
4774 When ``default-push`` is set, it will be used for push and
4776 When ``default-push`` is set, it will be used for push and
4775 ``default`` will be used for pull; otherwise ``default`` is used
4777 ``default`` will be used for pull; otherwise ``default`` is used
4776 as the fallback for both. When cloning a repository, the clone
4778 as the fallback for both. When cloning a repository, the clone
4777 source is written as ``default`` in ``.hg/hgrc``. Note that
4779 source is written as ``default`` in ``.hg/hgrc``. Note that
4778 ``default`` and ``default-push`` apply to all inbound (e.g.
4780 ``default`` and ``default-push`` apply to all inbound (e.g.
4779 :hg:`incoming`) and outbound (e.g. :hg:`outgoing`, :hg:`email` and
4781 :hg:`incoming`) and outbound (e.g. :hg:`outgoing`, :hg:`email` and
4780 :hg:`bundle`) operations.
4782 :hg:`bundle`) operations.
4781
4783
4782 See :hg:`help urls` for more information.
4784 See :hg:`help urls` for more information.
4783
4785
4784 Returns 0 on success.
4786 Returns 0 on success.
4785 """
4787 """
4786 if search:
4788 if search:
4787 for name, path in ui.configitems("paths"):
4789 for name, path in ui.configitems("paths"):
4788 if name == search:
4790 if name == search:
4789 ui.status("%s\n" % util.hidepassword(path))
4791 ui.status("%s\n" % util.hidepassword(path))
4790 return
4792 return
4791 if not ui.quiet:
4793 if not ui.quiet:
4792 ui.warn(_("not found!\n"))
4794 ui.warn(_("not found!\n"))
4793 return 1
4795 return 1
4794 else:
4796 else:
4795 for name, path in ui.configitems("paths"):
4797 for name, path in ui.configitems("paths"):
4796 if ui.quiet:
4798 if ui.quiet:
4797 ui.write("%s\n" % name)
4799 ui.write("%s\n" % name)
4798 else:
4800 else:
4799 ui.write("%s = %s\n" % (name, util.hidepassword(path)))
4801 ui.write("%s = %s\n" % (name, util.hidepassword(path)))
4800
4802
4801 @command('phase',
4803 @command('phase',
4802 [('p', 'public', False, _('set changeset phase to public')),
4804 [('p', 'public', False, _('set changeset phase to public')),
4803 ('d', 'draft', False, _('set changeset phase to draft')),
4805 ('d', 'draft', False, _('set changeset phase to draft')),
4804 ('s', 'secret', False, _('set changeset phase to secret')),
4806 ('s', 'secret', False, _('set changeset phase to secret')),
4805 ('f', 'force', False, _('allow to move boundary backward')),
4807 ('f', 'force', False, _('allow to move boundary backward')),
4806 ('r', 'rev', [], _('target revision'), _('REV')),
4808 ('r', 'rev', [], _('target revision'), _('REV')),
4807 ],
4809 ],
4808 _('[-p|-d|-s] [-f] [-r] REV...'))
4810 _('[-p|-d|-s] [-f] [-r] REV...'))
4809 def phase(ui, repo, *revs, **opts):
4811 def phase(ui, repo, *revs, **opts):
4810 """set or show the current phase name
4812 """set or show the current phase name
4811
4813
4812 With no argument, show the phase name of specified revisions.
4814 With no argument, show the phase name of specified revisions.
4813
4815
4814 With one of -p/--public, -d/--draft or -s/--secret, change the
4816 With one of -p/--public, -d/--draft or -s/--secret, change the
4815 phase value of the specified revisions.
4817 phase value of the specified revisions.
4816
4818
4817 Unless -f/--force is specified, :hg:`phase` won't move changeset from a
4819 Unless -f/--force is specified, :hg:`phase` won't move changeset from a
4818 lower phase to an higher phase. Phases are ordered as follows::
4820 lower phase to an higher phase. Phases are ordered as follows::
4819
4821
4820 public < draft < secret
4822 public < draft < secret
4821
4823
4822 Returns 0 on success, 1 if no phases were changed or some could not
4824 Returns 0 on success, 1 if no phases were changed or some could not
4823 be changed.
4825 be changed.
4824 """
4826 """
4825 # search for a unique phase argument
4827 # search for a unique phase argument
4826 targetphase = None
4828 targetphase = None
4827 for idx, name in enumerate(phases.phasenames):
4829 for idx, name in enumerate(phases.phasenames):
4828 if opts[name]:
4830 if opts[name]:
4829 if targetphase is not None:
4831 if targetphase is not None:
4830 raise util.Abort(_('only one phase can be specified'))
4832 raise util.Abort(_('only one phase can be specified'))
4831 targetphase = idx
4833 targetphase = idx
4832
4834
4833 # look for specified revision
4835 # look for specified revision
4834 revs = list(revs)
4836 revs = list(revs)
4835 revs.extend(opts['rev'])
4837 revs.extend(opts['rev'])
4836 if not revs:
4838 if not revs:
4837 raise util.Abort(_('no revisions specified'))
4839 raise util.Abort(_('no revisions specified'))
4838
4840
4839 revs = scmutil.revrange(repo, revs)
4841 revs = scmutil.revrange(repo, revs)
4840
4842
4841 lock = None
4843 lock = None
4842 ret = 0
4844 ret = 0
4843 if targetphase is None:
4845 if targetphase is None:
4844 # display
4846 # display
4845 for r in revs:
4847 for r in revs:
4846 ctx = repo[r]
4848 ctx = repo[r]
4847 ui.write('%i: %s\n' % (ctx.rev(), ctx.phasestr()))
4849 ui.write('%i: %s\n' % (ctx.rev(), ctx.phasestr()))
4848 else:
4850 else:
4849 tr = None
4851 tr = None
4850 lock = repo.lock()
4852 lock = repo.lock()
4851 try:
4853 try:
4852 tr = repo.transaction("phase")
4854 tr = repo.transaction("phase")
4853 # set phase
4855 # set phase
4854 if not revs:
4856 if not revs:
4855 raise util.Abort(_('empty revision set'))
4857 raise util.Abort(_('empty revision set'))
4856 nodes = [repo[r].node() for r in revs]
4858 nodes = [repo[r].node() for r in revs]
4857 olddata = repo._phasecache.getphaserevs(repo)[:]
4859 olddata = repo._phasecache.getphaserevs(repo)[:]
4858 phases.advanceboundary(repo, tr, targetphase, nodes)
4860 phases.advanceboundary(repo, tr, targetphase, nodes)
4859 if opts['force']:
4861 if opts['force']:
4860 phases.retractboundary(repo, tr, targetphase, nodes)
4862 phases.retractboundary(repo, tr, targetphase, nodes)
4861 tr.close()
4863 tr.close()
4862 finally:
4864 finally:
4863 if tr is not None:
4865 if tr is not None:
4864 tr.release()
4866 tr.release()
4865 lock.release()
4867 lock.release()
4866 # moving revision from public to draft may hide them
4868 # moving revision from public to draft may hide them
4867 # We have to check result on an unfiltered repository
4869 # We have to check result on an unfiltered repository
4868 unfi = repo.unfiltered()
4870 unfi = repo.unfiltered()
4869 newdata = repo._phasecache.getphaserevs(unfi)
4871 newdata = repo._phasecache.getphaserevs(unfi)
4870 changes = sum(o != newdata[i] for i, o in enumerate(olddata))
4872 changes = sum(o != newdata[i] for i, o in enumerate(olddata))
4871 cl = unfi.changelog
4873 cl = unfi.changelog
4872 rejected = [n for n in nodes
4874 rejected = [n for n in nodes
4873 if newdata[cl.rev(n)] < targetphase]
4875 if newdata[cl.rev(n)] < targetphase]
4874 if rejected:
4876 if rejected:
4875 ui.warn(_('cannot move %i changesets to a higher '
4877 ui.warn(_('cannot move %i changesets to a higher '
4876 'phase, use --force\n') % len(rejected))
4878 'phase, use --force\n') % len(rejected))
4877 ret = 1
4879 ret = 1
4878 if changes:
4880 if changes:
4879 msg = _('phase changed for %i changesets\n') % changes
4881 msg = _('phase changed for %i changesets\n') % changes
4880 if ret:
4882 if ret:
4881 ui.status(msg)
4883 ui.status(msg)
4882 else:
4884 else:
4883 ui.note(msg)
4885 ui.note(msg)
4884 else:
4886 else:
4885 ui.warn(_('no phases changed\n'))
4887 ui.warn(_('no phases changed\n'))
4886 ret = 1
4888 ret = 1
4887 return ret
4889 return ret
4888
4890
4889 def postincoming(ui, repo, modheads, optupdate, checkout):
4891 def postincoming(ui, repo, modheads, optupdate, checkout):
4890 if modheads == 0:
4892 if modheads == 0:
4891 return
4893 return
4892 if optupdate:
4894 if optupdate:
4893 checkout, movemarkfrom = bookmarks.calculateupdate(ui, repo, checkout)
4895 checkout, movemarkfrom = bookmarks.calculateupdate(ui, repo, checkout)
4894 try:
4896 try:
4895 ret = hg.update(repo, checkout)
4897 ret = hg.update(repo, checkout)
4896 except util.Abort, inst:
4898 except util.Abort, inst:
4897 ui.warn(_("not updating: %s\n") % str(inst))
4899 ui.warn(_("not updating: %s\n") % str(inst))
4898 if inst.hint:
4900 if inst.hint:
4899 ui.warn(_("(%s)\n") % inst.hint)
4901 ui.warn(_("(%s)\n") % inst.hint)
4900 return 0
4902 return 0
4901 if not ret and not checkout:
4903 if not ret and not checkout:
4902 if bookmarks.update(repo, [movemarkfrom], repo['.'].node()):
4904 if bookmarks.update(repo, [movemarkfrom], repo['.'].node()):
4903 ui.status(_("updating bookmark %s\n") % repo._bookmarkcurrent)
4905 ui.status(_("updating bookmark %s\n") % repo._bookmarkcurrent)
4904 return ret
4906 return ret
4905 if modheads > 1:
4907 if modheads > 1:
4906 currentbranchheads = len(repo.branchheads())
4908 currentbranchheads = len(repo.branchheads())
4907 if currentbranchheads == modheads:
4909 if currentbranchheads == modheads:
4908 ui.status(_("(run 'hg heads' to see heads, 'hg merge' to merge)\n"))
4910 ui.status(_("(run 'hg heads' to see heads, 'hg merge' to merge)\n"))
4909 elif currentbranchheads > 1:
4911 elif currentbranchheads > 1:
4910 ui.status(_("(run 'hg heads .' to see heads, 'hg merge' to "
4912 ui.status(_("(run 'hg heads .' to see heads, 'hg merge' to "
4911 "merge)\n"))
4913 "merge)\n"))
4912 else:
4914 else:
4913 ui.status(_("(run 'hg heads' to see heads)\n"))
4915 ui.status(_("(run 'hg heads' to see heads)\n"))
4914 else:
4916 else:
4915 ui.status(_("(run 'hg update' to get a working copy)\n"))
4917 ui.status(_("(run 'hg update' to get a working copy)\n"))
4916
4918
4917 @command('^pull',
4919 @command('^pull',
4918 [('u', 'update', None,
4920 [('u', 'update', None,
4919 _('update to new branch head if changesets were pulled')),
4921 _('update to new branch head if changesets were pulled')),
4920 ('f', 'force', None, _('run even when remote repository is unrelated')),
4922 ('f', 'force', None, _('run even when remote repository is unrelated')),
4921 ('r', 'rev', [], _('a remote changeset intended to be added'), _('REV')),
4923 ('r', 'rev', [], _('a remote changeset intended to be added'), _('REV')),
4922 ('B', 'bookmark', [], _("bookmark to pull"), _('BOOKMARK')),
4924 ('B', 'bookmark', [], _("bookmark to pull"), _('BOOKMARK')),
4923 ('b', 'branch', [], _('a specific branch you would like to pull'),
4925 ('b', 'branch', [], _('a specific branch you would like to pull'),
4924 _('BRANCH')),
4926 _('BRANCH')),
4925 ] + remoteopts,
4927 ] + remoteopts,
4926 _('[-u] [-f] [-r REV]... [-e CMD] [--remotecmd CMD] [SOURCE]'))
4928 _('[-u] [-f] [-r REV]... [-e CMD] [--remotecmd CMD] [SOURCE]'))
4927 def pull(ui, repo, source="default", **opts):
4929 def pull(ui, repo, source="default", **opts):
4928 """pull changes from the specified source
4930 """pull changes from the specified source
4929
4931
4930 Pull changes from a remote repository to a local one.
4932 Pull changes from a remote repository to a local one.
4931
4933
4932 This finds all changes from the repository at the specified path
4934 This finds all changes from the repository at the specified path
4933 or URL and adds them to a local repository (the current one unless
4935 or URL and adds them to a local repository (the current one unless
4934 -R is specified). By default, this does not update the copy of the
4936 -R is specified). By default, this does not update the copy of the
4935 project in the working directory.
4937 project in the working directory.
4936
4938
4937 Use :hg:`incoming` if you want to see what would have been added
4939 Use :hg:`incoming` if you want to see what would have been added
4938 by a pull at the time you issued this command. If you then decide
4940 by a pull at the time you issued this command. If you then decide
4939 to add those changes to the repository, you should use :hg:`pull
4941 to add those changes to the repository, you should use :hg:`pull
4940 -r X` where ``X`` is the last changeset listed by :hg:`incoming`.
4942 -r X` where ``X`` is the last changeset listed by :hg:`incoming`.
4941
4943
4942 If SOURCE is omitted, the 'default' path will be used.
4944 If SOURCE is omitted, the 'default' path will be used.
4943 See :hg:`help urls` for more information.
4945 See :hg:`help urls` for more information.
4944
4946
4945 Returns 0 on success, 1 if an update had unresolved files.
4947 Returns 0 on success, 1 if an update had unresolved files.
4946 """
4948 """
4947 source, branches = hg.parseurl(ui.expandpath(source), opts.get('branch'))
4949 source, branches = hg.parseurl(ui.expandpath(source), opts.get('branch'))
4948 other = hg.peer(repo, opts, source)
4950 other = hg.peer(repo, opts, source)
4949 try:
4951 try:
4950 ui.status(_('pulling from %s\n') % util.hidepassword(source))
4952 ui.status(_('pulling from %s\n') % util.hidepassword(source))
4951 revs, checkout = hg.addbranchrevs(repo, other, branches,
4953 revs, checkout = hg.addbranchrevs(repo, other, branches,
4952 opts.get('rev'))
4954 opts.get('rev'))
4953
4955
4954 remotebookmarks = other.listkeys('bookmarks')
4956 remotebookmarks = other.listkeys('bookmarks')
4955
4957
4956 if opts.get('bookmark'):
4958 if opts.get('bookmark'):
4957 if not revs:
4959 if not revs:
4958 revs = []
4960 revs = []
4959 for b in opts['bookmark']:
4961 for b in opts['bookmark']:
4960 if b not in remotebookmarks:
4962 if b not in remotebookmarks:
4961 raise util.Abort(_('remote bookmark %s not found!') % b)
4963 raise util.Abort(_('remote bookmark %s not found!') % b)
4962 revs.append(remotebookmarks[b])
4964 revs.append(remotebookmarks[b])
4963
4965
4964 if revs:
4966 if revs:
4965 try:
4967 try:
4966 revs = [other.lookup(rev) for rev in revs]
4968 revs = [other.lookup(rev) for rev in revs]
4967 except error.CapabilityError:
4969 except error.CapabilityError:
4968 err = _("other repository doesn't support revision lookup, "
4970 err = _("other repository doesn't support revision lookup, "
4969 "so a rev cannot be specified.")
4971 "so a rev cannot be specified.")
4970 raise util.Abort(err)
4972 raise util.Abort(err)
4971
4973
4972 modheads = exchange.pull(repo, other, heads=revs,
4974 modheads = exchange.pull(repo, other, heads=revs,
4973 force=opts.get('force'),
4975 force=opts.get('force'),
4974 bookmarks=opts.get('bookmark', ())).cgresult
4976 bookmarks=opts.get('bookmark', ())).cgresult
4975 if checkout:
4977 if checkout:
4976 checkout = str(repo.changelog.rev(other.lookup(checkout)))
4978 checkout = str(repo.changelog.rev(other.lookup(checkout)))
4977 repo._subtoppath = source
4979 repo._subtoppath = source
4978 try:
4980 try:
4979 ret = postincoming(ui, repo, modheads, opts.get('update'), checkout)
4981 ret = postincoming(ui, repo, modheads, opts.get('update'), checkout)
4980
4982
4981 finally:
4983 finally:
4982 del repo._subtoppath
4984 del repo._subtoppath
4983
4985
4984 finally:
4986 finally:
4985 other.close()
4987 other.close()
4986 return ret
4988 return ret
4987
4989
4988 @command('^push',
4990 @command('^push',
4989 [('f', 'force', None, _('force push')),
4991 [('f', 'force', None, _('force push')),
4990 ('r', 'rev', [],
4992 ('r', 'rev', [],
4991 _('a changeset intended to be included in the destination'),
4993 _('a changeset intended to be included in the destination'),
4992 _('REV')),
4994 _('REV')),
4993 ('B', 'bookmark', [], _("bookmark to push"), _('BOOKMARK')),
4995 ('B', 'bookmark', [], _("bookmark to push"), _('BOOKMARK')),
4994 ('b', 'branch', [],
4996 ('b', 'branch', [],
4995 _('a specific branch you would like to push'), _('BRANCH')),
4997 _('a specific branch you would like to push'), _('BRANCH')),
4996 ('', 'new-branch', False, _('allow pushing a new branch')),
4998 ('', 'new-branch', False, _('allow pushing a new branch')),
4997 ] + remoteopts,
4999 ] + remoteopts,
4998 _('[-f] [-r REV]... [-e CMD] [--remotecmd CMD] [DEST]'))
5000 _('[-f] [-r REV]... [-e CMD] [--remotecmd CMD] [DEST]'))
4999 def push(ui, repo, dest=None, **opts):
5001 def push(ui, repo, dest=None, **opts):
5000 """push changes to the specified destination
5002 """push changes to the specified destination
5001
5003
5002 Push changesets from the local repository to the specified
5004 Push changesets from the local repository to the specified
5003 destination.
5005 destination.
5004
5006
5005 This operation is symmetrical to pull: it is identical to a pull
5007 This operation is symmetrical to pull: it is identical to a pull
5006 in the destination repository from the current one.
5008 in the destination repository from the current one.
5007
5009
5008 By default, push will not allow creation of new heads at the
5010 By default, push will not allow creation of new heads at the
5009 destination, since multiple heads would make it unclear which head
5011 destination, since multiple heads would make it unclear which head
5010 to use. In this situation, it is recommended to pull and merge
5012 to use. In this situation, it is recommended to pull and merge
5011 before pushing.
5013 before pushing.
5012
5014
5013 Use --new-branch if you want to allow push to create a new named
5015 Use --new-branch if you want to allow push to create a new named
5014 branch that is not present at the destination. This allows you to
5016 branch that is not present at the destination. This allows you to
5015 only create a new branch without forcing other changes.
5017 only create a new branch without forcing other changes.
5016
5018
5017 .. note::
5019 .. note::
5018
5020
5019 Extra care should be taken with the -f/--force option,
5021 Extra care should be taken with the -f/--force option,
5020 which will push all new heads on all branches, an action which will
5022 which will push all new heads on all branches, an action which will
5021 almost always cause confusion for collaborators.
5023 almost always cause confusion for collaborators.
5022
5024
5023 If -r/--rev is used, the specified revision and all its ancestors
5025 If -r/--rev is used, the specified revision and all its ancestors
5024 will be pushed to the remote repository.
5026 will be pushed to the remote repository.
5025
5027
5026 If -B/--bookmark is used, the specified bookmarked revision, its
5028 If -B/--bookmark is used, the specified bookmarked revision, its
5027 ancestors, and the bookmark will be pushed to the remote
5029 ancestors, and the bookmark will be pushed to the remote
5028 repository.
5030 repository.
5029
5031
5030 Please see :hg:`help urls` for important details about ``ssh://``
5032 Please see :hg:`help urls` for important details about ``ssh://``
5031 URLs. If DESTINATION is omitted, a default path will be used.
5033 URLs. If DESTINATION is omitted, a default path will be used.
5032
5034
5033 Returns 0 if push was successful, 1 if nothing to push.
5035 Returns 0 if push was successful, 1 if nothing to push.
5034 """
5036 """
5035
5037
5036 if opts.get('bookmark'):
5038 if opts.get('bookmark'):
5037 ui.setconfig('bookmarks', 'pushing', opts['bookmark'], 'push')
5039 ui.setconfig('bookmarks', 'pushing', opts['bookmark'], 'push')
5038 for b in opts['bookmark']:
5040 for b in opts['bookmark']:
5039 # translate -B options to -r so changesets get pushed
5041 # translate -B options to -r so changesets get pushed
5040 if b in repo._bookmarks:
5042 if b in repo._bookmarks:
5041 opts.setdefault('rev', []).append(b)
5043 opts.setdefault('rev', []).append(b)
5042 else:
5044 else:
5043 # if we try to push a deleted bookmark, translate it to null
5045 # if we try to push a deleted bookmark, translate it to null
5044 # this lets simultaneous -r, -b options continue working
5046 # this lets simultaneous -r, -b options continue working
5045 opts.setdefault('rev', []).append("null")
5047 opts.setdefault('rev', []).append("null")
5046
5048
5047 dest = ui.expandpath(dest or 'default-push', dest or 'default')
5049 dest = ui.expandpath(dest or 'default-push', dest or 'default')
5048 dest, branches = hg.parseurl(dest, opts.get('branch'))
5050 dest, branches = hg.parseurl(dest, opts.get('branch'))
5049 ui.status(_('pushing to %s\n') % util.hidepassword(dest))
5051 ui.status(_('pushing to %s\n') % util.hidepassword(dest))
5050 revs, checkout = hg.addbranchrevs(repo, repo, branches, opts.get('rev'))
5052 revs, checkout = hg.addbranchrevs(repo, repo, branches, opts.get('rev'))
5051 try:
5053 try:
5052 other = hg.peer(repo, opts, dest)
5054 other = hg.peer(repo, opts, dest)
5053 except error.RepoError:
5055 except error.RepoError:
5054 if dest == "default-push":
5056 if dest == "default-push":
5055 raise util.Abort(_("default repository not configured!"),
5057 raise util.Abort(_("default repository not configured!"),
5056 hint=_('see the "path" section in "hg help config"'))
5058 hint=_('see the "path" section in "hg help config"'))
5057 else:
5059 else:
5058 raise
5060 raise
5059
5061
5060 if revs:
5062 if revs:
5061 revs = [repo.lookup(r) for r in scmutil.revrange(repo, revs)]
5063 revs = [repo.lookup(r) for r in scmutil.revrange(repo, revs)]
5062
5064
5063 repo._subtoppath = dest
5065 repo._subtoppath = dest
5064 try:
5066 try:
5065 # push subrepos depth-first for coherent ordering
5067 # push subrepos depth-first for coherent ordering
5066 c = repo['']
5068 c = repo['']
5067 subs = c.substate # only repos that are committed
5069 subs = c.substate # only repos that are committed
5068 for s in sorted(subs):
5070 for s in sorted(subs):
5069 result = c.sub(s).push(opts)
5071 result = c.sub(s).push(opts)
5070 if result == 0:
5072 if result == 0:
5071 return not result
5073 return not result
5072 finally:
5074 finally:
5073 del repo._subtoppath
5075 del repo._subtoppath
5074 pushop = exchange.push(repo, other, opts.get('force'), revs=revs,
5076 pushop = exchange.push(repo, other, opts.get('force'), revs=revs,
5075 newbranch=opts.get('new_branch'),
5077 newbranch=opts.get('new_branch'),
5076 bookmarks=opts.get('bookmark', ()))
5078 bookmarks=opts.get('bookmark', ()))
5077
5079
5078 result = not pushop.cgresult
5080 result = not pushop.cgresult
5079
5081
5080 if pushop.bkresult is not None:
5082 if pushop.bkresult is not None:
5081 if pushop.bkresult == 2:
5083 if pushop.bkresult == 2:
5082 result = 2
5084 result = 2
5083 elif not result and pushop.bkresult:
5085 elif not result and pushop.bkresult:
5084 result = 2
5086 result = 2
5085
5087
5086 return result
5088 return result
5087
5089
5088 @command('recover', [])
5090 @command('recover', [])
5089 def recover(ui, repo):
5091 def recover(ui, repo):
5090 """roll back an interrupted transaction
5092 """roll back an interrupted transaction
5091
5093
5092 Recover from an interrupted commit or pull.
5094 Recover from an interrupted commit or pull.
5093
5095
5094 This command tries to fix the repository status after an
5096 This command tries to fix the repository status after an
5095 interrupted operation. It should only be necessary when Mercurial
5097 interrupted operation. It should only be necessary when Mercurial
5096 suggests it.
5098 suggests it.
5097
5099
5098 Returns 0 if successful, 1 if nothing to recover or verify fails.
5100 Returns 0 if successful, 1 if nothing to recover or verify fails.
5099 """
5101 """
5100 if repo.recover():
5102 if repo.recover():
5101 return hg.verify(repo)
5103 return hg.verify(repo)
5102 return 1
5104 return 1
5103
5105
5104 @command('^remove|rm',
5106 @command('^remove|rm',
5105 [('A', 'after', None, _('record delete for missing files')),
5107 [('A', 'after', None, _('record delete for missing files')),
5106 ('f', 'force', None,
5108 ('f', 'force', None,
5107 _('remove (and delete) file even if added or modified')),
5109 _('remove (and delete) file even if added or modified')),
5108 ] + walkopts,
5110 ] + walkopts,
5109 _('[OPTION]... FILE...'),
5111 _('[OPTION]... FILE...'),
5110 inferrepo=True)
5112 inferrepo=True)
5111 def remove(ui, repo, *pats, **opts):
5113 def remove(ui, repo, *pats, **opts):
5112 """remove the specified files on the next commit
5114 """remove the specified files on the next commit
5113
5115
5114 Schedule the indicated files for removal from the current branch.
5116 Schedule the indicated files for removal from the current branch.
5115
5117
5116 This command schedules the files to be removed at the next commit.
5118 This command schedules the files to be removed at the next commit.
5117 To undo a remove before that, see :hg:`revert`. To undo added
5119 To undo a remove before that, see :hg:`revert`. To undo added
5118 files, see :hg:`forget`.
5120 files, see :hg:`forget`.
5119
5121
5120 .. container:: verbose
5122 .. container:: verbose
5121
5123
5122 -A/--after can be used to remove only files that have already
5124 -A/--after can be used to remove only files that have already
5123 been deleted, -f/--force can be used to force deletion, and -Af
5125 been deleted, -f/--force can be used to force deletion, and -Af
5124 can be used to remove files from the next revision without
5126 can be used to remove files from the next revision without
5125 deleting them from the working directory.
5127 deleting them from the working directory.
5126
5128
5127 The following table details the behavior of remove for different
5129 The following table details the behavior of remove for different
5128 file states (columns) and option combinations (rows). The file
5130 file states (columns) and option combinations (rows). The file
5129 states are Added [A], Clean [C], Modified [M] and Missing [!]
5131 states are Added [A], Clean [C], Modified [M] and Missing [!]
5130 (as reported by :hg:`status`). The actions are Warn, Remove
5132 (as reported by :hg:`status`). The actions are Warn, Remove
5131 (from branch) and Delete (from disk):
5133 (from branch) and Delete (from disk):
5132
5134
5133 ========= == == == ==
5135 ========= == == == ==
5134 opt/state A C M !
5136 opt/state A C M !
5135 ========= == == == ==
5137 ========= == == == ==
5136 none W RD W R
5138 none W RD W R
5137 -f R RD RD R
5139 -f R RD RD R
5138 -A W W W R
5140 -A W W W R
5139 -Af R R R R
5141 -Af R R R R
5140 ========= == == == ==
5142 ========= == == == ==
5141
5143
5142 Note that remove never deletes files in Added [A] state from the
5144 Note that remove never deletes files in Added [A] state from the
5143 working directory, not even if option --force is specified.
5145 working directory, not even if option --force is specified.
5144
5146
5145 Returns 0 on success, 1 if any warnings encountered.
5147 Returns 0 on success, 1 if any warnings encountered.
5146 """
5148 """
5147
5149
5148 ret = 0
5150 ret = 0
5149 after, force = opts.get('after'), opts.get('force')
5151 after, force = opts.get('after'), opts.get('force')
5150 if not pats and not after:
5152 if not pats and not after:
5151 raise util.Abort(_('no files specified'))
5153 raise util.Abort(_('no files specified'))
5152
5154
5153 m = scmutil.match(repo[None], pats, opts)
5155 m = scmutil.match(repo[None], pats, opts)
5154 s = repo.status(match=m, clean=True)
5156 s = repo.status(match=m, clean=True)
5155 modified, added, deleted, clean = s[0], s[1], s[3], s[6]
5157 modified, added, deleted, clean = s[0], s[1], s[3], s[6]
5156
5158
5157 # warn about failure to delete explicit files/dirs
5159 # warn about failure to delete explicit files/dirs
5158 wctx = repo[None]
5160 wctx = repo[None]
5159 for f in m.files():
5161 for f in m.files():
5160 if f in repo.dirstate or f in wctx.dirs():
5162 if f in repo.dirstate or f in wctx.dirs():
5161 continue
5163 continue
5162 if os.path.exists(m.rel(f)):
5164 if os.path.exists(m.rel(f)):
5163 if os.path.isdir(m.rel(f)):
5165 if os.path.isdir(m.rel(f)):
5164 ui.warn(_('not removing %s: no tracked files\n') % m.rel(f))
5166 ui.warn(_('not removing %s: no tracked files\n') % m.rel(f))
5165 else:
5167 else:
5166 ui.warn(_('not removing %s: file is untracked\n') % m.rel(f))
5168 ui.warn(_('not removing %s: file is untracked\n') % m.rel(f))
5167 # missing files will generate a warning elsewhere
5169 # missing files will generate a warning elsewhere
5168 ret = 1
5170 ret = 1
5169
5171
5170 if force:
5172 if force:
5171 list = modified + deleted + clean + added
5173 list = modified + deleted + clean + added
5172 elif after:
5174 elif after:
5173 list = deleted
5175 list = deleted
5174 for f in modified + added + clean:
5176 for f in modified + added + clean:
5175 ui.warn(_('not removing %s: file still exists\n') % m.rel(f))
5177 ui.warn(_('not removing %s: file still exists\n') % m.rel(f))
5176 ret = 1
5178 ret = 1
5177 else:
5179 else:
5178 list = deleted + clean
5180 list = deleted + clean
5179 for f in modified:
5181 for f in modified:
5180 ui.warn(_('not removing %s: file is modified (use -f'
5182 ui.warn(_('not removing %s: file is modified (use -f'
5181 ' to force removal)\n') % m.rel(f))
5183 ' to force removal)\n') % m.rel(f))
5182 ret = 1
5184 ret = 1
5183 for f in added:
5185 for f in added:
5184 ui.warn(_('not removing %s: file has been marked for add'
5186 ui.warn(_('not removing %s: file has been marked for add'
5185 ' (use forget to undo)\n') % m.rel(f))
5187 ' (use forget to undo)\n') % m.rel(f))
5186 ret = 1
5188 ret = 1
5187
5189
5188 for f in sorted(list):
5190 for f in sorted(list):
5189 if ui.verbose or not m.exact(f):
5191 if ui.verbose or not m.exact(f):
5190 ui.status(_('removing %s\n') % m.rel(f))
5192 ui.status(_('removing %s\n') % m.rel(f))
5191
5193
5192 wlock = repo.wlock()
5194 wlock = repo.wlock()
5193 try:
5195 try:
5194 if not after:
5196 if not after:
5195 for f in list:
5197 for f in list:
5196 if f in added:
5198 if f in added:
5197 continue # we never unlink added files on remove
5199 continue # we never unlink added files on remove
5198 util.unlinkpath(repo.wjoin(f), ignoremissing=True)
5200 util.unlinkpath(repo.wjoin(f), ignoremissing=True)
5199 repo[None].forget(list)
5201 repo[None].forget(list)
5200 finally:
5202 finally:
5201 wlock.release()
5203 wlock.release()
5202
5204
5203 return ret
5205 return ret
5204
5206
5205 @command('rename|move|mv',
5207 @command('rename|move|mv',
5206 [('A', 'after', None, _('record a rename that has already occurred')),
5208 [('A', 'after', None, _('record a rename that has already occurred')),
5207 ('f', 'force', None, _('forcibly copy over an existing managed file')),
5209 ('f', 'force', None, _('forcibly copy over an existing managed file')),
5208 ] + walkopts + dryrunopts,
5210 ] + walkopts + dryrunopts,
5209 _('[OPTION]... SOURCE... DEST'))
5211 _('[OPTION]... SOURCE... DEST'))
5210 def rename(ui, repo, *pats, **opts):
5212 def rename(ui, repo, *pats, **opts):
5211 """rename files; equivalent of copy + remove
5213 """rename files; equivalent of copy + remove
5212
5214
5213 Mark dest as copies of sources; mark sources for deletion. If dest
5215 Mark dest as copies of sources; mark sources for deletion. If dest
5214 is a directory, copies are put in that directory. If dest is a
5216 is a directory, copies are put in that directory. If dest is a
5215 file, there can only be one source.
5217 file, there can only be one source.
5216
5218
5217 By default, this command copies the contents of files as they
5219 By default, this command copies the contents of files as they
5218 exist in the working directory. If invoked with -A/--after, the
5220 exist in the working directory. If invoked with -A/--after, the
5219 operation is recorded, but no copying is performed.
5221 operation is recorded, but no copying is performed.
5220
5222
5221 This command takes effect at the next commit. To undo a rename
5223 This command takes effect at the next commit. To undo a rename
5222 before that, see :hg:`revert`.
5224 before that, see :hg:`revert`.
5223
5225
5224 Returns 0 on success, 1 if errors are encountered.
5226 Returns 0 on success, 1 if errors are encountered.
5225 """
5227 """
5226 wlock = repo.wlock(False)
5228 wlock = repo.wlock(False)
5227 try:
5229 try:
5228 return cmdutil.copy(ui, repo, pats, opts, rename=True)
5230 return cmdutil.copy(ui, repo, pats, opts, rename=True)
5229 finally:
5231 finally:
5230 wlock.release()
5232 wlock.release()
5231
5233
5232 @command('resolve',
5234 @command('resolve',
5233 [('a', 'all', None, _('select all unresolved files')),
5235 [('a', 'all', None, _('select all unresolved files')),
5234 ('l', 'list', None, _('list state of files needing merge')),
5236 ('l', 'list', None, _('list state of files needing merge')),
5235 ('m', 'mark', None, _('mark files as resolved')),
5237 ('m', 'mark', None, _('mark files as resolved')),
5236 ('u', 'unmark', None, _('mark files as unresolved')),
5238 ('u', 'unmark', None, _('mark files as unresolved')),
5237 ('n', 'no-status', None, _('hide status prefix'))]
5239 ('n', 'no-status', None, _('hide status prefix'))]
5238 + mergetoolopts + walkopts,
5240 + mergetoolopts + walkopts,
5239 _('[OPTION]... [FILE]...'),
5241 _('[OPTION]... [FILE]...'),
5240 inferrepo=True)
5242 inferrepo=True)
5241 def resolve(ui, repo, *pats, **opts):
5243 def resolve(ui, repo, *pats, **opts):
5242 """redo merges or set/view the merge status of files
5244 """redo merges or set/view the merge status of files
5243
5245
5244 Merges with unresolved conflicts are often the result of
5246 Merges with unresolved conflicts are often the result of
5245 non-interactive merging using the ``internal:merge`` configuration
5247 non-interactive merging using the ``internal:merge`` configuration
5246 setting, or a command-line merge tool like ``diff3``. The resolve
5248 setting, or a command-line merge tool like ``diff3``. The resolve
5247 command is used to manage the files involved in a merge, after
5249 command is used to manage the files involved in a merge, after
5248 :hg:`merge` has been run, and before :hg:`commit` is run (i.e. the
5250 :hg:`merge` has been run, and before :hg:`commit` is run (i.e. the
5249 working directory must have two parents). See :hg:`help
5251 working directory must have two parents). See :hg:`help
5250 merge-tools` for information on configuring merge tools.
5252 merge-tools` for information on configuring merge tools.
5251
5253
5252 The resolve command can be used in the following ways:
5254 The resolve command can be used in the following ways:
5253
5255
5254 - :hg:`resolve [--tool TOOL] FILE...`: attempt to re-merge the specified
5256 - :hg:`resolve [--tool TOOL] FILE...`: attempt to re-merge the specified
5255 files, discarding any previous merge attempts. Re-merging is not
5257 files, discarding any previous merge attempts. Re-merging is not
5256 performed for files already marked as resolved. Use ``--all/-a``
5258 performed for files already marked as resolved. Use ``--all/-a``
5257 to select all unresolved files. ``--tool`` can be used to specify
5259 to select all unresolved files. ``--tool`` can be used to specify
5258 the merge tool used for the given files. It overrides the HGMERGE
5260 the merge tool used for the given files. It overrides the HGMERGE
5259 environment variable and your configuration files. Previous file
5261 environment variable and your configuration files. Previous file
5260 contents are saved with a ``.orig`` suffix.
5262 contents are saved with a ``.orig`` suffix.
5261
5263
5262 - :hg:`resolve -m [FILE]`: mark a file as having been resolved
5264 - :hg:`resolve -m [FILE]`: mark a file as having been resolved
5263 (e.g. after having manually fixed-up the files). The default is
5265 (e.g. after having manually fixed-up the files). The default is
5264 to mark all unresolved files.
5266 to mark all unresolved files.
5265
5267
5266 - :hg:`resolve -u [FILE]...`: mark a file as unresolved. The
5268 - :hg:`resolve -u [FILE]...`: mark a file as unresolved. The
5267 default is to mark all resolved files.
5269 default is to mark all resolved files.
5268
5270
5269 - :hg:`resolve -l`: list files which had or still have conflicts.
5271 - :hg:`resolve -l`: list files which had or still have conflicts.
5270 In the printed list, ``U`` = unresolved and ``R`` = resolved.
5272 In the printed list, ``U`` = unresolved and ``R`` = resolved.
5271
5273
5272 Note that Mercurial will not let you commit files with unresolved
5274 Note that Mercurial will not let you commit files with unresolved
5273 merge conflicts. You must use :hg:`resolve -m ...` before you can
5275 merge conflicts. You must use :hg:`resolve -m ...` before you can
5274 commit after a conflicting merge.
5276 commit after a conflicting merge.
5275
5277
5276 Returns 0 on success, 1 if any files fail a resolve attempt.
5278 Returns 0 on success, 1 if any files fail a resolve attempt.
5277 """
5279 """
5278
5280
5279 all, mark, unmark, show, nostatus = \
5281 all, mark, unmark, show, nostatus = \
5280 [opts.get(o) for o in 'all mark unmark list no_status'.split()]
5282 [opts.get(o) for o in 'all mark unmark list no_status'.split()]
5281
5283
5282 if (show and (mark or unmark)) or (mark and unmark):
5284 if (show and (mark or unmark)) or (mark and unmark):
5283 raise util.Abort(_("too many options specified"))
5285 raise util.Abort(_("too many options specified"))
5284 if pats and all:
5286 if pats and all:
5285 raise util.Abort(_("can't specify --all and patterns"))
5287 raise util.Abort(_("can't specify --all and patterns"))
5286 if not (all or pats or show or mark or unmark):
5288 if not (all or pats or show or mark or unmark):
5287 raise util.Abort(_('no files or directories specified'),
5289 raise util.Abort(_('no files or directories specified'),
5288 hint=('use --all to remerge all files'))
5290 hint=('use --all to remerge all files'))
5289
5291
5290 wlock = repo.wlock()
5292 wlock = repo.wlock()
5291 try:
5293 try:
5292 ms = mergemod.mergestate(repo)
5294 ms = mergemod.mergestate(repo)
5293
5295
5294 if not ms.active() and not show:
5296 if not ms.active() and not show:
5295 raise util.Abort(
5297 raise util.Abort(
5296 _('resolve command not applicable when not merging'))
5298 _('resolve command not applicable when not merging'))
5297
5299
5298 m = scmutil.match(repo[None], pats, opts)
5300 m = scmutil.match(repo[None], pats, opts)
5299 ret = 0
5301 ret = 0
5300 didwork = False
5302 didwork = False
5301
5303
5302 for f in ms:
5304 for f in ms:
5303 if not m(f):
5305 if not m(f):
5304 continue
5306 continue
5305
5307
5306 didwork = True
5308 didwork = True
5307
5309
5308 if show:
5310 if show:
5309 if nostatus:
5311 if nostatus:
5310 ui.write("%s\n" % f)
5312 ui.write("%s\n" % f)
5311 else:
5313 else:
5312 ui.write("%s %s\n" % (ms[f].upper(), f),
5314 ui.write("%s %s\n" % (ms[f].upper(), f),
5313 label='resolve.' +
5315 label='resolve.' +
5314 {'u': 'unresolved', 'r': 'resolved'}[ms[f]])
5316 {'u': 'unresolved', 'r': 'resolved'}[ms[f]])
5315 elif mark:
5317 elif mark:
5316 ms.mark(f, "r")
5318 ms.mark(f, "r")
5317 elif unmark:
5319 elif unmark:
5318 ms.mark(f, "u")
5320 ms.mark(f, "u")
5319 else:
5321 else:
5320 wctx = repo[None]
5322 wctx = repo[None]
5321
5323
5322 # backup pre-resolve (merge uses .orig for its own purposes)
5324 # backup pre-resolve (merge uses .orig for its own purposes)
5323 a = repo.wjoin(f)
5325 a = repo.wjoin(f)
5324 util.copyfile(a, a + ".resolve")
5326 util.copyfile(a, a + ".resolve")
5325
5327
5326 try:
5328 try:
5327 # resolve file
5329 # resolve file
5328 ui.setconfig('ui', 'forcemerge', opts.get('tool', ''),
5330 ui.setconfig('ui', 'forcemerge', opts.get('tool', ''),
5329 'resolve')
5331 'resolve')
5330 if ms.resolve(f, wctx):
5332 if ms.resolve(f, wctx):
5331 ret = 1
5333 ret = 1
5332 finally:
5334 finally:
5333 ui.setconfig('ui', 'forcemerge', '', 'resolve')
5335 ui.setconfig('ui', 'forcemerge', '', 'resolve')
5334 ms.commit()
5336 ms.commit()
5335
5337
5336 # replace filemerge's .orig file with our resolve file
5338 # replace filemerge's .orig file with our resolve file
5337 util.rename(a + ".resolve", a + ".orig")
5339 util.rename(a + ".resolve", a + ".orig")
5338
5340
5339 ms.commit()
5341 ms.commit()
5340
5342
5341 if not didwork and pats:
5343 if not didwork and pats:
5342 ui.warn(_("arguments do not match paths that need resolving\n"))
5344 ui.warn(_("arguments do not match paths that need resolving\n"))
5343
5345
5344 finally:
5346 finally:
5345 wlock.release()
5347 wlock.release()
5346
5348
5347 # Nudge users into finishing an unfinished operation. We don't print
5349 # Nudge users into finishing an unfinished operation. We don't print
5348 # this with the list/show operation because we want list/show to remain
5350 # this with the list/show operation because we want list/show to remain
5349 # machine readable.
5351 # machine readable.
5350 if not list(ms.unresolved()) and not show:
5352 if not list(ms.unresolved()) and not show:
5351 ui.status(_('(no more unresolved files)\n'))
5353 ui.status(_('(no more unresolved files)\n'))
5352
5354
5353 return ret
5355 return ret
5354
5356
5355 @command('revert',
5357 @command('revert',
5356 [('a', 'all', None, _('revert all changes when no arguments given')),
5358 [('a', 'all', None, _('revert all changes when no arguments given')),
5357 ('d', 'date', '', _('tipmost revision matching date'), _('DATE')),
5359 ('d', 'date', '', _('tipmost revision matching date'), _('DATE')),
5358 ('r', 'rev', '', _('revert to the specified revision'), _('REV')),
5360 ('r', 'rev', '', _('revert to the specified revision'), _('REV')),
5359 ('C', 'no-backup', None, _('do not save backup copies of files')),
5361 ('C', 'no-backup', None, _('do not save backup copies of files')),
5360 ] + walkopts + dryrunopts,
5362 ] + walkopts + dryrunopts,
5361 _('[OPTION]... [-r REV] [NAME]...'))
5363 _('[OPTION]... [-r REV] [NAME]...'))
5362 def revert(ui, repo, *pats, **opts):
5364 def revert(ui, repo, *pats, **opts):
5363 """restore files to their checkout state
5365 """restore files to their checkout state
5364
5366
5365 .. note::
5367 .. note::
5366
5368
5367 To check out earlier revisions, you should use :hg:`update REV`.
5369 To check out earlier revisions, you should use :hg:`update REV`.
5368 To cancel an uncommitted merge (and lose your changes),
5370 To cancel an uncommitted merge (and lose your changes),
5369 use :hg:`update --clean .`.
5371 use :hg:`update --clean .`.
5370
5372
5371 With no revision specified, revert the specified files or directories
5373 With no revision specified, revert the specified files or directories
5372 to the contents they had in the parent of the working directory.
5374 to the contents they had in the parent of the working directory.
5373 This restores the contents of files to an unmodified
5375 This restores the contents of files to an unmodified
5374 state and unschedules adds, removes, copies, and renames. If the
5376 state and unschedules adds, removes, copies, and renames. If the
5375 working directory has two parents, you must explicitly specify a
5377 working directory has two parents, you must explicitly specify a
5376 revision.
5378 revision.
5377
5379
5378 Using the -r/--rev or -d/--date options, revert the given files or
5380 Using the -r/--rev or -d/--date options, revert the given files or
5379 directories to their states as of a specific revision. Because
5381 directories to their states as of a specific revision. Because
5380 revert does not change the working directory parents, this will
5382 revert does not change the working directory parents, this will
5381 cause these files to appear modified. This can be helpful to "back
5383 cause these files to appear modified. This can be helpful to "back
5382 out" some or all of an earlier change. See :hg:`backout` for a
5384 out" some or all of an earlier change. See :hg:`backout` for a
5383 related method.
5385 related method.
5384
5386
5385 Modified files are saved with a .orig suffix before reverting.
5387 Modified files are saved with a .orig suffix before reverting.
5386 To disable these backups, use --no-backup.
5388 To disable these backups, use --no-backup.
5387
5389
5388 See :hg:`help dates` for a list of formats valid for -d/--date.
5390 See :hg:`help dates` for a list of formats valid for -d/--date.
5389
5391
5390 Returns 0 on success.
5392 Returns 0 on success.
5391 """
5393 """
5392
5394
5393 if opts.get("date"):
5395 if opts.get("date"):
5394 if opts.get("rev"):
5396 if opts.get("rev"):
5395 raise util.Abort(_("you can't specify a revision and a date"))
5397 raise util.Abort(_("you can't specify a revision and a date"))
5396 opts["rev"] = cmdutil.finddate(ui, repo, opts["date"])
5398 opts["rev"] = cmdutil.finddate(ui, repo, opts["date"])
5397
5399
5398 parent, p2 = repo.dirstate.parents()
5400 parent, p2 = repo.dirstate.parents()
5399 if not opts.get('rev') and p2 != nullid:
5401 if not opts.get('rev') and p2 != nullid:
5400 # revert after merge is a trap for new users (issue2915)
5402 # revert after merge is a trap for new users (issue2915)
5401 raise util.Abort(_('uncommitted merge with no revision specified'),
5403 raise util.Abort(_('uncommitted merge with no revision specified'),
5402 hint=_('use "hg update" or see "hg help revert"'))
5404 hint=_('use "hg update" or see "hg help revert"'))
5403
5405
5404 ctx = scmutil.revsingle(repo, opts.get('rev'))
5406 ctx = scmutil.revsingle(repo, opts.get('rev'))
5405
5407
5406 if not pats and not opts.get('all'):
5408 if not pats and not opts.get('all'):
5407 msg = _("no files or directories specified")
5409 msg = _("no files or directories specified")
5408 if p2 != nullid:
5410 if p2 != nullid:
5409 hint = _("uncommitted merge, use --all to discard all changes,"
5411 hint = _("uncommitted merge, use --all to discard all changes,"
5410 " or 'hg update -C .' to abort the merge")
5412 " or 'hg update -C .' to abort the merge")
5411 raise util.Abort(msg, hint=hint)
5413 raise util.Abort(msg, hint=hint)
5412 dirty = util.any(repo.status())
5414 dirty = util.any(repo.status())
5413 node = ctx.node()
5415 node = ctx.node()
5414 if node != parent:
5416 if node != parent:
5415 if dirty:
5417 if dirty:
5416 hint = _("uncommitted changes, use --all to discard all"
5418 hint = _("uncommitted changes, use --all to discard all"
5417 " changes, or 'hg update %s' to update") % ctx.rev()
5419 " changes, or 'hg update %s' to update") % ctx.rev()
5418 else:
5420 else:
5419 hint = _("use --all to revert all files,"
5421 hint = _("use --all to revert all files,"
5420 " or 'hg update %s' to update") % ctx.rev()
5422 " or 'hg update %s' to update") % ctx.rev()
5421 elif dirty:
5423 elif dirty:
5422 hint = _("uncommitted changes, use --all to discard all changes")
5424 hint = _("uncommitted changes, use --all to discard all changes")
5423 else:
5425 else:
5424 hint = _("use --all to revert all files")
5426 hint = _("use --all to revert all files")
5425 raise util.Abort(msg, hint=hint)
5427 raise util.Abort(msg, hint=hint)
5426
5428
5427 return cmdutil.revert(ui, repo, ctx, (parent, p2), *pats, **opts)
5429 return cmdutil.revert(ui, repo, ctx, (parent, p2), *pats, **opts)
5428
5430
5429 @command('rollback', dryrunopts +
5431 @command('rollback', dryrunopts +
5430 [('f', 'force', False, _('ignore safety measures'))])
5432 [('f', 'force', False, _('ignore safety measures'))])
5431 def rollback(ui, repo, **opts):
5433 def rollback(ui, repo, **opts):
5432 """roll back the last transaction (DANGEROUS) (DEPRECATED)
5434 """roll back the last transaction (DANGEROUS) (DEPRECATED)
5433
5435
5434 Please use :hg:`commit --amend` instead of rollback to correct
5436 Please use :hg:`commit --amend` instead of rollback to correct
5435 mistakes in the last commit.
5437 mistakes in the last commit.
5436
5438
5437 This command should be used with care. There is only one level of
5439 This command should be used with care. There is only one level of
5438 rollback, and there is no way to undo a rollback. It will also
5440 rollback, and there is no way to undo a rollback. It will also
5439 restore the dirstate at the time of the last transaction, losing
5441 restore the dirstate at the time of the last transaction, losing
5440 any dirstate changes since that time. This command does not alter
5442 any dirstate changes since that time. This command does not alter
5441 the working directory.
5443 the working directory.
5442
5444
5443 Transactions are used to encapsulate the effects of all commands
5445 Transactions are used to encapsulate the effects of all commands
5444 that create new changesets or propagate existing changesets into a
5446 that create new changesets or propagate existing changesets into a
5445 repository.
5447 repository.
5446
5448
5447 .. container:: verbose
5449 .. container:: verbose
5448
5450
5449 For example, the following commands are transactional, and their
5451 For example, the following commands are transactional, and their
5450 effects can be rolled back:
5452 effects can be rolled back:
5451
5453
5452 - commit
5454 - commit
5453 - import
5455 - import
5454 - pull
5456 - pull
5455 - push (with this repository as the destination)
5457 - push (with this repository as the destination)
5456 - unbundle
5458 - unbundle
5457
5459
5458 To avoid permanent data loss, rollback will refuse to rollback a
5460 To avoid permanent data loss, rollback will refuse to rollback a
5459 commit transaction if it isn't checked out. Use --force to
5461 commit transaction if it isn't checked out. Use --force to
5460 override this protection.
5462 override this protection.
5461
5463
5462 This command is not intended for use on public repositories. Once
5464 This command is not intended for use on public repositories. Once
5463 changes are visible for pull by other users, rolling a transaction
5465 changes are visible for pull by other users, rolling a transaction
5464 back locally is ineffective (someone else may already have pulled
5466 back locally is ineffective (someone else may already have pulled
5465 the changes). Furthermore, a race is possible with readers of the
5467 the changes). Furthermore, a race is possible with readers of the
5466 repository; for example an in-progress pull from the repository
5468 repository; for example an in-progress pull from the repository
5467 may fail if a rollback is performed.
5469 may fail if a rollback is performed.
5468
5470
5469 Returns 0 on success, 1 if no rollback data is available.
5471 Returns 0 on success, 1 if no rollback data is available.
5470 """
5472 """
5471 return repo.rollback(dryrun=opts.get('dry_run'),
5473 return repo.rollback(dryrun=opts.get('dry_run'),
5472 force=opts.get('force'))
5474 force=opts.get('force'))
5473
5475
5474 @command('root', [])
5476 @command('root', [])
5475 def root(ui, repo):
5477 def root(ui, repo):
5476 """print the root (top) of the current working directory
5478 """print the root (top) of the current working directory
5477
5479
5478 Print the root directory of the current repository.
5480 Print the root directory of the current repository.
5479
5481
5480 Returns 0 on success.
5482 Returns 0 on success.
5481 """
5483 """
5482 ui.write(repo.root + "\n")
5484 ui.write(repo.root + "\n")
5483
5485
5484 @command('^serve',
5486 @command('^serve',
5485 [('A', 'accesslog', '', _('name of access log file to write to'),
5487 [('A', 'accesslog', '', _('name of access log file to write to'),
5486 _('FILE')),
5488 _('FILE')),
5487 ('d', 'daemon', None, _('run server in background')),
5489 ('d', 'daemon', None, _('run server in background')),
5488 ('', 'daemon-pipefds', '', _('used internally by daemon mode'), _('NUM')),
5490 ('', 'daemon-pipefds', '', _('used internally by daemon mode'), _('NUM')),
5489 ('E', 'errorlog', '', _('name of error log file to write to'), _('FILE')),
5491 ('E', 'errorlog', '', _('name of error log file to write to'), _('FILE')),
5490 # use string type, then we can check if something was passed
5492 # use string type, then we can check if something was passed
5491 ('p', 'port', '', _('port to listen on (default: 8000)'), _('PORT')),
5493 ('p', 'port', '', _('port to listen on (default: 8000)'), _('PORT')),
5492 ('a', 'address', '', _('address to listen on (default: all interfaces)'),
5494 ('a', 'address', '', _('address to listen on (default: all interfaces)'),
5493 _('ADDR')),
5495 _('ADDR')),
5494 ('', 'prefix', '', _('prefix path to serve from (default: server root)'),
5496 ('', 'prefix', '', _('prefix path to serve from (default: server root)'),
5495 _('PREFIX')),
5497 _('PREFIX')),
5496 ('n', 'name', '',
5498 ('n', 'name', '',
5497 _('name to show in web pages (default: working directory)'), _('NAME')),
5499 _('name to show in web pages (default: working directory)'), _('NAME')),
5498 ('', 'web-conf', '',
5500 ('', 'web-conf', '',
5499 _('name of the hgweb config file (see "hg help hgweb")'), _('FILE')),
5501 _('name of the hgweb config file (see "hg help hgweb")'), _('FILE')),
5500 ('', 'webdir-conf', '', _('name of the hgweb config file (DEPRECATED)'),
5502 ('', 'webdir-conf', '', _('name of the hgweb config file (DEPRECATED)'),
5501 _('FILE')),
5503 _('FILE')),
5502 ('', 'pid-file', '', _('name of file to write process ID to'), _('FILE')),
5504 ('', 'pid-file', '', _('name of file to write process ID to'), _('FILE')),
5503 ('', 'stdio', None, _('for remote clients')),
5505 ('', 'stdio', None, _('for remote clients')),
5504 ('', 'cmdserver', '', _('for remote clients'), _('MODE')),
5506 ('', 'cmdserver', '', _('for remote clients'), _('MODE')),
5505 ('t', 'templates', '', _('web templates to use'), _('TEMPLATE')),
5507 ('t', 'templates', '', _('web templates to use'), _('TEMPLATE')),
5506 ('', 'style', '', _('template style to use'), _('STYLE')),
5508 ('', 'style', '', _('template style to use'), _('STYLE')),
5507 ('6', 'ipv6', None, _('use IPv6 in addition to IPv4')),
5509 ('6', 'ipv6', None, _('use IPv6 in addition to IPv4')),
5508 ('', 'certificate', '', _('SSL certificate file'), _('FILE'))],
5510 ('', 'certificate', '', _('SSL certificate file'), _('FILE'))],
5509 _('[OPTION]...'),
5511 _('[OPTION]...'),
5510 optionalrepo=True)
5512 optionalrepo=True)
5511 def serve(ui, repo, **opts):
5513 def serve(ui, repo, **opts):
5512 """start stand-alone webserver
5514 """start stand-alone webserver
5513
5515
5514 Start a local HTTP repository browser and pull server. You can use
5516 Start a local HTTP repository browser and pull server. You can use
5515 this for ad-hoc sharing and browsing of repositories. It is
5517 this for ad-hoc sharing and browsing of repositories. It is
5516 recommended to use a real web server to serve a repository for
5518 recommended to use a real web server to serve a repository for
5517 longer periods of time.
5519 longer periods of time.
5518
5520
5519 Please note that the server does not implement access control.
5521 Please note that the server does not implement access control.
5520 This means that, by default, anybody can read from the server and
5522 This means that, by default, anybody can read from the server and
5521 nobody can write to it by default. Set the ``web.allow_push``
5523 nobody can write to it by default. Set the ``web.allow_push``
5522 option to ``*`` to allow everybody to push to the server. You
5524 option to ``*`` to allow everybody to push to the server. You
5523 should use a real web server if you need to authenticate users.
5525 should use a real web server if you need to authenticate users.
5524
5526
5525 By default, the server logs accesses to stdout and errors to
5527 By default, the server logs accesses to stdout and errors to
5526 stderr. Use the -A/--accesslog and -E/--errorlog options to log to
5528 stderr. Use the -A/--accesslog and -E/--errorlog options to log to
5527 files.
5529 files.
5528
5530
5529 To have the server choose a free port number to listen on, specify
5531 To have the server choose a free port number to listen on, specify
5530 a port number of 0; in this case, the server will print the port
5532 a port number of 0; in this case, the server will print the port
5531 number it uses.
5533 number it uses.
5532
5534
5533 Returns 0 on success.
5535 Returns 0 on success.
5534 """
5536 """
5535
5537
5536 if opts["stdio"] and opts["cmdserver"]:
5538 if opts["stdio"] and opts["cmdserver"]:
5537 raise util.Abort(_("cannot use --stdio with --cmdserver"))
5539 raise util.Abort(_("cannot use --stdio with --cmdserver"))
5538
5540
5539 if opts["stdio"]:
5541 if opts["stdio"]:
5540 if repo is None:
5542 if repo is None:
5541 raise error.RepoError(_("there is no Mercurial repository here"
5543 raise error.RepoError(_("there is no Mercurial repository here"
5542 " (.hg not found)"))
5544 " (.hg not found)"))
5543 s = sshserver.sshserver(ui, repo)
5545 s = sshserver.sshserver(ui, repo)
5544 s.serve_forever()
5546 s.serve_forever()
5545
5547
5546 if opts["cmdserver"]:
5548 if opts["cmdserver"]:
5547 s = commandserver.server(ui, repo, opts["cmdserver"])
5549 s = commandserver.server(ui, repo, opts["cmdserver"])
5548 return s.serve()
5550 return s.serve()
5549
5551
5550 # this way we can check if something was given in the command-line
5552 # this way we can check if something was given in the command-line
5551 if opts.get('port'):
5553 if opts.get('port'):
5552 opts['port'] = util.getport(opts.get('port'))
5554 opts['port'] = util.getport(opts.get('port'))
5553
5555
5554 baseui = repo and repo.baseui or ui
5556 baseui = repo and repo.baseui or ui
5555 optlist = ("name templates style address port prefix ipv6"
5557 optlist = ("name templates style address port prefix ipv6"
5556 " accesslog errorlog certificate encoding")
5558 " accesslog errorlog certificate encoding")
5557 for o in optlist.split():
5559 for o in optlist.split():
5558 val = opts.get(o, '')
5560 val = opts.get(o, '')
5559 if val in (None, ''): # should check against default options instead
5561 if val in (None, ''): # should check against default options instead
5560 continue
5562 continue
5561 baseui.setconfig("web", o, val, 'serve')
5563 baseui.setconfig("web", o, val, 'serve')
5562 if repo and repo.ui != baseui:
5564 if repo and repo.ui != baseui:
5563 repo.ui.setconfig("web", o, val, 'serve')
5565 repo.ui.setconfig("web", o, val, 'serve')
5564
5566
5565 o = opts.get('web_conf') or opts.get('webdir_conf')
5567 o = opts.get('web_conf') or opts.get('webdir_conf')
5566 if not o:
5568 if not o:
5567 if not repo:
5569 if not repo:
5568 raise error.RepoError(_("there is no Mercurial repository"
5570 raise error.RepoError(_("there is no Mercurial repository"
5569 " here (.hg not found)"))
5571 " here (.hg not found)"))
5570 o = repo
5572 o = repo
5571
5573
5572 app = hgweb.hgweb(o, baseui=baseui)
5574 app = hgweb.hgweb(o, baseui=baseui)
5573 service = httpservice(ui, app, opts)
5575 service = httpservice(ui, app, opts)
5574 cmdutil.service(opts, initfn=service.init, runfn=service.run)
5576 cmdutil.service(opts, initfn=service.init, runfn=service.run)
5575
5577
5576 class httpservice(object):
5578 class httpservice(object):
5577 def __init__(self, ui, app, opts):
5579 def __init__(self, ui, app, opts):
5578 self.ui = ui
5580 self.ui = ui
5579 self.app = app
5581 self.app = app
5580 self.opts = opts
5582 self.opts = opts
5581
5583
5582 def init(self):
5584 def init(self):
5583 util.setsignalhandler()
5585 util.setsignalhandler()
5584 self.httpd = hgweb_server.create_server(self.ui, self.app)
5586 self.httpd = hgweb_server.create_server(self.ui, self.app)
5585
5587
5586 if self.opts['port'] and not self.ui.verbose:
5588 if self.opts['port'] and not self.ui.verbose:
5587 return
5589 return
5588
5590
5589 if self.httpd.prefix:
5591 if self.httpd.prefix:
5590 prefix = self.httpd.prefix.strip('/') + '/'
5592 prefix = self.httpd.prefix.strip('/') + '/'
5591 else:
5593 else:
5592 prefix = ''
5594 prefix = ''
5593
5595
5594 port = ':%d' % self.httpd.port
5596 port = ':%d' % self.httpd.port
5595 if port == ':80':
5597 if port == ':80':
5596 port = ''
5598 port = ''
5597
5599
5598 bindaddr = self.httpd.addr
5600 bindaddr = self.httpd.addr
5599 if bindaddr == '0.0.0.0':
5601 if bindaddr == '0.0.0.0':
5600 bindaddr = '*'
5602 bindaddr = '*'
5601 elif ':' in bindaddr: # IPv6
5603 elif ':' in bindaddr: # IPv6
5602 bindaddr = '[%s]' % bindaddr
5604 bindaddr = '[%s]' % bindaddr
5603
5605
5604 fqaddr = self.httpd.fqaddr
5606 fqaddr = self.httpd.fqaddr
5605 if ':' in fqaddr:
5607 if ':' in fqaddr:
5606 fqaddr = '[%s]' % fqaddr
5608 fqaddr = '[%s]' % fqaddr
5607 if self.opts['port']:
5609 if self.opts['port']:
5608 write = self.ui.status
5610 write = self.ui.status
5609 else:
5611 else:
5610 write = self.ui.write
5612 write = self.ui.write
5611 write(_('listening at http://%s%s/%s (bound to %s:%d)\n') %
5613 write(_('listening at http://%s%s/%s (bound to %s:%d)\n') %
5612 (fqaddr, port, prefix, bindaddr, self.httpd.port))
5614 (fqaddr, port, prefix, bindaddr, self.httpd.port))
5613 self.ui.flush() # avoid buffering of status message
5615 self.ui.flush() # avoid buffering of status message
5614
5616
5615 def run(self):
5617 def run(self):
5616 self.httpd.serve_forever()
5618 self.httpd.serve_forever()
5617
5619
5618
5620
5619 @command('^status|st',
5621 @command('^status|st',
5620 [('A', 'all', None, _('show status of all files')),
5622 [('A', 'all', None, _('show status of all files')),
5621 ('m', 'modified', None, _('show only modified files')),
5623 ('m', 'modified', None, _('show only modified files')),
5622 ('a', 'added', None, _('show only added files')),
5624 ('a', 'added', None, _('show only added files')),
5623 ('r', 'removed', None, _('show only removed files')),
5625 ('r', 'removed', None, _('show only removed files')),
5624 ('d', 'deleted', None, _('show only deleted (but tracked) files')),
5626 ('d', 'deleted', None, _('show only deleted (but tracked) files')),
5625 ('c', 'clean', None, _('show only files without changes')),
5627 ('c', 'clean', None, _('show only files without changes')),
5626 ('u', 'unknown', None, _('show only unknown (not tracked) files')),
5628 ('u', 'unknown', None, _('show only unknown (not tracked) files')),
5627 ('i', 'ignored', None, _('show only ignored files')),
5629 ('i', 'ignored', None, _('show only ignored files')),
5628 ('n', 'no-status', None, _('hide status prefix')),
5630 ('n', 'no-status', None, _('hide status prefix')),
5629 ('C', 'copies', None, _('show source of copied files')),
5631 ('C', 'copies', None, _('show source of copied files')),
5630 ('0', 'print0', None, _('end filenames with NUL, for use with xargs')),
5632 ('0', 'print0', None, _('end filenames with NUL, for use with xargs')),
5631 ('', 'rev', [], _('show difference from revision'), _('REV')),
5633 ('', 'rev', [], _('show difference from revision'), _('REV')),
5632 ('', 'change', '', _('list the changed files of a revision'), _('REV')),
5634 ('', 'change', '', _('list the changed files of a revision'), _('REV')),
5633 ] + walkopts + subrepoopts + formatteropts,
5635 ] + walkopts + subrepoopts + formatteropts,
5634 _('[OPTION]... [FILE]...'),
5636 _('[OPTION]... [FILE]...'),
5635 inferrepo=True)
5637 inferrepo=True)
5636 def status(ui, repo, *pats, **opts):
5638 def status(ui, repo, *pats, **opts):
5637 """show changed files in the working directory
5639 """show changed files in the working directory
5638
5640
5639 Show status of files in the repository. If names are given, only
5641 Show status of files in the repository. If names are given, only
5640 files that match are shown. Files that are clean or ignored or
5642 files that match are shown. Files that are clean or ignored or
5641 the source of a copy/move operation, are not listed unless
5643 the source of a copy/move operation, are not listed unless
5642 -c/--clean, -i/--ignored, -C/--copies or -A/--all are given.
5644 -c/--clean, -i/--ignored, -C/--copies or -A/--all are given.
5643 Unless options described with "show only ..." are given, the
5645 Unless options described with "show only ..." are given, the
5644 options -mardu are used.
5646 options -mardu are used.
5645
5647
5646 Option -q/--quiet hides untracked (unknown and ignored) files
5648 Option -q/--quiet hides untracked (unknown and ignored) files
5647 unless explicitly requested with -u/--unknown or -i/--ignored.
5649 unless explicitly requested with -u/--unknown or -i/--ignored.
5648
5650
5649 .. note::
5651 .. note::
5650
5652
5651 status may appear to disagree with diff if permissions have
5653 status may appear to disagree with diff if permissions have
5652 changed or a merge has occurred. The standard diff format does
5654 changed or a merge has occurred. The standard diff format does
5653 not report permission changes and diff only reports changes
5655 not report permission changes and diff only reports changes
5654 relative to one merge parent.
5656 relative to one merge parent.
5655
5657
5656 If one revision is given, it is used as the base revision.
5658 If one revision is given, it is used as the base revision.
5657 If two revisions are given, the differences between them are
5659 If two revisions are given, the differences between them are
5658 shown. The --change option can also be used as a shortcut to list
5660 shown. The --change option can also be used as a shortcut to list
5659 the changed files of a revision from its first parent.
5661 the changed files of a revision from its first parent.
5660
5662
5661 The codes used to show the status of files are::
5663 The codes used to show the status of files are::
5662
5664
5663 M = modified
5665 M = modified
5664 A = added
5666 A = added
5665 R = removed
5667 R = removed
5666 C = clean
5668 C = clean
5667 ! = missing (deleted by non-hg command, but still tracked)
5669 ! = missing (deleted by non-hg command, but still tracked)
5668 ? = not tracked
5670 ? = not tracked
5669 I = ignored
5671 I = ignored
5670 = origin of the previous file (with --copies)
5672 = origin of the previous file (with --copies)
5671
5673
5672 .. container:: verbose
5674 .. container:: verbose
5673
5675
5674 Examples:
5676 Examples:
5675
5677
5676 - show changes in the working directory relative to a
5678 - show changes in the working directory relative to a
5677 changeset::
5679 changeset::
5678
5680
5679 hg status --rev 9353
5681 hg status --rev 9353
5680
5682
5681 - show all changes including copies in an existing changeset::
5683 - show all changes including copies in an existing changeset::
5682
5684
5683 hg status --copies --change 9353
5685 hg status --copies --change 9353
5684
5686
5685 - get a NUL separated list of added files, suitable for xargs::
5687 - get a NUL separated list of added files, suitable for xargs::
5686
5688
5687 hg status -an0
5689 hg status -an0
5688
5690
5689 Returns 0 on success.
5691 Returns 0 on success.
5690 """
5692 """
5691
5693
5692 revs = opts.get('rev')
5694 revs = opts.get('rev')
5693 change = opts.get('change')
5695 change = opts.get('change')
5694
5696
5695 if revs and change:
5697 if revs and change:
5696 msg = _('cannot specify --rev and --change at the same time')
5698 msg = _('cannot specify --rev and --change at the same time')
5697 raise util.Abort(msg)
5699 raise util.Abort(msg)
5698 elif change:
5700 elif change:
5699 node2 = scmutil.revsingle(repo, change, None).node()
5701 node2 = scmutil.revsingle(repo, change, None).node()
5700 node1 = repo[node2].p1().node()
5702 node1 = repo[node2].p1().node()
5701 else:
5703 else:
5702 node1, node2 = scmutil.revpair(repo, revs)
5704 node1, node2 = scmutil.revpair(repo, revs)
5703
5705
5704 cwd = (pats and repo.getcwd()) or ''
5706 cwd = (pats and repo.getcwd()) or ''
5705 end = opts.get('print0') and '\0' or '\n'
5707 end = opts.get('print0') and '\0' or '\n'
5706 copy = {}
5708 copy = {}
5707 states = 'modified added removed deleted unknown ignored clean'.split()
5709 states = 'modified added removed deleted unknown ignored clean'.split()
5708 show = [k for k in states if opts.get(k)]
5710 show = [k for k in states if opts.get(k)]
5709 if opts.get('all'):
5711 if opts.get('all'):
5710 show += ui.quiet and (states[:4] + ['clean']) or states
5712 show += ui.quiet and (states[:4] + ['clean']) or states
5711 if not show:
5713 if not show:
5712 show = ui.quiet and states[:4] or states[:5]
5714 show = ui.quiet and states[:4] or states[:5]
5713
5715
5714 stat = repo.status(node1, node2, scmutil.match(repo[node2], pats, opts),
5716 stat = repo.status(node1, node2, scmutil.match(repo[node2], pats, opts),
5715 'ignored' in show, 'clean' in show, 'unknown' in show,
5717 'ignored' in show, 'clean' in show, 'unknown' in show,
5716 opts.get('subrepos'))
5718 opts.get('subrepos'))
5717 changestates = zip(states, 'MAR!?IC', stat)
5719 changestates = zip(states, 'MAR!?IC', stat)
5718
5720
5719 if (opts.get('all') or opts.get('copies')) and not opts.get('no_status'):
5721 if (opts.get('all') or opts.get('copies')) and not opts.get('no_status'):
5720 copy = copies.pathcopies(repo[node1], repo[node2])
5722 copy = copies.pathcopies(repo[node1], repo[node2])
5721
5723
5722 fm = ui.formatter('status', opts)
5724 fm = ui.formatter('status', opts)
5723 fmt = '%s' + end
5725 fmt = '%s' + end
5724 showchar = not opts.get('no_status')
5726 showchar = not opts.get('no_status')
5725
5727
5726 for state, char, files in changestates:
5728 for state, char, files in changestates:
5727 if state in show:
5729 if state in show:
5728 label = 'status.' + state
5730 label = 'status.' + state
5729 for f in files:
5731 for f in files:
5730 fm.startitem()
5732 fm.startitem()
5731 fm.condwrite(showchar, 'status', '%s ', char, label=label)
5733 fm.condwrite(showchar, 'status', '%s ', char, label=label)
5732 fm.write('path', fmt, repo.pathto(f, cwd), label=label)
5734 fm.write('path', fmt, repo.pathto(f, cwd), label=label)
5733 if f in copy:
5735 if f in copy:
5734 fm.write("copy", ' %s' + end, repo.pathto(copy[f], cwd),
5736 fm.write("copy", ' %s' + end, repo.pathto(copy[f], cwd),
5735 label='status.copied')
5737 label='status.copied')
5736 fm.end()
5738 fm.end()
5737
5739
5738 @command('^summary|sum',
5740 @command('^summary|sum',
5739 [('', 'remote', None, _('check for push and pull'))], '[--remote]')
5741 [('', 'remote', None, _('check for push and pull'))], '[--remote]')
5740 def summary(ui, repo, **opts):
5742 def summary(ui, repo, **opts):
5741 """summarize working directory state
5743 """summarize working directory state
5742
5744
5743 This generates a brief summary of the working directory state,
5745 This generates a brief summary of the working directory state,
5744 including parents, branch, commit status, and available updates.
5746 including parents, branch, commit status, and available updates.
5745
5747
5746 With the --remote option, this will check the default paths for
5748 With the --remote option, this will check the default paths for
5747 incoming and outgoing changes. This can be time-consuming.
5749 incoming and outgoing changes. This can be time-consuming.
5748
5750
5749 Returns 0 on success.
5751 Returns 0 on success.
5750 """
5752 """
5751
5753
5752 ctx = repo[None]
5754 ctx = repo[None]
5753 parents = ctx.parents()
5755 parents = ctx.parents()
5754 pnode = parents[0].node()
5756 pnode = parents[0].node()
5755 marks = []
5757 marks = []
5756
5758
5757 for p in parents:
5759 for p in parents:
5758 # label with log.changeset (instead of log.parent) since this
5760 # label with log.changeset (instead of log.parent) since this
5759 # shows a working directory parent *changeset*:
5761 # shows a working directory parent *changeset*:
5760 # i18n: column positioning for "hg summary"
5762 # i18n: column positioning for "hg summary"
5761 ui.write(_('parent: %d:%s ') % (p.rev(), str(p)),
5763 ui.write(_('parent: %d:%s ') % (p.rev(), str(p)),
5762 label='log.changeset changeset.%s' % p.phasestr())
5764 label='log.changeset changeset.%s' % p.phasestr())
5763 ui.write(' '.join(p.tags()), label='log.tag')
5765 ui.write(' '.join(p.tags()), label='log.tag')
5764 if p.bookmarks():
5766 if p.bookmarks():
5765 marks.extend(p.bookmarks())
5767 marks.extend(p.bookmarks())
5766 if p.rev() == -1:
5768 if p.rev() == -1:
5767 if not len(repo):
5769 if not len(repo):
5768 ui.write(_(' (empty repository)'))
5770 ui.write(_(' (empty repository)'))
5769 else:
5771 else:
5770 ui.write(_(' (no revision checked out)'))
5772 ui.write(_(' (no revision checked out)'))
5771 ui.write('\n')
5773 ui.write('\n')
5772 if p.description():
5774 if p.description():
5773 ui.status(' ' + p.description().splitlines()[0].strip() + '\n',
5775 ui.status(' ' + p.description().splitlines()[0].strip() + '\n',
5774 label='log.summary')
5776 label='log.summary')
5775
5777
5776 branch = ctx.branch()
5778 branch = ctx.branch()
5777 bheads = repo.branchheads(branch)
5779 bheads = repo.branchheads(branch)
5778 # i18n: column positioning for "hg summary"
5780 # i18n: column positioning for "hg summary"
5779 m = _('branch: %s\n') % branch
5781 m = _('branch: %s\n') % branch
5780 if branch != 'default':
5782 if branch != 'default':
5781 ui.write(m, label='log.branch')
5783 ui.write(m, label='log.branch')
5782 else:
5784 else:
5783 ui.status(m, label='log.branch')
5785 ui.status(m, label='log.branch')
5784
5786
5785 if marks:
5787 if marks:
5786 current = repo._bookmarkcurrent
5788 current = repo._bookmarkcurrent
5787 # i18n: column positioning for "hg summary"
5789 # i18n: column positioning for "hg summary"
5788 ui.write(_('bookmarks:'), label='log.bookmark')
5790 ui.write(_('bookmarks:'), label='log.bookmark')
5789 if current is not None:
5791 if current is not None:
5790 if current in marks:
5792 if current in marks:
5791 ui.write(' *' + current, label='bookmarks.current')
5793 ui.write(' *' + current, label='bookmarks.current')
5792 marks.remove(current)
5794 marks.remove(current)
5793 else:
5795 else:
5794 ui.write(' [%s]' % current, label='bookmarks.current')
5796 ui.write(' [%s]' % current, label='bookmarks.current')
5795 for m in marks:
5797 for m in marks:
5796 ui.write(' ' + m, label='log.bookmark')
5798 ui.write(' ' + m, label='log.bookmark')
5797 ui.write('\n', label='log.bookmark')
5799 ui.write('\n', label='log.bookmark')
5798
5800
5799 st = list(repo.status(unknown=True))[:5]
5801 st = list(repo.status(unknown=True))[:5]
5800
5802
5801 c = repo.dirstate.copies()
5803 c = repo.dirstate.copies()
5802 copied, renamed = [], []
5804 copied, renamed = [], []
5803 for d, s in c.iteritems():
5805 for d, s in c.iteritems():
5804 if s in st[2]:
5806 if s in st[2]:
5805 st[2].remove(s)
5807 st[2].remove(s)
5806 renamed.append(d)
5808 renamed.append(d)
5807 else:
5809 else:
5808 copied.append(d)
5810 copied.append(d)
5809 if d in st[1]:
5811 if d in st[1]:
5810 st[1].remove(d)
5812 st[1].remove(d)
5811 st.insert(3, renamed)
5813 st.insert(3, renamed)
5812 st.insert(4, copied)
5814 st.insert(4, copied)
5813
5815
5814 ms = mergemod.mergestate(repo)
5816 ms = mergemod.mergestate(repo)
5815 st.append([f for f in ms if ms[f] == 'u'])
5817 st.append([f for f in ms if ms[f] == 'u'])
5816
5818
5817 subs = [s for s in ctx.substate if ctx.sub(s).dirty()]
5819 subs = [s for s in ctx.substate if ctx.sub(s).dirty()]
5818 st.append(subs)
5820 st.append(subs)
5819
5821
5820 labels = [ui.label(_('%d modified'), 'status.modified'),
5822 labels = [ui.label(_('%d modified'), 'status.modified'),
5821 ui.label(_('%d added'), 'status.added'),
5823 ui.label(_('%d added'), 'status.added'),
5822 ui.label(_('%d removed'), 'status.removed'),
5824 ui.label(_('%d removed'), 'status.removed'),
5823 ui.label(_('%d renamed'), 'status.copied'),
5825 ui.label(_('%d renamed'), 'status.copied'),
5824 ui.label(_('%d copied'), 'status.copied'),
5826 ui.label(_('%d copied'), 'status.copied'),
5825 ui.label(_('%d deleted'), 'status.deleted'),
5827 ui.label(_('%d deleted'), 'status.deleted'),
5826 ui.label(_('%d unknown'), 'status.unknown'),
5828 ui.label(_('%d unknown'), 'status.unknown'),
5827 ui.label(_('%d unresolved'), 'resolve.unresolved'),
5829 ui.label(_('%d unresolved'), 'resolve.unresolved'),
5828 ui.label(_('%d subrepos'), 'status.modified')]
5830 ui.label(_('%d subrepos'), 'status.modified')]
5829 t = []
5831 t = []
5830 for s, l in zip(st, labels):
5832 for s, l in zip(st, labels):
5831 if s:
5833 if s:
5832 t.append(l % len(s))
5834 t.append(l % len(s))
5833
5835
5834 t = ', '.join(t)
5836 t = ', '.join(t)
5835 cleanworkdir = False
5837 cleanworkdir = False
5836
5838
5837 if repo.vfs.exists('updatestate'):
5839 if repo.vfs.exists('updatestate'):
5838 t += _(' (interrupted update)')
5840 t += _(' (interrupted update)')
5839 elif len(parents) > 1:
5841 elif len(parents) > 1:
5840 t += _(' (merge)')
5842 t += _(' (merge)')
5841 elif branch != parents[0].branch():
5843 elif branch != parents[0].branch():
5842 t += _(' (new branch)')
5844 t += _(' (new branch)')
5843 elif (parents[0].closesbranch() and
5845 elif (parents[0].closesbranch() and
5844 pnode in repo.branchheads(branch, closed=True)):
5846 pnode in repo.branchheads(branch, closed=True)):
5845 t += _(' (head closed)')
5847 t += _(' (head closed)')
5846 elif not (st[0] or st[1] or st[2] or st[3] or st[4] or st[8]):
5848 elif not (st[0] or st[1] or st[2] or st[3] or st[4] or st[8]):
5847 t += _(' (clean)')
5849 t += _(' (clean)')
5848 cleanworkdir = True
5850 cleanworkdir = True
5849 elif pnode not in bheads:
5851 elif pnode not in bheads:
5850 t += _(' (new branch head)')
5852 t += _(' (new branch head)')
5851
5853
5852 if cleanworkdir:
5854 if cleanworkdir:
5853 # i18n: column positioning for "hg summary"
5855 # i18n: column positioning for "hg summary"
5854 ui.status(_('commit: %s\n') % t.strip())
5856 ui.status(_('commit: %s\n') % t.strip())
5855 else:
5857 else:
5856 # i18n: column positioning for "hg summary"
5858 # i18n: column positioning for "hg summary"
5857 ui.write(_('commit: %s\n') % t.strip())
5859 ui.write(_('commit: %s\n') % t.strip())
5858
5860
5859 # all ancestors of branch heads - all ancestors of parent = new csets
5861 # all ancestors of branch heads - all ancestors of parent = new csets
5860 new = len(repo.changelog.findmissing([pctx.node() for pctx in parents],
5862 new = len(repo.changelog.findmissing([pctx.node() for pctx in parents],
5861 bheads))
5863 bheads))
5862
5864
5863 if new == 0:
5865 if new == 0:
5864 # i18n: column positioning for "hg summary"
5866 # i18n: column positioning for "hg summary"
5865 ui.status(_('update: (current)\n'))
5867 ui.status(_('update: (current)\n'))
5866 elif pnode not in bheads:
5868 elif pnode not in bheads:
5867 # i18n: column positioning for "hg summary"
5869 # i18n: column positioning for "hg summary"
5868 ui.write(_('update: %d new changesets (update)\n') % new)
5870 ui.write(_('update: %d new changesets (update)\n') % new)
5869 else:
5871 else:
5870 # i18n: column positioning for "hg summary"
5872 # i18n: column positioning for "hg summary"
5871 ui.write(_('update: %d new changesets, %d branch heads (merge)\n') %
5873 ui.write(_('update: %d new changesets, %d branch heads (merge)\n') %
5872 (new, len(bheads)))
5874 (new, len(bheads)))
5873
5875
5874 cmdutil.summaryhooks(ui, repo)
5876 cmdutil.summaryhooks(ui, repo)
5875
5877
5876 if opts.get('remote'):
5878 if opts.get('remote'):
5877 needsincoming, needsoutgoing = True, True
5879 needsincoming, needsoutgoing = True, True
5878 else:
5880 else:
5879 needsincoming, needsoutgoing = False, False
5881 needsincoming, needsoutgoing = False, False
5880 for i, o in cmdutil.summaryremotehooks(ui, repo, opts, None):
5882 for i, o in cmdutil.summaryremotehooks(ui, repo, opts, None):
5881 if i:
5883 if i:
5882 needsincoming = True
5884 needsincoming = True
5883 if o:
5885 if o:
5884 needsoutgoing = True
5886 needsoutgoing = True
5885 if not needsincoming and not needsoutgoing:
5887 if not needsincoming and not needsoutgoing:
5886 return
5888 return
5887
5889
5888 def getincoming():
5890 def getincoming():
5889 source, branches = hg.parseurl(ui.expandpath('default'))
5891 source, branches = hg.parseurl(ui.expandpath('default'))
5890 sbranch = branches[0]
5892 sbranch = branches[0]
5891 try:
5893 try:
5892 other = hg.peer(repo, {}, source)
5894 other = hg.peer(repo, {}, source)
5893 except error.RepoError:
5895 except error.RepoError:
5894 if opts.get('remote'):
5896 if opts.get('remote'):
5895 raise
5897 raise
5896 return source, sbranch, None, None, None
5898 return source, sbranch, None, None, None
5897 revs, checkout = hg.addbranchrevs(repo, other, branches, None)
5899 revs, checkout = hg.addbranchrevs(repo, other, branches, None)
5898 if revs:
5900 if revs:
5899 revs = [other.lookup(rev) for rev in revs]
5901 revs = [other.lookup(rev) for rev in revs]
5900 ui.debug('comparing with %s\n' % util.hidepassword(source))
5902 ui.debug('comparing with %s\n' % util.hidepassword(source))
5901 repo.ui.pushbuffer()
5903 repo.ui.pushbuffer()
5902 commoninc = discovery.findcommonincoming(repo, other, heads=revs)
5904 commoninc = discovery.findcommonincoming(repo, other, heads=revs)
5903 repo.ui.popbuffer()
5905 repo.ui.popbuffer()
5904 return source, sbranch, other, commoninc, commoninc[1]
5906 return source, sbranch, other, commoninc, commoninc[1]
5905
5907
5906 if needsincoming:
5908 if needsincoming:
5907 source, sbranch, sother, commoninc, incoming = getincoming()
5909 source, sbranch, sother, commoninc, incoming = getincoming()
5908 else:
5910 else:
5909 source = sbranch = sother = commoninc = incoming = None
5911 source = sbranch = sother = commoninc = incoming = None
5910
5912
5911 def getoutgoing():
5913 def getoutgoing():
5912 dest, branches = hg.parseurl(ui.expandpath('default-push', 'default'))
5914 dest, branches = hg.parseurl(ui.expandpath('default-push', 'default'))
5913 dbranch = branches[0]
5915 dbranch = branches[0]
5914 revs, checkout = hg.addbranchrevs(repo, repo, branches, None)
5916 revs, checkout = hg.addbranchrevs(repo, repo, branches, None)
5915 if source != dest:
5917 if source != dest:
5916 try:
5918 try:
5917 dother = hg.peer(repo, {}, dest)
5919 dother = hg.peer(repo, {}, dest)
5918 except error.RepoError:
5920 except error.RepoError:
5919 if opts.get('remote'):
5921 if opts.get('remote'):
5920 raise
5922 raise
5921 return dest, dbranch, None, None
5923 return dest, dbranch, None, None
5922 ui.debug('comparing with %s\n' % util.hidepassword(dest))
5924 ui.debug('comparing with %s\n' % util.hidepassword(dest))
5923 elif sother is None:
5925 elif sother is None:
5924 # there is no explicit destination peer, but source one is invalid
5926 # there is no explicit destination peer, but source one is invalid
5925 return dest, dbranch, None, None
5927 return dest, dbranch, None, None
5926 else:
5928 else:
5927 dother = sother
5929 dother = sother
5928 if (source != dest or (sbranch is not None and sbranch != dbranch)):
5930 if (source != dest or (sbranch is not None and sbranch != dbranch)):
5929 common = None
5931 common = None
5930 else:
5932 else:
5931 common = commoninc
5933 common = commoninc
5932 if revs:
5934 if revs:
5933 revs = [repo.lookup(rev) for rev in revs]
5935 revs = [repo.lookup(rev) for rev in revs]
5934 repo.ui.pushbuffer()
5936 repo.ui.pushbuffer()
5935 outgoing = discovery.findcommonoutgoing(repo, dother, onlyheads=revs,
5937 outgoing = discovery.findcommonoutgoing(repo, dother, onlyheads=revs,
5936 commoninc=common)
5938 commoninc=common)
5937 repo.ui.popbuffer()
5939 repo.ui.popbuffer()
5938 return dest, dbranch, dother, outgoing
5940 return dest, dbranch, dother, outgoing
5939
5941
5940 if needsoutgoing:
5942 if needsoutgoing:
5941 dest, dbranch, dother, outgoing = getoutgoing()
5943 dest, dbranch, dother, outgoing = getoutgoing()
5942 else:
5944 else:
5943 dest = dbranch = dother = outgoing = None
5945 dest = dbranch = dother = outgoing = None
5944
5946
5945 if opts.get('remote'):
5947 if opts.get('remote'):
5946 t = []
5948 t = []
5947 if incoming:
5949 if incoming:
5948 t.append(_('1 or more incoming'))
5950 t.append(_('1 or more incoming'))
5949 o = outgoing.missing
5951 o = outgoing.missing
5950 if o:
5952 if o:
5951 t.append(_('%d outgoing') % len(o))
5953 t.append(_('%d outgoing') % len(o))
5952 other = dother or sother
5954 other = dother or sother
5953 if 'bookmarks' in other.listkeys('namespaces'):
5955 if 'bookmarks' in other.listkeys('namespaces'):
5954 lmarks = repo.listkeys('bookmarks')
5956 lmarks = repo.listkeys('bookmarks')
5955 rmarks = other.listkeys('bookmarks')
5957 rmarks = other.listkeys('bookmarks')
5956 diff = set(rmarks) - set(lmarks)
5958 diff = set(rmarks) - set(lmarks)
5957 if len(diff) > 0:
5959 if len(diff) > 0:
5958 t.append(_('%d incoming bookmarks') % len(diff))
5960 t.append(_('%d incoming bookmarks') % len(diff))
5959 diff = set(lmarks) - set(rmarks)
5961 diff = set(lmarks) - set(rmarks)
5960 if len(diff) > 0:
5962 if len(diff) > 0:
5961 t.append(_('%d outgoing bookmarks') % len(diff))
5963 t.append(_('%d outgoing bookmarks') % len(diff))
5962
5964
5963 if t:
5965 if t:
5964 # i18n: column positioning for "hg summary"
5966 # i18n: column positioning for "hg summary"
5965 ui.write(_('remote: %s\n') % (', '.join(t)))
5967 ui.write(_('remote: %s\n') % (', '.join(t)))
5966 else:
5968 else:
5967 # i18n: column positioning for "hg summary"
5969 # i18n: column positioning for "hg summary"
5968 ui.status(_('remote: (synced)\n'))
5970 ui.status(_('remote: (synced)\n'))
5969
5971
5970 cmdutil.summaryremotehooks(ui, repo, opts,
5972 cmdutil.summaryremotehooks(ui, repo, opts,
5971 ((source, sbranch, sother, commoninc),
5973 ((source, sbranch, sother, commoninc),
5972 (dest, dbranch, dother, outgoing)))
5974 (dest, dbranch, dother, outgoing)))
5973
5975
5974 @command('tag',
5976 @command('tag',
5975 [('f', 'force', None, _('force tag')),
5977 [('f', 'force', None, _('force tag')),
5976 ('l', 'local', None, _('make the tag local')),
5978 ('l', 'local', None, _('make the tag local')),
5977 ('r', 'rev', '', _('revision to tag'), _('REV')),
5979 ('r', 'rev', '', _('revision to tag'), _('REV')),
5978 ('', 'remove', None, _('remove a tag')),
5980 ('', 'remove', None, _('remove a tag')),
5979 # -l/--local is already there, commitopts cannot be used
5981 # -l/--local is already there, commitopts cannot be used
5980 ('e', 'edit', None, _('invoke editor on commit messages')),
5982 ('e', 'edit', None, _('invoke editor on commit messages')),
5981 ('m', 'message', '', _('use text as commit message'), _('TEXT')),
5983 ('m', 'message', '', _('use text as commit message'), _('TEXT')),
5982 ] + commitopts2,
5984 ] + commitopts2,
5983 _('[-f] [-l] [-m TEXT] [-d DATE] [-u USER] [-r REV] NAME...'))
5985 _('[-f] [-l] [-m TEXT] [-d DATE] [-u USER] [-r REV] NAME...'))
5984 def tag(ui, repo, name1, *names, **opts):
5986 def tag(ui, repo, name1, *names, **opts):
5985 """add one or more tags for the current or given revision
5987 """add one or more tags for the current or given revision
5986
5988
5987 Name a particular revision using <name>.
5989 Name a particular revision using <name>.
5988
5990
5989 Tags are used to name particular revisions of the repository and are
5991 Tags are used to name particular revisions of the repository and are
5990 very useful to compare different revisions, to go back to significant
5992 very useful to compare different revisions, to go back to significant
5991 earlier versions or to mark branch points as releases, etc. Changing
5993 earlier versions or to mark branch points as releases, etc. Changing
5992 an existing tag is normally disallowed; use -f/--force to override.
5994 an existing tag is normally disallowed; use -f/--force to override.
5993
5995
5994 If no revision is given, the parent of the working directory is
5996 If no revision is given, the parent of the working directory is
5995 used.
5997 used.
5996
5998
5997 To facilitate version control, distribution, and merging of tags,
5999 To facilitate version control, distribution, and merging of tags,
5998 they are stored as a file named ".hgtags" which is managed similarly
6000 they are stored as a file named ".hgtags" which is managed similarly
5999 to other project files and can be hand-edited if necessary. This
6001 to other project files and can be hand-edited if necessary. This
6000 also means that tagging creates a new commit. The file
6002 also means that tagging creates a new commit. The file
6001 ".hg/localtags" is used for local tags (not shared among
6003 ".hg/localtags" is used for local tags (not shared among
6002 repositories).
6004 repositories).
6003
6005
6004 Tag commits are usually made at the head of a branch. If the parent
6006 Tag commits are usually made at the head of a branch. If the parent
6005 of the working directory is not a branch head, :hg:`tag` aborts; use
6007 of the working directory is not a branch head, :hg:`tag` aborts; use
6006 -f/--force to force the tag commit to be based on a non-head
6008 -f/--force to force the tag commit to be based on a non-head
6007 changeset.
6009 changeset.
6008
6010
6009 See :hg:`help dates` for a list of formats valid for -d/--date.
6011 See :hg:`help dates` for a list of formats valid for -d/--date.
6010
6012
6011 Since tag names have priority over branch names during revision
6013 Since tag names have priority over branch names during revision
6012 lookup, using an existing branch name as a tag name is discouraged.
6014 lookup, using an existing branch name as a tag name is discouraged.
6013
6015
6014 Returns 0 on success.
6016 Returns 0 on success.
6015 """
6017 """
6016 wlock = lock = None
6018 wlock = lock = None
6017 try:
6019 try:
6018 wlock = repo.wlock()
6020 wlock = repo.wlock()
6019 lock = repo.lock()
6021 lock = repo.lock()
6020 rev_ = "."
6022 rev_ = "."
6021 names = [t.strip() for t in (name1,) + names]
6023 names = [t.strip() for t in (name1,) + names]
6022 if len(names) != len(set(names)):
6024 if len(names) != len(set(names)):
6023 raise util.Abort(_('tag names must be unique'))
6025 raise util.Abort(_('tag names must be unique'))
6024 for n in names:
6026 for n in names:
6025 scmutil.checknewlabel(repo, n, 'tag')
6027 scmutil.checknewlabel(repo, n, 'tag')
6026 if not n:
6028 if not n:
6027 raise util.Abort(_('tag names cannot consist entirely of '
6029 raise util.Abort(_('tag names cannot consist entirely of '
6028 'whitespace'))
6030 'whitespace'))
6029 if opts.get('rev') and opts.get('remove'):
6031 if opts.get('rev') and opts.get('remove'):
6030 raise util.Abort(_("--rev and --remove are incompatible"))
6032 raise util.Abort(_("--rev and --remove are incompatible"))
6031 if opts.get('rev'):
6033 if opts.get('rev'):
6032 rev_ = opts['rev']
6034 rev_ = opts['rev']
6033 message = opts.get('message')
6035 message = opts.get('message')
6034 if opts.get('remove'):
6036 if opts.get('remove'):
6035 expectedtype = opts.get('local') and 'local' or 'global'
6037 expectedtype = opts.get('local') and 'local' or 'global'
6036 for n in names:
6038 for n in names:
6037 if not repo.tagtype(n):
6039 if not repo.tagtype(n):
6038 raise util.Abort(_("tag '%s' does not exist") % n)
6040 raise util.Abort(_("tag '%s' does not exist") % n)
6039 if repo.tagtype(n) != expectedtype:
6041 if repo.tagtype(n) != expectedtype:
6040 if expectedtype == 'global':
6042 if expectedtype == 'global':
6041 raise util.Abort(_("tag '%s' is not a global tag") % n)
6043 raise util.Abort(_("tag '%s' is not a global tag") % n)
6042 else:
6044 else:
6043 raise util.Abort(_("tag '%s' is not a local tag") % n)
6045 raise util.Abort(_("tag '%s' is not a local tag") % n)
6044 rev_ = nullid
6046 rev_ = nullid
6045 if not message:
6047 if not message:
6046 # we don't translate commit messages
6048 # we don't translate commit messages
6047 message = 'Removed tag %s' % ', '.join(names)
6049 message = 'Removed tag %s' % ', '.join(names)
6048 elif not opts.get('force'):
6050 elif not opts.get('force'):
6049 for n in names:
6051 for n in names:
6050 if n in repo.tags():
6052 if n in repo.tags():
6051 raise util.Abort(_("tag '%s' already exists "
6053 raise util.Abort(_("tag '%s' already exists "
6052 "(use -f to force)") % n)
6054 "(use -f to force)") % n)
6053 if not opts.get('local'):
6055 if not opts.get('local'):
6054 p1, p2 = repo.dirstate.parents()
6056 p1, p2 = repo.dirstate.parents()
6055 if p2 != nullid:
6057 if p2 != nullid:
6056 raise util.Abort(_('uncommitted merge'))
6058 raise util.Abort(_('uncommitted merge'))
6057 bheads = repo.branchheads()
6059 bheads = repo.branchheads()
6058 if not opts.get('force') and bheads and p1 not in bheads:
6060 if not opts.get('force') and bheads and p1 not in bheads:
6059 raise util.Abort(_('not at a branch head (use -f to force)'))
6061 raise util.Abort(_('not at a branch head (use -f to force)'))
6060 r = scmutil.revsingle(repo, rev_).node()
6062 r = scmutil.revsingle(repo, rev_).node()
6061
6063
6062 if not message:
6064 if not message:
6063 # we don't translate commit messages
6065 # we don't translate commit messages
6064 message = ('Added tag %s for changeset %s' %
6066 message = ('Added tag %s for changeset %s' %
6065 (', '.join(names), short(r)))
6067 (', '.join(names), short(r)))
6066
6068
6067 date = opts.get('date')
6069 date = opts.get('date')
6068 if date:
6070 if date:
6069 date = util.parsedate(date)
6071 date = util.parsedate(date)
6070
6072
6071 if opts.get('remove'):
6073 if opts.get('remove'):
6072 editform = 'tag.remove'
6074 editform = 'tag.remove'
6073 else:
6075 else:
6074 editform = 'tag.add'
6076 editform = 'tag.add'
6075 editor = cmdutil.getcommiteditor(editform=editform, **opts)
6077 editor = cmdutil.getcommiteditor(editform=editform, **opts)
6076
6078
6077 # don't allow tagging the null rev
6079 # don't allow tagging the null rev
6078 if (not opts.get('remove') and
6080 if (not opts.get('remove') and
6079 scmutil.revsingle(repo, rev_).rev() == nullrev):
6081 scmutil.revsingle(repo, rev_).rev() == nullrev):
6080 raise util.Abort(_("cannot tag null revision"))
6082 raise util.Abort(_("cannot tag null revision"))
6081
6083
6082 repo.tag(names, r, message, opts.get('local'), opts.get('user'), date,
6084 repo.tag(names, r, message, opts.get('local'), opts.get('user'), date,
6083 editor=editor)
6085 editor=editor)
6084 finally:
6086 finally:
6085 release(lock, wlock)
6087 release(lock, wlock)
6086
6088
6087 @command('tags', formatteropts, '')
6089 @command('tags', formatteropts, '')
6088 def tags(ui, repo, **opts):
6090 def tags(ui, repo, **opts):
6089 """list repository tags
6091 """list repository tags
6090
6092
6091 This lists both regular and local tags. When the -v/--verbose
6093 This lists both regular and local tags. When the -v/--verbose
6092 switch is used, a third column "local" is printed for local tags.
6094 switch is used, a third column "local" is printed for local tags.
6093
6095
6094 Returns 0 on success.
6096 Returns 0 on success.
6095 """
6097 """
6096
6098
6097 fm = ui.formatter('tags', opts)
6099 fm = ui.formatter('tags', opts)
6098 hexfunc = fm.hexfunc
6100 hexfunc = fm.hexfunc
6099 tagtype = ""
6101 tagtype = ""
6100
6102
6101 for t, n in reversed(repo.tagslist()):
6103 for t, n in reversed(repo.tagslist()):
6102 hn = hexfunc(n)
6104 hn = hexfunc(n)
6103 label = 'tags.normal'
6105 label = 'tags.normal'
6104 tagtype = ''
6106 tagtype = ''
6105 if repo.tagtype(t) == 'local':
6107 if repo.tagtype(t) == 'local':
6106 label = 'tags.local'
6108 label = 'tags.local'
6107 tagtype = 'local'
6109 tagtype = 'local'
6108
6110
6109 fm.startitem()
6111 fm.startitem()
6110 fm.write('tag', '%s', t, label=label)
6112 fm.write('tag', '%s', t, label=label)
6111 fmt = " " * (30 - encoding.colwidth(t)) + ' %5d:%s'
6113 fmt = " " * (30 - encoding.colwidth(t)) + ' %5d:%s'
6112 fm.condwrite(not ui.quiet, 'rev node', fmt,
6114 fm.condwrite(not ui.quiet, 'rev node', fmt,
6113 repo.changelog.rev(n), hn, label=label)
6115 repo.changelog.rev(n), hn, label=label)
6114 fm.condwrite(ui.verbose and tagtype, 'type', ' %s',
6116 fm.condwrite(ui.verbose and tagtype, 'type', ' %s',
6115 tagtype, label=label)
6117 tagtype, label=label)
6116 fm.plain('\n')
6118 fm.plain('\n')
6117 fm.end()
6119 fm.end()
6118
6120
6119 @command('tip',
6121 @command('tip',
6120 [('p', 'patch', None, _('show patch')),
6122 [('p', 'patch', None, _('show patch')),
6121 ('g', 'git', None, _('use git extended diff format')),
6123 ('g', 'git', None, _('use git extended diff format')),
6122 ] + templateopts,
6124 ] + templateopts,
6123 _('[-p] [-g]'))
6125 _('[-p] [-g]'))
6124 def tip(ui, repo, **opts):
6126 def tip(ui, repo, **opts):
6125 """show the tip revision (DEPRECATED)
6127 """show the tip revision (DEPRECATED)
6126
6128
6127 The tip revision (usually just called the tip) is the changeset
6129 The tip revision (usually just called the tip) is the changeset
6128 most recently added to the repository (and therefore the most
6130 most recently added to the repository (and therefore the most
6129 recently changed head).
6131 recently changed head).
6130
6132
6131 If you have just made a commit, that commit will be the tip. If
6133 If you have just made a commit, that commit will be the tip. If
6132 you have just pulled changes from another repository, the tip of
6134 you have just pulled changes from another repository, the tip of
6133 that repository becomes the current tip. The "tip" tag is special
6135 that repository becomes the current tip. The "tip" tag is special
6134 and cannot be renamed or assigned to a different changeset.
6136 and cannot be renamed or assigned to a different changeset.
6135
6137
6136 This command is deprecated, please use :hg:`heads` instead.
6138 This command is deprecated, please use :hg:`heads` instead.
6137
6139
6138 Returns 0 on success.
6140 Returns 0 on success.
6139 """
6141 """
6140 displayer = cmdutil.show_changeset(ui, repo, opts)
6142 displayer = cmdutil.show_changeset(ui, repo, opts)
6141 displayer.show(repo['tip'])
6143 displayer.show(repo['tip'])
6142 displayer.close()
6144 displayer.close()
6143
6145
6144 @command('unbundle',
6146 @command('unbundle',
6145 [('u', 'update', None,
6147 [('u', 'update', None,
6146 _('update to new branch head if changesets were unbundled'))],
6148 _('update to new branch head if changesets were unbundled'))],
6147 _('[-u] FILE...'))
6149 _('[-u] FILE...'))
6148 def unbundle(ui, repo, fname1, *fnames, **opts):
6150 def unbundle(ui, repo, fname1, *fnames, **opts):
6149 """apply one or more changegroup files
6151 """apply one or more changegroup files
6150
6152
6151 Apply one or more compressed changegroup files generated by the
6153 Apply one or more compressed changegroup files generated by the
6152 bundle command.
6154 bundle command.
6153
6155
6154 Returns 0 on success, 1 if an update has unresolved files.
6156 Returns 0 on success, 1 if an update has unresolved files.
6155 """
6157 """
6156 fnames = (fname1,) + fnames
6158 fnames = (fname1,) + fnames
6157
6159
6158 lock = repo.lock()
6160 lock = repo.lock()
6159 try:
6161 try:
6160 for fname in fnames:
6162 for fname in fnames:
6161 f = hg.openpath(ui, fname)
6163 f = hg.openpath(ui, fname)
6162 gen = exchange.readbundle(ui, f, fname)
6164 gen = exchange.readbundle(ui, f, fname)
6163 modheads = changegroup.addchangegroup(repo, gen, 'unbundle',
6165 modheads = changegroup.addchangegroup(repo, gen, 'unbundle',
6164 'bundle:' + fname)
6166 'bundle:' + fname)
6165 finally:
6167 finally:
6166 lock.release()
6168 lock.release()
6167
6169
6168 return postincoming(ui, repo, modheads, opts.get('update'), None)
6170 return postincoming(ui, repo, modheads, opts.get('update'), None)
6169
6171
6170 @command('^update|up|checkout|co',
6172 @command('^update|up|checkout|co',
6171 [('C', 'clean', None, _('discard uncommitted changes (no backup)')),
6173 [('C', 'clean', None, _('discard uncommitted changes (no backup)')),
6172 ('c', 'check', None,
6174 ('c', 'check', None,
6173 _('update across branches if no uncommitted changes')),
6175 _('update across branches if no uncommitted changes')),
6174 ('d', 'date', '', _('tipmost revision matching date'), _('DATE')),
6176 ('d', 'date', '', _('tipmost revision matching date'), _('DATE')),
6175 ('r', 'rev', '', _('revision'), _('REV'))
6177 ('r', 'rev', '', _('revision'), _('REV'))
6176 ] + mergetoolopts,
6178 ] + mergetoolopts,
6177 _('[-c] [-C] [-d DATE] [[-r] REV]'))
6179 _('[-c] [-C] [-d DATE] [[-r] REV]'))
6178 def update(ui, repo, node=None, rev=None, clean=False, date=None, check=False,
6180 def update(ui, repo, node=None, rev=None, clean=False, date=None, check=False,
6179 tool=None):
6181 tool=None):
6180 """update working directory (or switch revisions)
6182 """update working directory (or switch revisions)
6181
6183
6182 Update the repository's working directory to the specified
6184 Update the repository's working directory to the specified
6183 changeset. If no changeset is specified, update to the tip of the
6185 changeset. If no changeset is specified, update to the tip of the
6184 current named branch and move the current bookmark (see :hg:`help
6186 current named branch and move the current bookmark (see :hg:`help
6185 bookmarks`).
6187 bookmarks`).
6186
6188
6187 Update sets the working directory's parent revision to the specified
6189 Update sets the working directory's parent revision to the specified
6188 changeset (see :hg:`help parents`).
6190 changeset (see :hg:`help parents`).
6189
6191
6190 If the changeset is not a descendant or ancestor of the working
6192 If the changeset is not a descendant or ancestor of the working
6191 directory's parent, the update is aborted. With the -c/--check
6193 directory's parent, the update is aborted. With the -c/--check
6192 option, the working directory is checked for uncommitted changes; if
6194 option, the working directory is checked for uncommitted changes; if
6193 none are found, the working directory is updated to the specified
6195 none are found, the working directory is updated to the specified
6194 changeset.
6196 changeset.
6195
6197
6196 .. container:: verbose
6198 .. container:: verbose
6197
6199
6198 The following rules apply when the working directory contains
6200 The following rules apply when the working directory contains
6199 uncommitted changes:
6201 uncommitted changes:
6200
6202
6201 1. If neither -c/--check nor -C/--clean is specified, and if
6203 1. If neither -c/--check nor -C/--clean is specified, and if
6202 the requested changeset is an ancestor or descendant of
6204 the requested changeset is an ancestor or descendant of
6203 the working directory's parent, the uncommitted changes
6205 the working directory's parent, the uncommitted changes
6204 are merged into the requested changeset and the merged
6206 are merged into the requested changeset and the merged
6205 result is left uncommitted. If the requested changeset is
6207 result is left uncommitted. If the requested changeset is
6206 not an ancestor or descendant (that is, it is on another
6208 not an ancestor or descendant (that is, it is on another
6207 branch), the update is aborted and the uncommitted changes
6209 branch), the update is aborted and the uncommitted changes
6208 are preserved.
6210 are preserved.
6209
6211
6210 2. With the -c/--check option, the update is aborted and the
6212 2. With the -c/--check option, the update is aborted and the
6211 uncommitted changes are preserved.
6213 uncommitted changes are preserved.
6212
6214
6213 3. With the -C/--clean option, uncommitted changes are discarded and
6215 3. With the -C/--clean option, uncommitted changes are discarded and
6214 the working directory is updated to the requested changeset.
6216 the working directory is updated to the requested changeset.
6215
6217
6216 To cancel an uncommitted merge (and lose your changes), use
6218 To cancel an uncommitted merge (and lose your changes), use
6217 :hg:`update --clean .`.
6219 :hg:`update --clean .`.
6218
6220
6219 Use null as the changeset to remove the working directory (like
6221 Use null as the changeset to remove the working directory (like
6220 :hg:`clone -U`).
6222 :hg:`clone -U`).
6221
6223
6222 If you want to revert just one file to an older revision, use
6224 If you want to revert just one file to an older revision, use
6223 :hg:`revert [-r REV] NAME`.
6225 :hg:`revert [-r REV] NAME`.
6224
6226
6225 See :hg:`help dates` for a list of formats valid for -d/--date.
6227 See :hg:`help dates` for a list of formats valid for -d/--date.
6226
6228
6227 Returns 0 on success, 1 if there are unresolved files.
6229 Returns 0 on success, 1 if there are unresolved files.
6228 """
6230 """
6229 if rev and node:
6231 if rev and node:
6230 raise util.Abort(_("please specify just one revision"))
6232 raise util.Abort(_("please specify just one revision"))
6231
6233
6232 if rev is None or rev == '':
6234 if rev is None or rev == '':
6233 rev = node
6235 rev = node
6234
6236
6235 cmdutil.clearunfinished(repo)
6237 cmdutil.clearunfinished(repo)
6236
6238
6237 # with no argument, we also move the current bookmark, if any
6239 # with no argument, we also move the current bookmark, if any
6238 rev, movemarkfrom = bookmarks.calculateupdate(ui, repo, rev)
6240 rev, movemarkfrom = bookmarks.calculateupdate(ui, repo, rev)
6239
6241
6240 # if we defined a bookmark, we have to remember the original bookmark name
6242 # if we defined a bookmark, we have to remember the original bookmark name
6241 brev = rev
6243 brev = rev
6242 rev = scmutil.revsingle(repo, rev, rev).rev()
6244 rev = scmutil.revsingle(repo, rev, rev).rev()
6243
6245
6244 if check and clean:
6246 if check and clean:
6245 raise util.Abort(_("cannot specify both -c/--check and -C/--clean"))
6247 raise util.Abort(_("cannot specify both -c/--check and -C/--clean"))
6246
6248
6247 if date:
6249 if date:
6248 if rev is not None:
6250 if rev is not None:
6249 raise util.Abort(_("you can't specify a revision and a date"))
6251 raise util.Abort(_("you can't specify a revision and a date"))
6250 rev = cmdutil.finddate(ui, repo, date)
6252 rev = cmdutil.finddate(ui, repo, date)
6251
6253
6252 if check:
6254 if check:
6253 c = repo[None]
6255 c = repo[None]
6254 if c.dirty(merge=False, branch=False, missing=True):
6256 if c.dirty(merge=False, branch=False, missing=True):
6255 raise util.Abort(_("uncommitted changes"))
6257 raise util.Abort(_("uncommitted changes"))
6256 if rev is None:
6258 if rev is None:
6257 rev = repo[repo[None].branch()].rev()
6259 rev = repo[repo[None].branch()].rev()
6258 mergemod._checkunknown(repo, repo[None], repo[rev])
6260 mergemod._checkunknown(repo, repo[None], repo[rev])
6259
6261
6260 repo.ui.setconfig('ui', 'forcemerge', tool, 'update')
6262 repo.ui.setconfig('ui', 'forcemerge', tool, 'update')
6261
6263
6262 if clean:
6264 if clean:
6263 ret = hg.clean(repo, rev)
6265 ret = hg.clean(repo, rev)
6264 else:
6266 else:
6265 ret = hg.update(repo, rev)
6267 ret = hg.update(repo, rev)
6266
6268
6267 if not ret and movemarkfrom:
6269 if not ret and movemarkfrom:
6268 if bookmarks.update(repo, [movemarkfrom], repo['.'].node()):
6270 if bookmarks.update(repo, [movemarkfrom], repo['.'].node()):
6269 ui.status(_("updating bookmark %s\n") % repo._bookmarkcurrent)
6271 ui.status(_("updating bookmark %s\n") % repo._bookmarkcurrent)
6270 elif brev in repo._bookmarks:
6272 elif brev in repo._bookmarks:
6271 bookmarks.setcurrent(repo, brev)
6273 bookmarks.setcurrent(repo, brev)
6272 ui.status(_("(activating bookmark %s)\n") % brev)
6274 ui.status(_("(activating bookmark %s)\n") % brev)
6273 elif brev:
6275 elif brev:
6274 if repo._bookmarkcurrent:
6276 if repo._bookmarkcurrent:
6275 ui.status(_("(leaving bookmark %s)\n") %
6277 ui.status(_("(leaving bookmark %s)\n") %
6276 repo._bookmarkcurrent)
6278 repo._bookmarkcurrent)
6277 bookmarks.unsetcurrent(repo)
6279 bookmarks.unsetcurrent(repo)
6278
6280
6279 return ret
6281 return ret
6280
6282
6281 @command('verify', [])
6283 @command('verify', [])
6282 def verify(ui, repo):
6284 def verify(ui, repo):
6283 """verify the integrity of the repository
6285 """verify the integrity of the repository
6284
6286
6285 Verify the integrity of the current repository.
6287 Verify the integrity of the current repository.
6286
6288
6287 This will perform an extensive check of the repository's
6289 This will perform an extensive check of the repository's
6288 integrity, validating the hashes and checksums of each entry in
6290 integrity, validating the hashes and checksums of each entry in
6289 the changelog, manifest, and tracked files, as well as the
6291 the changelog, manifest, and tracked files, as well as the
6290 integrity of their crosslinks and indices.
6292 integrity of their crosslinks and indices.
6291
6293
6292 Please see http://mercurial.selenic.com/wiki/RepositoryCorruption
6294 Please see http://mercurial.selenic.com/wiki/RepositoryCorruption
6293 for more information about recovery from corruption of the
6295 for more information about recovery from corruption of the
6294 repository.
6296 repository.
6295
6297
6296 Returns 0 on success, 1 if errors are encountered.
6298 Returns 0 on success, 1 if errors are encountered.
6297 """
6299 """
6298 return hg.verify(repo)
6300 return hg.verify(repo)
6299
6301
6300 @command('version', [], norepo=True)
6302 @command('version', [], norepo=True)
6301 def version_(ui):
6303 def version_(ui):
6302 """output version and copyright information"""
6304 """output version and copyright information"""
6303 ui.write(_("Mercurial Distributed SCM (version %s)\n")
6305 ui.write(_("Mercurial Distributed SCM (version %s)\n")
6304 % util.version())
6306 % util.version())
6305 ui.status(_(
6307 ui.status(_(
6306 "(see http://mercurial.selenic.com for more information)\n"
6308 "(see http://mercurial.selenic.com for more information)\n"
6307 "\nCopyright (C) 2005-2014 Matt Mackall and others\n"
6309 "\nCopyright (C) 2005-2014 Matt Mackall and others\n"
6308 "This is free software; see the source for copying conditions. "
6310 "This is free software; see the source for copying conditions. "
6309 "There is NO\nwarranty; "
6311 "There is NO\nwarranty; "
6310 "not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.\n"
6312 "not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.\n"
6311 ))
6313 ))
6312
6314
6313 ui.note(_("\nEnabled extensions:\n\n"))
6315 ui.note(_("\nEnabled extensions:\n\n"))
6314 if ui.verbose:
6316 if ui.verbose:
6315 # format names and versions into columns
6317 # format names and versions into columns
6316 names = []
6318 names = []
6317 vers = []
6319 vers = []
6318 for name, module in extensions.extensions():
6320 for name, module in extensions.extensions():
6319 names.append(name)
6321 names.append(name)
6320 vers.append(extensions.moduleversion(module))
6322 vers.append(extensions.moduleversion(module))
6321 if names:
6323 if names:
6322 maxnamelen = max(len(n) for n in names)
6324 maxnamelen = max(len(n) for n in names)
6323 for i, name in enumerate(names):
6325 for i, name in enumerate(names):
6324 ui.write(" %-*s %s\n" % (maxnamelen, name, vers[i]))
6326 ui.write(" %-*s %s\n" % (maxnamelen, name, vers[i]))
General Comments 0
You need to be logged in to leave comments. Login now