Show More
@@ -1,1268 +1,1281 b'' | |||
|
1 | 1 | # |
|
2 | 2 | # Copyright 21 May 2005 - (c) 2005 Jake Edge <jake@edge2.net> |
|
3 | 3 | # Copyright 2005-2007 Matt Mackall <mpm@selenic.com> |
|
4 | 4 | # |
|
5 | 5 | # This software may be used and distributed according to the terms of the |
|
6 | 6 | # GNU General Public License version 2 or any later version. |
|
7 | 7 | |
|
8 | 8 | from __future__ import absolute_import |
|
9 | 9 | |
|
10 | 10 | import cgi |
|
11 | 11 | import copy |
|
12 | 12 | import mimetypes |
|
13 | 13 | import os |
|
14 | 14 | import re |
|
15 | 15 | |
|
16 | 16 | from ..i18n import _ |
|
17 | 17 | from ..node import hex, short |
|
18 | 18 | |
|
19 | 19 | from .common import ( |
|
20 | 20 | ErrorResponse, |
|
21 | 21 | HTTP_FORBIDDEN, |
|
22 | 22 | HTTP_NOT_FOUND, |
|
23 | 23 | HTTP_OK, |
|
24 | 24 | get_contact, |
|
25 | 25 | paritygen, |
|
26 | 26 | staticfile, |
|
27 | 27 | ) |
|
28 | 28 | |
|
29 | 29 | from .. import ( |
|
30 | 30 | archival, |
|
31 | 31 | encoding, |
|
32 | 32 | error, |
|
33 | 33 | graphmod, |
|
34 | 34 | patch, |
|
35 | 35 | revset, |
|
36 | 36 | scmutil, |
|
37 | 37 | templatefilters, |
|
38 | 38 | templater, |
|
39 | 39 | util, |
|
40 | 40 | ) |
|
41 | 41 | |
|
42 | 42 | from . import ( |
|
43 | 43 | webutil, |
|
44 | 44 | ) |
|
45 | 45 | |
|
46 | 46 | __all__ = [] |
|
47 | 47 | commands = {} |
|
48 | 48 | |
|
49 | 49 | class webcommand(object): |
|
50 | 50 | """Decorator used to register a web command handler. |
|
51 | 51 | |
|
52 | 52 | The decorator takes as its positional arguments the name/path the |
|
53 | 53 | command should be accessible under. |
|
54 | 54 | |
|
55 | 55 | Usage: |
|
56 | 56 | |
|
57 | 57 | @webcommand('mycommand') |
|
58 | 58 | def mycommand(web, req, tmpl): |
|
59 | 59 | pass |
|
60 | 60 | """ |
|
61 | 61 | |
|
62 | 62 | def __init__(self, name): |
|
63 | 63 | self.name = name |
|
64 | 64 | |
|
65 | 65 | def __call__(self, func): |
|
66 | 66 | __all__.append(self.name) |
|
67 | 67 | commands[self.name] = func |
|
68 | 68 | return func |
|
69 | 69 | |
|
70 | 70 | @webcommand('log') |
|
71 | 71 | def log(web, req, tmpl): |
|
72 | 72 | """ |
|
73 | 73 | /log[/{revision}[/{path}]] |
|
74 | 74 | -------------------------- |
|
75 | 75 | |
|
76 | 76 | Show repository or file history. |
|
77 | 77 | |
|
78 | 78 | For URLs of the form ``/log/{revision}``, a list of changesets starting at |
|
79 | 79 | the specified changeset identifier is shown. If ``{revision}`` is not |
|
80 | 80 | defined, the default is ``tip``. This form is equivalent to the |
|
81 | 81 | ``changelog`` handler. |
|
82 | 82 | |
|
83 | 83 | For URLs of the form ``/log/{revision}/{file}``, the history for a specific |
|
84 | 84 | file will be shown. This form is equivalent to the ``filelog`` handler. |
|
85 | 85 | """ |
|
86 | 86 | |
|
87 | 87 | if 'file' in req.form and req.form['file'][0]: |
|
88 | 88 | return filelog(web, req, tmpl) |
|
89 | 89 | else: |
|
90 | 90 | return changelog(web, req, tmpl) |
|
91 | 91 | |
|
92 | 92 | @webcommand('rawfile') |
|
93 | 93 | def rawfile(web, req, tmpl): |
|
94 | 94 | guessmime = web.configbool('web', 'guessmime', False) |
|
95 | 95 | |
|
96 | 96 | path = webutil.cleanpath(web.repo, req.form.get('file', [''])[0]) |
|
97 | 97 | if not path: |
|
98 | 98 | content = manifest(web, req, tmpl) |
|
99 | 99 | req.respond(HTTP_OK, web.ctype) |
|
100 | 100 | return content |
|
101 | 101 | |
|
102 | 102 | try: |
|
103 | 103 | fctx = webutil.filectx(web.repo, req) |
|
104 | 104 | except error.LookupError as inst: |
|
105 | 105 | try: |
|
106 | 106 | content = manifest(web, req, tmpl) |
|
107 | 107 | req.respond(HTTP_OK, web.ctype) |
|
108 | 108 | return content |
|
109 | 109 | except ErrorResponse: |
|
110 | 110 | raise inst |
|
111 | 111 | |
|
112 | 112 | path = fctx.path() |
|
113 | 113 | text = fctx.data() |
|
114 | 114 | mt = 'application/binary' |
|
115 | 115 | if guessmime: |
|
116 | 116 | mt = mimetypes.guess_type(path)[0] |
|
117 | 117 | if mt is None: |
|
118 | 118 | if util.binary(text): |
|
119 | 119 | mt = 'application/binary' |
|
120 | 120 | else: |
|
121 | 121 | mt = 'text/plain' |
|
122 | 122 | if mt.startswith('text/'): |
|
123 | 123 | mt += '; charset="%s"' % encoding.encoding |
|
124 | 124 | |
|
125 | 125 | req.respond(HTTP_OK, mt, path, body=text) |
|
126 | 126 | return [] |
|
127 | 127 | |
|
128 | 128 | def _filerevision(web, req, tmpl, fctx): |
|
129 | 129 | f = fctx.path() |
|
130 | 130 | text = fctx.data() |
|
131 | 131 | parity = paritygen(web.stripecount) |
|
132 | 132 | |
|
133 | 133 | if util.binary(text): |
|
134 | 134 | mt = mimetypes.guess_type(f)[0] or 'application/octet-stream' |
|
135 | 135 | text = '(binary:%s)' % mt |
|
136 | 136 | |
|
137 | 137 | def lines(): |
|
138 | 138 | for lineno, t in enumerate(text.splitlines(True)): |
|
139 | 139 | yield {"line": t, |
|
140 | 140 | "lineid": "l%d" % (lineno + 1), |
|
141 | 141 | "linenumber": "% 6d" % (lineno + 1), |
|
142 | 142 | "parity": parity.next()} |
|
143 | 143 | |
|
144 | 144 | return tmpl("filerevision", |
|
145 | 145 | file=f, |
|
146 | 146 | path=webutil.up(f), |
|
147 | 147 | text=lines(), |
|
148 | 148 | symrev=webutil.symrevorshortnode(req, fctx), |
|
149 | 149 | rename=webutil.renamelink(fctx), |
|
150 | 150 | permissions=fctx.manifest().flags(f), |
|
151 | 151 | **webutil.commonentry(web.repo, fctx)) |
|
152 | 152 | |
|
153 | 153 | @webcommand('file') |
|
154 | 154 | def file(web, req, tmpl): |
|
155 | 155 | """ |
|
156 | 156 | /file/{revision}[/{path}] |
|
157 | 157 | ------------------------- |
|
158 | 158 | |
|
159 | 159 | Show information about a directory or file in the repository. |
|
160 | 160 | |
|
161 | 161 | Info about the ``path`` given as a URL parameter will be rendered. |
|
162 | 162 | |
|
163 | 163 | If ``path`` is a directory, information about the entries in that |
|
164 | 164 | directory will be rendered. This form is equivalent to the ``manifest`` |
|
165 | 165 | handler. |
|
166 | 166 | |
|
167 | 167 | If ``path`` is a file, information about that file will be shown via |
|
168 | 168 | the ``filerevision`` template. |
|
169 | 169 | |
|
170 | 170 | If ``path`` is not defined, information about the root directory will |
|
171 | 171 | be rendered. |
|
172 | 172 | """ |
|
173 | 173 | path = webutil.cleanpath(web.repo, req.form.get('file', [''])[0]) |
|
174 | 174 | if not path: |
|
175 | 175 | return manifest(web, req, tmpl) |
|
176 | 176 | try: |
|
177 | 177 | return _filerevision(web, req, tmpl, webutil.filectx(web.repo, req)) |
|
178 | 178 | except error.LookupError as inst: |
|
179 | 179 | try: |
|
180 | 180 | return manifest(web, req, tmpl) |
|
181 | 181 | except ErrorResponse: |
|
182 | 182 | raise inst |
|
183 | 183 | |
|
184 | 184 | def _search(web, req, tmpl): |
|
185 | 185 | MODE_REVISION = 'rev' |
|
186 | 186 | MODE_KEYWORD = 'keyword' |
|
187 | 187 | MODE_REVSET = 'revset' |
|
188 | 188 | |
|
189 | 189 | def revsearch(ctx): |
|
190 | 190 | yield ctx |
|
191 | 191 | |
|
192 | 192 | def keywordsearch(query): |
|
193 | 193 | lower = encoding.lower |
|
194 | 194 | qw = lower(query).split() |
|
195 | 195 | |
|
196 | 196 | def revgen(): |
|
197 | 197 | cl = web.repo.changelog |
|
198 | 198 | for i in xrange(len(web.repo) - 1, 0, -100): |
|
199 | 199 | l = [] |
|
200 | 200 | for j in cl.revs(max(0, i - 99), i): |
|
201 | 201 | ctx = web.repo[j] |
|
202 | 202 | l.append(ctx) |
|
203 | 203 | l.reverse() |
|
204 | 204 | for e in l: |
|
205 | 205 | yield e |
|
206 | 206 | |
|
207 | 207 | for ctx in revgen(): |
|
208 | 208 | miss = 0 |
|
209 | 209 | for q in qw: |
|
210 | 210 | if not (q in lower(ctx.user()) or |
|
211 | 211 | q in lower(ctx.description()) or |
|
212 | 212 | q in lower(" ".join(ctx.files()))): |
|
213 | 213 | miss = 1 |
|
214 | 214 | break |
|
215 | 215 | if miss: |
|
216 | 216 | continue |
|
217 | 217 | |
|
218 | 218 | yield ctx |
|
219 | 219 | |
|
220 | 220 | def revsetsearch(revs): |
|
221 | 221 | for r in revs: |
|
222 | 222 | yield web.repo[r] |
|
223 | 223 | |
|
224 | 224 | searchfuncs = { |
|
225 | 225 | MODE_REVISION: (revsearch, 'exact revision search'), |
|
226 | 226 | MODE_KEYWORD: (keywordsearch, 'literal keyword search'), |
|
227 | 227 | MODE_REVSET: (revsetsearch, 'revset expression search'), |
|
228 | 228 | } |
|
229 | 229 | |
|
230 | 230 | def getsearchmode(query): |
|
231 | 231 | try: |
|
232 | 232 | ctx = web.repo[query] |
|
233 | 233 | except (error.RepoError, error.LookupError): |
|
234 | 234 | # query is not an exact revision pointer, need to |
|
235 | 235 | # decide if it's a revset expression or keywords |
|
236 | 236 | pass |
|
237 | 237 | else: |
|
238 | 238 | return MODE_REVISION, ctx |
|
239 | 239 | |
|
240 | 240 | revdef = 'reverse(%s)' % query |
|
241 | 241 | try: |
|
242 | 242 | tree = revset.parse(revdef) |
|
243 | 243 | except error.ParseError: |
|
244 | 244 | # can't parse to a revset tree |
|
245 | 245 | return MODE_KEYWORD, query |
|
246 | 246 | |
|
247 | 247 | if revset.depth(tree) <= 2: |
|
248 | 248 | # no revset syntax used |
|
249 | 249 | return MODE_KEYWORD, query |
|
250 | 250 | |
|
251 | 251 | if any((token, (value or '')[:3]) == ('string', 're:') |
|
252 | 252 | for token, value, pos in revset.tokenize(revdef)): |
|
253 | 253 | return MODE_KEYWORD, query |
|
254 | 254 | |
|
255 | 255 | funcsused = revset.funcsused(tree) |
|
256 | 256 | if not funcsused.issubset(revset.safesymbols): |
|
257 | 257 | return MODE_KEYWORD, query |
|
258 | 258 | |
|
259 | 259 | mfunc = revset.match(web.repo.ui, revdef) |
|
260 | 260 | try: |
|
261 | 261 | revs = mfunc(web.repo) |
|
262 | 262 | return MODE_REVSET, revs |
|
263 | 263 | # ParseError: wrongly placed tokens, wrongs arguments, etc |
|
264 | 264 | # RepoLookupError: no such revision, e.g. in 'revision:' |
|
265 | 265 | # Abort: bookmark/tag not exists |
|
266 | 266 | # LookupError: ambiguous identifier, e.g. in '(bc)' on a large repo |
|
267 | 267 | except (error.ParseError, error.RepoLookupError, error.Abort, |
|
268 | 268 | LookupError): |
|
269 | 269 | return MODE_KEYWORD, query |
|
270 | 270 | |
|
271 | 271 | def changelist(**map): |
|
272 | 272 | count = 0 |
|
273 | 273 | |
|
274 | 274 | for ctx in searchfunc[0](funcarg): |
|
275 | 275 | count += 1 |
|
276 | 276 | n = ctx.node() |
|
277 | 277 | showtags = webutil.showtag(web.repo, tmpl, 'changelogtag', n) |
|
278 | 278 | files = webutil.listfilediffs(tmpl, ctx.files(), n, web.maxfiles) |
|
279 | 279 | |
|
280 | 280 | yield tmpl('searchentry', |
|
281 | 281 | parity=parity.next(), |
|
282 | 282 | changelogtag=showtags, |
|
283 | 283 | files=files, |
|
284 | 284 | **webutil.commonentry(web.repo, ctx)) |
|
285 | 285 | |
|
286 | 286 | if count >= revcount: |
|
287 | 287 | break |
|
288 | 288 | |
|
289 | 289 | query = req.form['rev'][0] |
|
290 | 290 | revcount = web.maxchanges |
|
291 | 291 | if 'revcount' in req.form: |
|
292 | 292 | try: |
|
293 | 293 | revcount = int(req.form.get('revcount', [revcount])[0]) |
|
294 | 294 | revcount = max(revcount, 1) |
|
295 | 295 | tmpl.defaults['sessionvars']['revcount'] = revcount |
|
296 | 296 | except ValueError: |
|
297 | 297 | pass |
|
298 | 298 | |
|
299 | 299 | lessvars = copy.copy(tmpl.defaults['sessionvars']) |
|
300 | 300 | lessvars['revcount'] = max(revcount / 2, 1) |
|
301 | 301 | lessvars['rev'] = query |
|
302 | 302 | morevars = copy.copy(tmpl.defaults['sessionvars']) |
|
303 | 303 | morevars['revcount'] = revcount * 2 |
|
304 | 304 | morevars['rev'] = query |
|
305 | 305 | |
|
306 | 306 | mode, funcarg = getsearchmode(query) |
|
307 | 307 | |
|
308 | 308 | if 'forcekw' in req.form: |
|
309 | 309 | showforcekw = '' |
|
310 | 310 | showunforcekw = searchfuncs[mode][1] |
|
311 | 311 | mode = MODE_KEYWORD |
|
312 | 312 | funcarg = query |
|
313 | 313 | else: |
|
314 | 314 | if mode != MODE_KEYWORD: |
|
315 | 315 | showforcekw = searchfuncs[MODE_KEYWORD][1] |
|
316 | 316 | else: |
|
317 | 317 | showforcekw = '' |
|
318 | 318 | showunforcekw = '' |
|
319 | 319 | |
|
320 | 320 | searchfunc = searchfuncs[mode] |
|
321 | 321 | |
|
322 | 322 | tip = web.repo['tip'] |
|
323 | 323 | parity = paritygen(web.stripecount) |
|
324 | 324 | |
|
325 | 325 | return tmpl('search', query=query, node=tip.hex(), symrev='tip', |
|
326 | 326 | entries=changelist, archives=web.archivelist("tip"), |
|
327 | 327 | morevars=morevars, lessvars=lessvars, |
|
328 | 328 | modedesc=searchfunc[1], |
|
329 | 329 | showforcekw=showforcekw, showunforcekw=showunforcekw) |
|
330 | 330 | |
|
331 | 331 | @webcommand('changelog') |
|
332 | 332 | def changelog(web, req, tmpl, shortlog=False): |
|
333 | 333 | """ |
|
334 | 334 | /changelog[/{revision}] |
|
335 | 335 | ----------------------- |
|
336 | 336 | |
|
337 | 337 | Show information about multiple changesets. |
|
338 | 338 | |
|
339 | 339 | If the optional ``revision`` URL argument is absent, information about |
|
340 | 340 | all changesets starting at ``tip`` will be rendered. If the ``revision`` |
|
341 | 341 | argument is present, changesets will be shown starting from the specified |
|
342 | 342 | revision. |
|
343 | 343 | |
|
344 | 344 | If ``revision`` is absent, the ``rev`` query string argument may be |
|
345 | 345 | defined. This will perform a search for changesets. |
|
346 | 346 | |
|
347 | 347 | The argument for ``rev`` can be a single revision, a revision set, |
|
348 | 348 | or a literal keyword to search for in changeset data (equivalent to |
|
349 | 349 | :hg:`log -k`). |
|
350 | 350 | |
|
351 | 351 | The ``revcount`` query string argument defines the maximum numbers of |
|
352 | 352 | changesets to render. |
|
353 | 353 | |
|
354 | 354 | For non-searches, the ``changelog`` template will be rendered. |
|
355 | 355 | """ |
|
356 | 356 | |
|
357 | 357 | query = '' |
|
358 | 358 | if 'node' in req.form: |
|
359 | 359 | ctx = webutil.changectx(web.repo, req) |
|
360 | 360 | symrev = webutil.symrevorshortnode(req, ctx) |
|
361 | 361 | elif 'rev' in req.form: |
|
362 | 362 | return _search(web, req, tmpl) |
|
363 | 363 | else: |
|
364 | 364 | ctx = web.repo['tip'] |
|
365 | 365 | symrev = 'tip' |
|
366 | 366 | |
|
367 | 367 | def changelist(): |
|
368 | 368 | revs = [] |
|
369 | 369 | if pos != -1: |
|
370 | 370 | revs = web.repo.changelog.revs(pos, 0) |
|
371 | 371 | curcount = 0 |
|
372 | 372 | for rev in revs: |
|
373 | 373 | curcount += 1 |
|
374 | 374 | if curcount > revcount + 1: |
|
375 | 375 | break |
|
376 | 376 | |
|
377 | 377 | entry = webutil.changelistentry(web, web.repo[rev], tmpl) |
|
378 | 378 | entry['parity'] = parity.next() |
|
379 | 379 | yield entry |
|
380 | 380 | |
|
381 | 381 | if shortlog: |
|
382 | 382 | revcount = web.maxshortchanges |
|
383 | 383 | else: |
|
384 | 384 | revcount = web.maxchanges |
|
385 | 385 | |
|
386 | 386 | if 'revcount' in req.form: |
|
387 | 387 | try: |
|
388 | 388 | revcount = int(req.form.get('revcount', [revcount])[0]) |
|
389 | 389 | revcount = max(revcount, 1) |
|
390 | 390 | tmpl.defaults['sessionvars']['revcount'] = revcount |
|
391 | 391 | except ValueError: |
|
392 | 392 | pass |
|
393 | 393 | |
|
394 | 394 | lessvars = copy.copy(tmpl.defaults['sessionvars']) |
|
395 | 395 | lessvars['revcount'] = max(revcount / 2, 1) |
|
396 | 396 | morevars = copy.copy(tmpl.defaults['sessionvars']) |
|
397 | 397 | morevars['revcount'] = revcount * 2 |
|
398 | 398 | |
|
399 | 399 | count = len(web.repo) |
|
400 | 400 | pos = ctx.rev() |
|
401 | 401 | parity = paritygen(web.stripecount) |
|
402 | 402 | |
|
403 | 403 | changenav = webutil.revnav(web.repo).gen(pos, revcount, count) |
|
404 | 404 | |
|
405 | 405 | entries = list(changelist()) |
|
406 | 406 | latestentry = entries[:1] |
|
407 | 407 | if len(entries) > revcount: |
|
408 | 408 | nextentry = entries[-1:] |
|
409 | 409 | entries = entries[:-1] |
|
410 | 410 | else: |
|
411 | 411 | nextentry = [] |
|
412 | 412 | |
|
413 | 413 | return tmpl(shortlog and 'shortlog' or 'changelog', changenav=changenav, |
|
414 | 414 | node=ctx.hex(), rev=pos, symrev=symrev, changesets=count, |
|
415 | 415 | entries=entries, |
|
416 | 416 | latestentry=latestentry, nextentry=nextentry, |
|
417 | 417 | archives=web.archivelist("tip"), revcount=revcount, |
|
418 | 418 | morevars=morevars, lessvars=lessvars, query=query) |
|
419 | 419 | |
|
420 | 420 | @webcommand('shortlog') |
|
421 | 421 | def shortlog(web, req, tmpl): |
|
422 | 422 | """ |
|
423 | 423 | /shortlog |
|
424 | 424 | --------- |
|
425 | 425 | |
|
426 | 426 | Show basic information about a set of changesets. |
|
427 | 427 | |
|
428 | 428 | This accepts the same parameters as the ``changelog`` handler. The only |
|
429 | 429 | difference is the ``shortlog`` template will be rendered instead of the |
|
430 | 430 | ``changelog`` template. |
|
431 | 431 | """ |
|
432 | 432 | return changelog(web, req, tmpl, shortlog=True) |
|
433 | 433 | |
|
434 | 434 | @webcommand('changeset') |
|
435 | 435 | def changeset(web, req, tmpl): |
|
436 | 436 | """ |
|
437 | 437 | /changeset[/{revision}] |
|
438 | 438 | ----------------------- |
|
439 | 439 | |
|
440 | 440 | Show information about a single changeset. |
|
441 | 441 | |
|
442 | 442 | A URL path argument is the changeset identifier to show. See ``hg help |
|
443 | 443 | revisions`` for possible values. If not defined, the ``tip`` changeset |
|
444 | 444 | will be shown. |
|
445 | 445 | |
|
446 | 446 | The ``changeset`` template is rendered. Contents of the ``changesettag``, |
|
447 | 447 | ``changesetbookmark``, ``filenodelink``, ``filenolink``, and the many |
|
448 | 448 | templates related to diffs may all be used to produce the output. |
|
449 | 449 | """ |
|
450 | 450 | ctx = webutil.changectx(web.repo, req) |
|
451 | 451 | |
|
452 | 452 | return tmpl('changeset', **webutil.changesetentry(web, req, tmpl, ctx)) |
|
453 | 453 | |
|
454 | 454 | rev = webcommand('rev')(changeset) |
|
455 | 455 | |
|
456 | 456 | def decodepath(path): |
|
457 | 457 | """Hook for mapping a path in the repository to a path in the |
|
458 | 458 | working copy. |
|
459 | 459 | |
|
460 | 460 | Extensions (e.g., largefiles) can override this to remap files in |
|
461 | 461 | the virtual file system presented by the manifest command below.""" |
|
462 | 462 | return path |
|
463 | 463 | |
|
464 | 464 | @webcommand('manifest') |
|
465 | 465 | def manifest(web, req, tmpl): |
|
466 | 466 | """ |
|
467 | 467 | /manifest[/{revision}[/{path}]] |
|
468 | 468 | ------------------------------- |
|
469 | 469 | |
|
470 | 470 | Show information about a directory. |
|
471 | 471 | |
|
472 | 472 | If the URL path arguments are omitted, information about the root |
|
473 | 473 | directory for the ``tip`` changeset will be shown. |
|
474 | 474 | |
|
475 | 475 | Because this handler can only show information for directories, it |
|
476 | 476 | is recommended to use the ``file`` handler instead, as it can handle both |
|
477 | 477 | directories and files. |
|
478 | 478 | |
|
479 | 479 | The ``manifest`` template will be rendered for this handler. |
|
480 | 480 | """ |
|
481 | 481 | if 'node' in req.form: |
|
482 | 482 | ctx = webutil.changectx(web.repo, req) |
|
483 | 483 | symrev = webutil.symrevorshortnode(req, ctx) |
|
484 | 484 | else: |
|
485 | 485 | ctx = web.repo['tip'] |
|
486 | 486 | symrev = 'tip' |
|
487 | 487 | path = webutil.cleanpath(web.repo, req.form.get('file', [''])[0]) |
|
488 | 488 | mf = ctx.manifest() |
|
489 | 489 | node = ctx.node() |
|
490 | 490 | |
|
491 | 491 | files = {} |
|
492 | 492 | dirs = {} |
|
493 | 493 | parity = paritygen(web.stripecount) |
|
494 | 494 | |
|
495 | 495 | if path and path[-1] != "/": |
|
496 | 496 | path += "/" |
|
497 | 497 | l = len(path) |
|
498 | 498 | abspath = "/" + path |
|
499 | 499 | |
|
500 | 500 | for full, n in mf.iteritems(): |
|
501 | 501 | # the virtual path (working copy path) used for the full |
|
502 | 502 | # (repository) path |
|
503 | 503 | f = decodepath(full) |
|
504 | 504 | |
|
505 | 505 | if f[:l] != path: |
|
506 | 506 | continue |
|
507 | 507 | remain = f[l:] |
|
508 | 508 | elements = remain.split('/') |
|
509 | 509 | if len(elements) == 1: |
|
510 | 510 | files[remain] = full |
|
511 | 511 | else: |
|
512 | 512 | h = dirs # need to retain ref to dirs (root) |
|
513 | 513 | for elem in elements[0:-1]: |
|
514 | 514 | if elem not in h: |
|
515 | 515 | h[elem] = {} |
|
516 | 516 | h = h[elem] |
|
517 | 517 | if len(h) > 1: |
|
518 | 518 | break |
|
519 | 519 | h[None] = None # denotes files present |
|
520 | 520 | |
|
521 | 521 | if mf and not files and not dirs: |
|
522 | 522 | raise ErrorResponse(HTTP_NOT_FOUND, 'path not found: ' + path) |
|
523 | 523 | |
|
524 | 524 | def filelist(**map): |
|
525 | 525 | for f in sorted(files): |
|
526 | 526 | full = files[f] |
|
527 | 527 | |
|
528 | 528 | fctx = ctx.filectx(full) |
|
529 | 529 | yield {"file": full, |
|
530 | 530 | "parity": parity.next(), |
|
531 | 531 | "basename": f, |
|
532 | 532 | "date": fctx.date(), |
|
533 | 533 | "size": fctx.size(), |
|
534 | 534 | "permissions": mf.flags(full)} |
|
535 | 535 | |
|
536 | 536 | def dirlist(**map): |
|
537 | 537 | for d in sorted(dirs): |
|
538 | 538 | |
|
539 | 539 | emptydirs = [] |
|
540 | 540 | h = dirs[d] |
|
541 | 541 | while isinstance(h, dict) and len(h) == 1: |
|
542 | 542 | k, v = h.items()[0] |
|
543 | 543 | if v: |
|
544 | 544 | emptydirs.append(k) |
|
545 | 545 | h = v |
|
546 | 546 | |
|
547 | 547 | path = "%s%s" % (abspath, d) |
|
548 | 548 | yield {"parity": parity.next(), |
|
549 | 549 | "path": path, |
|
550 | 550 | "emptydirs": "/".join(emptydirs), |
|
551 | 551 | "basename": d} |
|
552 | 552 | |
|
553 | 553 | return tmpl("manifest", |
|
554 | 554 | symrev=symrev, |
|
555 | 555 | path=abspath, |
|
556 | 556 | up=webutil.up(abspath), |
|
557 | 557 | upparity=parity.next(), |
|
558 | 558 | fentries=filelist, |
|
559 | 559 | dentries=dirlist, |
|
560 | 560 | archives=web.archivelist(hex(node)), |
|
561 | 561 | **webutil.commonentry(web.repo, ctx)) |
|
562 | 562 | |
|
563 | 563 | @webcommand('tags') |
|
564 | 564 | def tags(web, req, tmpl): |
|
565 | 565 | """ |
|
566 | 566 | /tags |
|
567 | 567 | ----- |
|
568 | 568 | |
|
569 | 569 | Show information about tags. |
|
570 | 570 | |
|
571 | 571 | No arguments are accepted. |
|
572 | 572 | |
|
573 | 573 | The ``tags`` template is rendered. |
|
574 | 574 | """ |
|
575 | 575 | i = list(reversed(web.repo.tagslist())) |
|
576 | 576 | parity = paritygen(web.stripecount) |
|
577 | 577 | |
|
578 | 578 | def entries(notip, latestonly, **map): |
|
579 | 579 | t = i |
|
580 | 580 | if notip: |
|
581 | 581 | t = [(k, n) for k, n in i if k != "tip"] |
|
582 | 582 | if latestonly: |
|
583 | 583 | t = t[:1] |
|
584 | 584 | for k, n in t: |
|
585 | 585 | yield {"parity": parity.next(), |
|
586 | 586 | "tag": k, |
|
587 | 587 | "date": web.repo[n].date(), |
|
588 | 588 | "node": hex(n)} |
|
589 | 589 | |
|
590 | 590 | return tmpl("tags", |
|
591 | 591 | node=hex(web.repo.changelog.tip()), |
|
592 | 592 | entries=lambda **x: entries(False, False, **x), |
|
593 | 593 | entriesnotip=lambda **x: entries(True, False, **x), |
|
594 | 594 | latestentry=lambda **x: entries(True, True, **x)) |
|
595 | 595 | |
|
596 | 596 | @webcommand('bookmarks') |
|
597 | 597 | def bookmarks(web, req, tmpl): |
|
598 | 598 | """ |
|
599 | 599 | /bookmarks |
|
600 | 600 | ---------- |
|
601 | 601 | |
|
602 | 602 | Show information about bookmarks. |
|
603 | 603 | |
|
604 | 604 | No arguments are accepted. |
|
605 | 605 | |
|
606 | 606 | The ``bookmarks`` template is rendered. |
|
607 | 607 | """ |
|
608 | 608 | i = [b for b in web.repo._bookmarks.items() if b[1] in web.repo] |
|
609 | 609 | parity = paritygen(web.stripecount) |
|
610 | 610 | |
|
611 | 611 | def entries(latestonly, **map): |
|
612 | 612 | if latestonly: |
|
613 | 613 | t = [min(i)] |
|
614 | 614 | else: |
|
615 | 615 | t = sorted(i) |
|
616 | 616 | for k, n in t: |
|
617 | 617 | yield {"parity": parity.next(), |
|
618 | 618 | "bookmark": k, |
|
619 | 619 | "date": web.repo[n].date(), |
|
620 | 620 | "node": hex(n)} |
|
621 | 621 | |
|
622 | 622 | return tmpl("bookmarks", |
|
623 | 623 | node=hex(web.repo.changelog.tip()), |
|
624 | 624 | entries=lambda **x: entries(latestonly=False, **x), |
|
625 | 625 | latestentry=lambda **x: entries(latestonly=True, **x)) |
|
626 | 626 | |
|
627 | 627 | @webcommand('branches') |
|
628 | 628 | def branches(web, req, tmpl): |
|
629 | 629 | """ |
|
630 | 630 | /branches |
|
631 | 631 | --------- |
|
632 | 632 | |
|
633 | 633 | Show information about branches. |
|
634 | 634 | |
|
635 | 635 | All known branches are contained in the output, even closed branches. |
|
636 | 636 | |
|
637 | 637 | No arguments are accepted. |
|
638 | 638 | |
|
639 | 639 | The ``branches`` template is rendered. |
|
640 | 640 | """ |
|
641 | 641 | entries = webutil.branchentries(web.repo, web.stripecount) |
|
642 | 642 | latestentry = webutil.branchentries(web.repo, web.stripecount, 1) |
|
643 | 643 | return tmpl('branches', node=hex(web.repo.changelog.tip()), |
|
644 | 644 | entries=entries, latestentry=latestentry) |
|
645 | 645 | |
|
646 | 646 | @webcommand('summary') |
|
647 | 647 | def summary(web, req, tmpl): |
|
648 | 648 | """ |
|
649 | 649 | /summary |
|
650 | 650 | -------- |
|
651 | 651 | |
|
652 | 652 | Show a summary of repository state. |
|
653 | 653 | |
|
654 | 654 | Information about the latest changesets, bookmarks, tags, and branches |
|
655 | 655 | is captured by this handler. |
|
656 | 656 | |
|
657 | 657 | The ``summary`` template is rendered. |
|
658 | 658 | """ |
|
659 | 659 | i = reversed(web.repo.tagslist()) |
|
660 | 660 | |
|
661 | 661 | def tagentries(**map): |
|
662 | 662 | parity = paritygen(web.stripecount) |
|
663 | 663 | count = 0 |
|
664 | 664 | for k, n in i: |
|
665 | 665 | if k == "tip": # skip tip |
|
666 | 666 | continue |
|
667 | 667 | |
|
668 | 668 | count += 1 |
|
669 | 669 | if count > 10: # limit to 10 tags |
|
670 | 670 | break |
|
671 | 671 | |
|
672 | 672 | yield tmpl("tagentry", |
|
673 | 673 | parity=parity.next(), |
|
674 | 674 | tag=k, |
|
675 | 675 | node=hex(n), |
|
676 | 676 | date=web.repo[n].date()) |
|
677 | 677 | |
|
678 | 678 | def bookmarks(**map): |
|
679 | 679 | parity = paritygen(web.stripecount) |
|
680 | 680 | marks = [b for b in web.repo._bookmarks.items() if b[1] in web.repo] |
|
681 | 681 | for k, n in sorted(marks)[:10]: # limit to 10 bookmarks |
|
682 | 682 | yield {'parity': parity.next(), |
|
683 | 683 | 'bookmark': k, |
|
684 | 684 | 'date': web.repo[n].date(), |
|
685 | 685 | 'node': hex(n)} |
|
686 | 686 | |
|
687 | 687 | def changelist(**map): |
|
688 | 688 | parity = paritygen(web.stripecount, offset=start - end) |
|
689 | 689 | l = [] # build a list in forward order for efficiency |
|
690 | 690 | revs = [] |
|
691 | 691 | if start < end: |
|
692 | 692 | revs = web.repo.changelog.revs(start, end - 1) |
|
693 | 693 | for i in revs: |
|
694 | 694 | ctx = web.repo[i] |
|
695 | 695 | |
|
696 | 696 | l.append(tmpl( |
|
697 | 697 | 'shortlogentry', |
|
698 | 698 | parity=parity.next(), |
|
699 | 699 | **webutil.commonentry(web.repo, ctx))) |
|
700 | 700 | |
|
701 | 701 | l.reverse() |
|
702 | 702 | yield l |
|
703 | 703 | |
|
704 | 704 | tip = web.repo['tip'] |
|
705 | 705 | count = len(web.repo) |
|
706 | 706 | start = max(0, count - web.maxchanges) |
|
707 | 707 | end = min(count, start + web.maxchanges) |
|
708 | 708 | |
|
709 | 709 | return tmpl("summary", |
|
710 | 710 | desc=web.config("web", "description", "unknown"), |
|
711 | 711 | owner=get_contact(web.config) or "unknown", |
|
712 | 712 | lastchange=tip.date(), |
|
713 | 713 | tags=tagentries, |
|
714 | 714 | bookmarks=bookmarks, |
|
715 | 715 | branches=webutil.branchentries(web.repo, web.stripecount, 10), |
|
716 | 716 | shortlog=changelist, |
|
717 | 717 | node=tip.hex(), |
|
718 | 718 | symrev='tip', |
|
719 | 719 | archives=web.archivelist("tip")) |
|
720 | 720 | |
|
721 | 721 | @webcommand('filediff') |
|
722 | 722 | def filediff(web, req, tmpl): |
|
723 | 723 | """ |
|
724 | 724 | /diff/{revision}/{path} |
|
725 | 725 | ----------------------- |
|
726 | 726 | |
|
727 | 727 | Show how a file changed in a particular commit. |
|
728 | 728 | |
|
729 | 729 | The ``filediff`` template is rendered. |
|
730 | 730 | |
|
731 | 731 | This handler is registered under both the ``/diff`` and ``/filediff`` |
|
732 | 732 | paths. ``/diff`` is used in modern code. |
|
733 | 733 | """ |
|
734 | 734 | fctx, ctx = None, None |
|
735 | 735 | try: |
|
736 | 736 | fctx = webutil.filectx(web.repo, req) |
|
737 | 737 | except LookupError: |
|
738 | 738 | ctx = webutil.changectx(web.repo, req) |
|
739 | 739 | path = webutil.cleanpath(web.repo, req.form['file'][0]) |
|
740 | 740 | if path not in ctx.files(): |
|
741 | 741 | raise |
|
742 | 742 | |
|
743 | 743 | if fctx is not None: |
|
744 | 744 | path = fctx.path() |
|
745 | 745 | ctx = fctx.changectx() |
|
746 | 746 | |
|
747 | 747 | parity = paritygen(web.stripecount) |
|
748 | 748 | style = web.config('web', 'style', 'paper') |
|
749 | 749 | if 'style' in req.form: |
|
750 | 750 | style = req.form['style'][0] |
|
751 | 751 | |
|
752 | 752 | diffs = webutil.diffs(web.repo, tmpl, ctx, None, [path], parity, style) |
|
753 | 753 | if fctx is not None: |
|
754 | 754 | rename = webutil.renamelink(fctx) |
|
755 | 755 | ctx = fctx |
|
756 | 756 | else: |
|
757 | 757 | rename = [] |
|
758 | 758 | ctx = ctx |
|
759 | 759 | return tmpl("filediff", |
|
760 | 760 | file=path, |
|
761 | 761 | symrev=webutil.symrevorshortnode(req, ctx), |
|
762 | 762 | rename=rename, |
|
763 | 763 | diff=diffs, |
|
764 | 764 | **webutil.commonentry(web.repo, ctx)) |
|
765 | 765 | |
|
766 | 766 | diff = webcommand('diff')(filediff) |
|
767 | 767 | |
|
768 | 768 | @webcommand('comparison') |
|
769 | 769 | def comparison(web, req, tmpl): |
|
770 | 770 | """ |
|
771 | 771 | /comparison/{revision}/{path} |
|
772 | 772 | ----------------------------- |
|
773 | 773 | |
|
774 | 774 | Show a comparison between the old and new versions of a file from changes |
|
775 | 775 | made on a particular revision. |
|
776 | 776 | |
|
777 | 777 | This is similar to the ``diff`` handler. However, this form features |
|
778 | 778 | a split or side-by-side diff rather than a unified diff. |
|
779 | 779 | |
|
780 | 780 | The ``context`` query string argument can be used to control the lines of |
|
781 | 781 | context in the diff. |
|
782 | 782 | |
|
783 | 783 | The ``filecomparison`` template is rendered. |
|
784 | 784 | """ |
|
785 | 785 | ctx = webutil.changectx(web.repo, req) |
|
786 | 786 | if 'file' not in req.form: |
|
787 | 787 | raise ErrorResponse(HTTP_NOT_FOUND, 'file not given') |
|
788 | 788 | path = webutil.cleanpath(web.repo, req.form['file'][0]) |
|
789 | 789 | |
|
790 | 790 | parsecontext = lambda v: v == 'full' and -1 or int(v) |
|
791 | 791 | if 'context' in req.form: |
|
792 | 792 | context = parsecontext(req.form['context'][0]) |
|
793 | 793 | else: |
|
794 | 794 | context = parsecontext(web.config('web', 'comparisoncontext', '5')) |
|
795 | 795 | |
|
796 | 796 | def filelines(f): |
|
797 | 797 | if util.binary(f.data()): |
|
798 | 798 | mt = mimetypes.guess_type(f.path())[0] |
|
799 | 799 | if not mt: |
|
800 | 800 | mt = 'application/octet-stream' |
|
801 | 801 | return [_('(binary file %s, hash: %s)') % (mt, hex(f.filenode()))] |
|
802 | 802 | return f.data().splitlines() |
|
803 | 803 | |
|
804 | 804 | fctx = None |
|
805 | 805 | parent = ctx.p1() |
|
806 | 806 | leftrev = parent.rev() |
|
807 | 807 | leftnode = parent.node() |
|
808 | 808 | rightrev = ctx.rev() |
|
809 | 809 | rightnode = ctx.node() |
|
810 | 810 | if path in ctx: |
|
811 | 811 | fctx = ctx[path] |
|
812 | 812 | rightlines = filelines(fctx) |
|
813 | 813 | if path not in parent: |
|
814 | 814 | leftlines = () |
|
815 | 815 | else: |
|
816 | 816 | pfctx = parent[path] |
|
817 | 817 | leftlines = filelines(pfctx) |
|
818 | 818 | else: |
|
819 | 819 | rightlines = () |
|
820 | 820 | pfctx = ctx.parents()[0][path] |
|
821 | 821 | leftlines = filelines(pfctx) |
|
822 | 822 | |
|
823 | 823 | comparison = webutil.compare(tmpl, context, leftlines, rightlines) |
|
824 | 824 | if fctx is not None: |
|
825 | 825 | rename = webutil.renamelink(fctx) |
|
826 | 826 | ctx = fctx |
|
827 | 827 | else: |
|
828 | 828 | rename = [] |
|
829 | 829 | ctx = ctx |
|
830 | 830 | return tmpl('filecomparison', |
|
831 | 831 | file=path, |
|
832 | 832 | symrev=webutil.symrevorshortnode(req, ctx), |
|
833 | 833 | rename=rename, |
|
834 | 834 | leftrev=leftrev, |
|
835 | 835 | leftnode=hex(leftnode), |
|
836 | 836 | rightrev=rightrev, |
|
837 | 837 | rightnode=hex(rightnode), |
|
838 | 838 | comparison=comparison, |
|
839 | 839 | **webutil.commonentry(web.repo, ctx)) |
|
840 | 840 | |
|
841 | 841 | @webcommand('annotate') |
|
842 | 842 | def annotate(web, req, tmpl): |
|
843 | 843 | """ |
|
844 | 844 | /annotate/{revision}/{path} |
|
845 | 845 | --------------------------- |
|
846 | 846 | |
|
847 | 847 | Show changeset information for each line in a file. |
|
848 | 848 | |
|
849 | 849 | The ``fileannotate`` template is rendered. |
|
850 | 850 | """ |
|
851 | 851 | fctx = webutil.filectx(web.repo, req) |
|
852 | 852 | f = fctx.path() |
|
853 | 853 | parity = paritygen(web.stripecount) |
|
854 | 854 | diffopts = patch.difffeatureopts(web.repo.ui, untrusted=True, |
|
855 | 855 | section='annotate', whitespace=True) |
|
856 | 856 | |
|
857 | 857 | def annotate(**map): |
|
858 | 858 | last = None |
|
859 | 859 | if util.binary(fctx.data()): |
|
860 | 860 | mt = (mimetypes.guess_type(fctx.path())[0] |
|
861 | 861 | or 'application/octet-stream') |
|
862 | 862 | lines = enumerate([((fctx.filectx(fctx.filerev()), 1), |
|
863 | 863 | '(binary:%s)' % mt)]) |
|
864 | 864 | else: |
|
865 | 865 | lines = enumerate(fctx.annotate(follow=True, linenumber=True, |
|
866 | 866 | diffopts=diffopts)) |
|
867 | 867 | for lineno, ((f, targetline), l) in lines: |
|
868 | 868 | fnode = f.filenode() |
|
869 | 869 | |
|
870 | 870 | if last != fnode: |
|
871 | 871 | last = fnode |
|
872 | 872 | |
|
873 | 873 | yield {"parity": parity.next(), |
|
874 | 874 | "node": f.hex(), |
|
875 | 875 | "rev": f.rev(), |
|
876 | 876 | "author": f.user(), |
|
877 | 877 | "desc": f.description(), |
|
878 | 878 | "extra": f.extra(), |
|
879 | 879 | "file": f.path(), |
|
880 | 880 | "targetline": targetline, |
|
881 | 881 | "line": l, |
|
882 | 882 | "lineno": lineno + 1, |
|
883 | 883 | "lineid": "l%d" % (lineno + 1), |
|
884 | 884 | "linenumber": "% 6d" % (lineno + 1), |
|
885 | 885 | "revdate": f.date()} |
|
886 | 886 | |
|
887 | 887 | return tmpl("fileannotate", |
|
888 | 888 | file=f, |
|
889 | 889 | annotate=annotate, |
|
890 | 890 | path=webutil.up(f), |
|
891 | 891 | symrev=webutil.symrevorshortnode(req, fctx), |
|
892 | 892 | rename=webutil.renamelink(fctx), |
|
893 | 893 | permissions=fctx.manifest().flags(f), |
|
894 | 894 | **webutil.commonentry(web.repo, fctx)) |
|
895 | 895 | |
|
896 | 896 | @webcommand('filelog') |
|
897 | 897 | def filelog(web, req, tmpl): |
|
898 | 898 | """ |
|
899 | 899 | /filelog/{revision}/{path} |
|
900 | 900 | -------------------------- |
|
901 | 901 | |
|
902 | 902 | Show information about the history of a file in the repository. |
|
903 | 903 | |
|
904 | 904 | The ``revcount`` query string argument can be defined to control the |
|
905 | 905 | maximum number of entries to show. |
|
906 | 906 | |
|
907 | 907 | The ``filelog`` template will be rendered. |
|
908 | 908 | """ |
|
909 | 909 | |
|
910 | 910 | try: |
|
911 | 911 | fctx = webutil.filectx(web.repo, req) |
|
912 | 912 | f = fctx.path() |
|
913 | 913 | fl = fctx.filelog() |
|
914 | 914 | except error.LookupError: |
|
915 | 915 | f = webutil.cleanpath(web.repo, req.form['file'][0]) |
|
916 | 916 | fl = web.repo.file(f) |
|
917 | 917 | numrevs = len(fl) |
|
918 | 918 | if not numrevs: # file doesn't exist at all |
|
919 | 919 | raise |
|
920 | 920 | rev = webutil.changectx(web.repo, req).rev() |
|
921 | 921 | first = fl.linkrev(0) |
|
922 | 922 | if rev < first: # current rev is from before file existed |
|
923 | 923 | raise |
|
924 | 924 | frev = numrevs - 1 |
|
925 | 925 | while fl.linkrev(frev) > rev: |
|
926 | 926 | frev -= 1 |
|
927 | 927 | fctx = web.repo.filectx(f, fl.linkrev(frev)) |
|
928 | 928 | |
|
929 | 929 | revcount = web.maxshortchanges |
|
930 | 930 | if 'revcount' in req.form: |
|
931 | 931 | try: |
|
932 | 932 | revcount = int(req.form.get('revcount', [revcount])[0]) |
|
933 | 933 | revcount = max(revcount, 1) |
|
934 | 934 | tmpl.defaults['sessionvars']['revcount'] = revcount |
|
935 | 935 | except ValueError: |
|
936 | 936 | pass |
|
937 | 937 | |
|
938 | 938 | lessvars = copy.copy(tmpl.defaults['sessionvars']) |
|
939 | 939 | lessvars['revcount'] = max(revcount / 2, 1) |
|
940 | 940 | morevars = copy.copy(tmpl.defaults['sessionvars']) |
|
941 | 941 | morevars['revcount'] = revcount * 2 |
|
942 | 942 | |
|
943 | 943 | count = fctx.filerev() + 1 |
|
944 | 944 | start = max(0, fctx.filerev() - revcount + 1) # first rev on this page |
|
945 | 945 | end = min(count, start + revcount) # last rev on this page |
|
946 | 946 | parity = paritygen(web.stripecount, offset=start - end) |
|
947 | 947 | |
|
948 | 948 | def entries(): |
|
949 | 949 | l = [] |
|
950 | 950 | |
|
951 | 951 | repo = web.repo |
|
952 | 952 | revs = fctx.filelog().revs(start, end - 1) |
|
953 | 953 | for i in revs: |
|
954 | 954 | iterfctx = fctx.filectx(i) |
|
955 | 955 | |
|
956 | 956 | l.append(dict( |
|
957 | 957 | parity=parity.next(), |
|
958 | 958 | filerev=i, |
|
959 | 959 | file=f, |
|
960 | 960 | rename=webutil.renamelink(iterfctx), |
|
961 | 961 | **webutil.commonentry(repo, iterfctx))) |
|
962 | 962 | for e in reversed(l): |
|
963 | 963 | yield e |
|
964 | 964 | |
|
965 | 965 | entries = list(entries()) |
|
966 | 966 | latestentry = entries[:1] |
|
967 | 967 | |
|
968 | 968 | revnav = webutil.filerevnav(web.repo, fctx.path()) |
|
969 | 969 | nav = revnav.gen(end - 1, revcount, count) |
|
970 | 970 | return tmpl("filelog", |
|
971 | 971 | file=f, |
|
972 | 972 | nav=nav, |
|
973 | 973 | symrev=webutil.symrevorshortnode(req, fctx), |
|
974 | 974 | entries=entries, |
|
975 | 975 | latestentry=latestentry, |
|
976 | 976 | revcount=revcount, |
|
977 | 977 | morevars=morevars, |
|
978 | 978 | lessvars=lessvars, |
|
979 | 979 | **webutil.commonentry(web.repo, fctx)) |
|
980 | 980 | |
|
981 | 981 | @webcommand('archive') |
|
982 | 982 | def archive(web, req, tmpl): |
|
983 | 983 | """ |
|
984 | 984 | /archive/{revision}.{format}[/{path}] |
|
985 | 985 | ------------------------------------- |
|
986 | 986 | |
|
987 | 987 | Obtain an archive of repository content. |
|
988 | 988 | |
|
989 | 989 | The content and type of the archive is defined by a URL path parameter. |
|
990 | 990 | ``format`` is the file extension of the archive type to be generated. e.g. |
|
991 | 991 | ``zip`` or ``tar.bz2``. Not all archive types may be allowed by your |
|
992 | 992 | server configuration. |
|
993 | 993 | |
|
994 | 994 | The optional ``path`` URL parameter controls content to include in the |
|
995 | 995 | archive. If omitted, every file in the specified revision is present in the |
|
996 | 996 | archive. If included, only the specified file or contents of the specified |
|
997 | 997 | directory will be included in the archive. |
|
998 | 998 | |
|
999 | 999 | No template is used for this handler. Raw, binary content is generated. |
|
1000 | 1000 | """ |
|
1001 | 1001 | |
|
1002 | 1002 | type_ = req.form.get('type', [None])[0] |
|
1003 | 1003 | allowed = web.configlist("web", "allow_archive") |
|
1004 | 1004 | key = req.form['node'][0] |
|
1005 | 1005 | |
|
1006 | 1006 | if type_ not in web.archives: |
|
1007 | 1007 | msg = 'Unsupported archive type: %s' % type_ |
|
1008 | 1008 | raise ErrorResponse(HTTP_NOT_FOUND, msg) |
|
1009 | 1009 | |
|
1010 | 1010 | if not ((type_ in allowed or |
|
1011 | 1011 | web.configbool("web", "allow" + type_, False))): |
|
1012 | 1012 | msg = 'Archive type not allowed: %s' % type_ |
|
1013 | 1013 | raise ErrorResponse(HTTP_FORBIDDEN, msg) |
|
1014 | 1014 | |
|
1015 | 1015 | reponame = re.sub(r"\W+", "-", os.path.basename(web.reponame)) |
|
1016 | 1016 | cnode = web.repo.lookup(key) |
|
1017 | 1017 | arch_version = key |
|
1018 | 1018 | if cnode == key or key == 'tip': |
|
1019 | 1019 | arch_version = short(cnode) |
|
1020 | 1020 | name = "%s-%s" % (reponame, arch_version) |
|
1021 | 1021 | |
|
1022 | 1022 | ctx = webutil.changectx(web.repo, req) |
|
1023 | 1023 | pats = [] |
|
1024 | 1024 | matchfn = scmutil.match(ctx, []) |
|
1025 | 1025 | file = req.form.get('file', None) |
|
1026 | 1026 | if file: |
|
1027 | 1027 | pats = ['path:' + file[0]] |
|
1028 | 1028 | matchfn = scmutil.match(ctx, pats, default='path') |
|
1029 | 1029 | if pats: |
|
1030 | 1030 | files = [f for f in ctx.manifest().keys() if matchfn(f)] |
|
1031 | 1031 | if not files: |
|
1032 | 1032 | raise ErrorResponse(HTTP_NOT_FOUND, |
|
1033 | 1033 | 'file(s) not found: %s' % file[0]) |
|
1034 | 1034 | |
|
1035 | 1035 | mimetype, artype, extension, encoding = web.archivespecs[type_] |
|
1036 | 1036 | headers = [ |
|
1037 | 1037 | ('Content-Disposition', 'attachment; filename=%s%s' % (name, extension)) |
|
1038 | 1038 | ] |
|
1039 | 1039 | if encoding: |
|
1040 | 1040 | headers.append(('Content-Encoding', encoding)) |
|
1041 | 1041 | req.headers.extend(headers) |
|
1042 | 1042 | req.respond(HTTP_OK, mimetype) |
|
1043 | 1043 | |
|
1044 | 1044 | archival.archive(web.repo, req, cnode, artype, prefix=name, |
|
1045 | 1045 | matchfn=matchfn, |
|
1046 | 1046 | subrepos=web.configbool("web", "archivesubrepos")) |
|
1047 | 1047 | return [] |
|
1048 | 1048 | |
|
1049 | 1049 | |
|
1050 | 1050 | @webcommand('static') |
|
1051 | 1051 | def static(web, req, tmpl): |
|
1052 | 1052 | fname = req.form['file'][0] |
|
1053 | 1053 | # a repo owner may set web.static in .hg/hgrc to get any file |
|
1054 | 1054 | # readable by the user running the CGI script |
|
1055 | 1055 | static = web.config("web", "static", None, untrusted=False) |
|
1056 | 1056 | if not static: |
|
1057 | 1057 | tp = web.templatepath or templater.templatepaths() |
|
1058 | 1058 | if isinstance(tp, str): |
|
1059 | 1059 | tp = [tp] |
|
1060 | 1060 | static = [os.path.join(p, 'static') for p in tp] |
|
1061 | 1061 | staticfile(static, fname, req) |
|
1062 | 1062 | return [] |
|
1063 | 1063 | |
|
1064 | 1064 | @webcommand('graph') |
|
1065 | 1065 | def graph(web, req, tmpl): |
|
1066 | 1066 | """ |
|
1067 | 1067 | /graph[/{revision}] |
|
1068 | 1068 | ------------------- |
|
1069 | 1069 | |
|
1070 | 1070 | Show information about the graphical topology of the repository. |
|
1071 | 1071 | |
|
1072 | 1072 | Information rendered by this handler can be used to create visual |
|
1073 | 1073 | representations of repository topology. |
|
1074 | 1074 | |
|
1075 | 1075 | The ``revision`` URL parameter controls the starting changeset. |
|
1076 | 1076 | |
|
1077 | 1077 | The ``revcount`` query string argument can define the number of changesets |
|
1078 | 1078 | to show information for. |
|
1079 | 1079 | |
|
1080 | 1080 | This handler will render the ``graph`` template. |
|
1081 | 1081 | """ |
|
1082 | 1082 | |
|
1083 | 1083 | if 'node' in req.form: |
|
1084 | 1084 | ctx = webutil.changectx(web.repo, req) |
|
1085 | 1085 | symrev = webutil.symrevorshortnode(req, ctx) |
|
1086 | 1086 | else: |
|
1087 | 1087 | ctx = web.repo['tip'] |
|
1088 | 1088 | symrev = 'tip' |
|
1089 | 1089 | rev = ctx.rev() |
|
1090 | 1090 | |
|
1091 | 1091 | bg_height = 39 |
|
1092 | 1092 | revcount = web.maxshortchanges |
|
1093 | 1093 | if 'revcount' in req.form: |
|
1094 | 1094 | try: |
|
1095 | 1095 | revcount = int(req.form.get('revcount', [revcount])[0]) |
|
1096 | 1096 | revcount = max(revcount, 1) |
|
1097 | 1097 | tmpl.defaults['sessionvars']['revcount'] = revcount |
|
1098 | 1098 | except ValueError: |
|
1099 | 1099 | pass |
|
1100 | 1100 | |
|
1101 | 1101 | lessvars = copy.copy(tmpl.defaults['sessionvars']) |
|
1102 | 1102 | lessvars['revcount'] = max(revcount / 2, 1) |
|
1103 | 1103 | morevars = copy.copy(tmpl.defaults['sessionvars']) |
|
1104 | 1104 | morevars['revcount'] = revcount * 2 |
|
1105 | 1105 | |
|
1106 | 1106 | count = len(web.repo) |
|
1107 | 1107 | pos = rev |
|
1108 | 1108 | |
|
1109 | 1109 | uprev = min(max(0, count - 1), rev + revcount) |
|
1110 | 1110 | downrev = max(0, rev - revcount) |
|
1111 | 1111 | changenav = webutil.revnav(web.repo).gen(pos, revcount, count) |
|
1112 | 1112 | |
|
1113 | 1113 | tree = [] |
|
1114 | 1114 | if pos != -1: |
|
1115 | 1115 | allrevs = web.repo.changelog.revs(pos, 0) |
|
1116 | 1116 | revs = [] |
|
1117 | 1117 | for i in allrevs: |
|
1118 | 1118 | revs.append(i) |
|
1119 | 1119 | if len(revs) >= revcount: |
|
1120 | 1120 | break |
|
1121 | 1121 | |
|
1122 | 1122 | # We have to feed a baseset to dagwalker as it is expecting smartset |
|
1123 | 1123 | # object. This does not have a big impact on hgweb performance itself |
|
1124 | 1124 | # since hgweb graphing code is not itself lazy yet. |
|
1125 | 1125 | dag = graphmod.dagwalker(web.repo, revset.baseset(revs)) |
|
1126 | 1126 | # As we said one line above... not lazy. |
|
1127 | 1127 | tree = list(graphmod.colored(dag, web.repo)) |
|
1128 | 1128 | |
|
1129 | 1129 | def getcolumns(tree): |
|
1130 | 1130 | cols = 0 |
|
1131 | 1131 | for (id, type, ctx, vtx, edges) in tree: |
|
1132 | 1132 | if type != graphmod.CHANGESET: |
|
1133 | 1133 | continue |
|
1134 | 1134 | cols = max(cols, max([edge[0] for edge in edges] or [0]), |
|
1135 | 1135 | max([edge[1] for edge in edges] or [0])) |
|
1136 | 1136 | return cols |
|
1137 | 1137 | |
|
1138 | 1138 | def graphdata(usetuples, **map): |
|
1139 | 1139 | data = [] |
|
1140 | 1140 | |
|
1141 | 1141 | row = 0 |
|
1142 | 1142 | for (id, type, ctx, vtx, edges) in tree: |
|
1143 | 1143 | if type != graphmod.CHANGESET: |
|
1144 | 1144 | continue |
|
1145 | 1145 | node = str(ctx) |
|
1146 | 1146 | age = templatefilters.age(ctx.date()) |
|
1147 | 1147 | desc = templatefilters.firstline(ctx.description()) |
|
1148 | 1148 | desc = cgi.escape(templatefilters.nonempty(desc)) |
|
1149 | 1149 | user = cgi.escape(templatefilters.person(ctx.user())) |
|
1150 | 1150 | branch = cgi.escape(ctx.branch()) |
|
1151 | 1151 | try: |
|
1152 | 1152 | branchnode = web.repo.branchtip(branch) |
|
1153 | 1153 | except error.RepoLookupError: |
|
1154 | 1154 | branchnode = None |
|
1155 | 1155 | branch = branch, branchnode == ctx.node() |
|
1156 | 1156 | |
|
1157 | 1157 | if usetuples: |
|
1158 | 1158 | data.append((node, vtx, edges, desc, user, age, branch, |
|
1159 | 1159 | [cgi.escape(x) for x in ctx.tags()], |
|
1160 | 1160 | [cgi.escape(x) for x in ctx.bookmarks()])) |
|
1161 | 1161 | else: |
|
1162 | 1162 | edgedata = [{'col': edge[0], 'nextcol': edge[1], |
|
1163 | 1163 | 'color': (edge[2] - 1) % 6 + 1, |
|
1164 | 1164 | 'width': edge[3], 'bcolor': edge[4]} |
|
1165 | 1165 | for edge in edges] |
|
1166 | 1166 | |
|
1167 | 1167 | data.append( |
|
1168 | 1168 | {'node': node, |
|
1169 | 1169 | 'col': vtx[0], |
|
1170 | 1170 | 'color': (vtx[1] - 1) % 6 + 1, |
|
1171 | 1171 | 'edges': edgedata, |
|
1172 | 1172 | 'row': row, |
|
1173 | 1173 | 'nextrow': row + 1, |
|
1174 | 1174 | 'desc': desc, |
|
1175 | 1175 | 'user': user, |
|
1176 | 1176 | 'age': age, |
|
1177 | 1177 | 'bookmarks': webutil.nodebookmarksdict( |
|
1178 | 1178 | web.repo, ctx.node()), |
|
1179 | 1179 | 'branches': webutil.nodebranchdict(web.repo, ctx), |
|
1180 | 1180 | 'inbranch': webutil.nodeinbranch(web.repo, ctx), |
|
1181 | 1181 | 'tags': webutil.nodetagsdict(web.repo, ctx.node())}) |
|
1182 | 1182 | |
|
1183 | 1183 | row += 1 |
|
1184 | 1184 | |
|
1185 | 1185 | return data |
|
1186 | 1186 | |
|
1187 | 1187 | cols = getcolumns(tree) |
|
1188 | 1188 | rows = len(tree) |
|
1189 | 1189 | canvasheight = (rows + 1) * bg_height - 27 |
|
1190 | 1190 | |
|
1191 | 1191 | return tmpl('graph', rev=rev, symrev=symrev, revcount=revcount, |
|
1192 | 1192 | uprev=uprev, |
|
1193 | 1193 | lessvars=lessvars, morevars=morevars, downrev=downrev, |
|
1194 | 1194 | cols=cols, rows=rows, |
|
1195 | 1195 | canvaswidth=(cols + 1) * bg_height, |
|
1196 | 1196 | truecanvasheight=rows * bg_height, |
|
1197 | 1197 | canvasheight=canvasheight, bg_height=bg_height, |
|
1198 | 1198 | jsdata=lambda **x: graphdata(True, **x), |
|
1199 | 1199 | nodes=lambda **x: graphdata(False, **x), |
|
1200 | 1200 | node=ctx.hex(), changenav=changenav) |
|
1201 | 1201 | |
|
1202 | 1202 | def _getdoc(e): |
|
1203 | 1203 | doc = e[0].__doc__ |
|
1204 | 1204 | if doc: |
|
1205 | 1205 | doc = _(doc).partition('\n')[0] |
|
1206 | 1206 | else: |
|
1207 | 1207 | doc = _('(no help text available)') |
|
1208 | 1208 | return doc |
|
1209 | 1209 | |
|
1210 | 1210 | @webcommand('help') |
|
1211 | 1211 | def help(web, req, tmpl): |
|
1212 | 1212 | """ |
|
1213 | 1213 | /help[/{topic}] |
|
1214 | 1214 | --------------- |
|
1215 | 1215 | |
|
1216 | 1216 | Render help documentation. |
|
1217 | 1217 | |
|
1218 | 1218 | This web command is roughly equivalent to :hg:`help`. If a ``topic`` |
|
1219 | 1219 | is defined, that help topic will be rendered. If not, an index of |
|
1220 | 1220 | available help topics will be rendered. |
|
1221 | 1221 | |
|
1222 | 1222 | The ``help`` template will be rendered when requesting help for a topic. |
|
1223 | 1223 | ``helptopics`` will be rendered for the index of help topics. |
|
1224 | 1224 | """ |
|
1225 | 1225 | from .. import commands, help as helpmod # avoid cycle |
|
1226 | 1226 | |
|
1227 | 1227 | topicname = req.form.get('node', [None])[0] |
|
1228 | 1228 | if not topicname: |
|
1229 | 1229 | def topics(**map): |
|
1230 | 1230 | for entries, summary, _doc in helpmod.helptable: |
|
1231 | 1231 | yield {'topic': entries[0], 'summary': summary} |
|
1232 | 1232 | |
|
1233 | 1233 | early, other = [], [] |
|
1234 | 1234 | primary = lambda s: s.partition('|')[0] |
|
1235 | 1235 | for c, e in commands.table.iteritems(): |
|
1236 | 1236 | doc = _getdoc(e) |
|
1237 | 1237 | if 'DEPRECATED' in doc or c.startswith('debug'): |
|
1238 | 1238 | continue |
|
1239 | 1239 | cmd = primary(c) |
|
1240 | 1240 | if cmd.startswith('^'): |
|
1241 | 1241 | early.append((cmd[1:], doc)) |
|
1242 | 1242 | else: |
|
1243 | 1243 | other.append((cmd, doc)) |
|
1244 | 1244 | |
|
1245 | 1245 | early.sort() |
|
1246 | 1246 | other.sort() |
|
1247 | 1247 | |
|
1248 | 1248 | def earlycommands(**map): |
|
1249 | 1249 | for c, doc in early: |
|
1250 | 1250 | yield {'topic': c, 'summary': doc} |
|
1251 | 1251 | |
|
1252 | 1252 | def othercommands(**map): |
|
1253 | 1253 | for c, doc in other: |
|
1254 | 1254 | yield {'topic': c, 'summary': doc} |
|
1255 | 1255 | |
|
1256 | 1256 | return tmpl('helptopics', topics=topics, earlycommands=earlycommands, |
|
1257 | 1257 | othercommands=othercommands, title='Index') |
|
1258 | 1258 | |
|
1259 | # Render an index of sub-topics. | |
|
1260 | if topicname in helpmod.subtopics: | |
|
1261 | topics = [] | |
|
1262 | for entries, summary, _doc in helpmod.subtopics[topicname]: | |
|
1263 | topics.append({ | |
|
1264 | 'topic': '%s.%s' % (topicname, entries[0]), | |
|
1265 | 'basename': entries[0], | |
|
1266 | 'summary': summary, | |
|
1267 | }) | |
|
1268 | ||
|
1269 | return tmpl('helptopics', topics=topics, title=topicname, | |
|
1270 | subindex=True) | |
|
1271 | ||
|
1259 | 1272 | u = webutil.wsgiui() |
|
1260 | 1273 | u.verbose = True |
|
1261 | 1274 | try: |
|
1262 | 1275 | doc = helpmod.help_(u, topicname) |
|
1263 | 1276 | except error.UnknownCommand: |
|
1264 | 1277 | raise ErrorResponse(HTTP_NOT_FOUND) |
|
1265 | 1278 | return tmpl('help', topic=topicname, doc=doc) |
|
1266 | 1279 | |
|
1267 | 1280 | # tell hggettext to extract docstrings from these functions: |
|
1268 | 1281 | i18nfunctions = commands.values() |
@@ -1,2636 +1,2712 b'' | |||
|
1 | 1 | Short help: |
|
2 | 2 | |
|
3 | 3 | $ hg |
|
4 | 4 | Mercurial Distributed SCM |
|
5 | 5 | |
|
6 | 6 | basic commands: |
|
7 | 7 | |
|
8 | 8 | add add the specified files on the next commit |
|
9 | 9 | annotate show changeset information by line for each file |
|
10 | 10 | clone make a copy of an existing repository |
|
11 | 11 | commit commit the specified files or all outstanding changes |
|
12 | 12 | diff diff repository (or selected files) |
|
13 | 13 | export dump the header and diffs for one or more changesets |
|
14 | 14 | forget forget the specified files on the next commit |
|
15 | 15 | init create a new repository in the given directory |
|
16 | 16 | log show revision history of entire repository or files |
|
17 | 17 | merge merge another revision into working directory |
|
18 | 18 | pull pull changes from the specified source |
|
19 | 19 | push push changes to the specified destination |
|
20 | 20 | remove remove the specified files on the next commit |
|
21 | 21 | serve start stand-alone webserver |
|
22 | 22 | status show changed files in the working directory |
|
23 | 23 | summary summarize working directory state |
|
24 | 24 | update update working directory (or switch revisions) |
|
25 | 25 | |
|
26 | 26 | (use "hg help" for the full list of commands or "hg -v" for details) |
|
27 | 27 | |
|
28 | 28 | $ hg -q |
|
29 | 29 | add add the specified files on the next commit |
|
30 | 30 | annotate show changeset information by line for each file |
|
31 | 31 | clone make a copy of an existing repository |
|
32 | 32 | commit commit the specified files or all outstanding changes |
|
33 | 33 | diff diff repository (or selected files) |
|
34 | 34 | export dump the header and diffs for one or more changesets |
|
35 | 35 | forget forget the specified files on the next commit |
|
36 | 36 | init create a new repository in the given directory |
|
37 | 37 | log show revision history of entire repository or files |
|
38 | 38 | merge merge another revision into working directory |
|
39 | 39 | pull pull changes from the specified source |
|
40 | 40 | push push changes to the specified destination |
|
41 | 41 | remove remove the specified files on the next commit |
|
42 | 42 | serve start stand-alone webserver |
|
43 | 43 | status show changed files in the working directory |
|
44 | 44 | summary summarize working directory state |
|
45 | 45 | update update working directory (or switch revisions) |
|
46 | 46 | |
|
47 | 47 | $ hg help |
|
48 | 48 | Mercurial Distributed SCM |
|
49 | 49 | |
|
50 | 50 | list of commands: |
|
51 | 51 | |
|
52 | 52 | add add the specified files on the next commit |
|
53 | 53 | addremove add all new files, delete all missing files |
|
54 | 54 | annotate show changeset information by line for each file |
|
55 | 55 | archive create an unversioned archive of a repository revision |
|
56 | 56 | backout reverse effect of earlier changeset |
|
57 | 57 | bisect subdivision search of changesets |
|
58 | 58 | bookmarks create a new bookmark or list existing bookmarks |
|
59 | 59 | branch set or show the current branch name |
|
60 | 60 | branches list repository named branches |
|
61 | 61 | bundle create a changegroup file |
|
62 | 62 | cat output the current or given revision of files |
|
63 | 63 | clone make a copy of an existing repository |
|
64 | 64 | commit commit the specified files or all outstanding changes |
|
65 | 65 | config show combined config settings from all hgrc files |
|
66 | 66 | copy mark files as copied for the next commit |
|
67 | 67 | diff diff repository (or selected files) |
|
68 | 68 | export dump the header and diffs for one or more changesets |
|
69 | 69 | files list tracked files |
|
70 | 70 | forget forget the specified files on the next commit |
|
71 | 71 | graft copy changes from other branches onto the current branch |
|
72 | 72 | grep search for a pattern in specified files and revisions |
|
73 | 73 | heads show branch heads |
|
74 | 74 | help show help for a given topic or a help overview |
|
75 | 75 | identify identify the working directory or specified revision |
|
76 | 76 | import import an ordered set of patches |
|
77 | 77 | incoming show new changesets found in source |
|
78 | 78 | init create a new repository in the given directory |
|
79 | 79 | log show revision history of entire repository or files |
|
80 | 80 | manifest output the current or given revision of the project manifest |
|
81 | 81 | merge merge another revision into working directory |
|
82 | 82 | outgoing show changesets not found in the destination |
|
83 | 83 | paths show aliases for remote repositories |
|
84 | 84 | phase set or show the current phase name |
|
85 | 85 | pull pull changes from the specified source |
|
86 | 86 | push push changes to the specified destination |
|
87 | 87 | recover roll back an interrupted transaction |
|
88 | 88 | remove remove the specified files on the next commit |
|
89 | 89 | rename rename files; equivalent of copy + remove |
|
90 | 90 | resolve redo merges or set/view the merge status of files |
|
91 | 91 | revert restore files to their checkout state |
|
92 | 92 | root print the root (top) of the current working directory |
|
93 | 93 | serve start stand-alone webserver |
|
94 | 94 | status show changed files in the working directory |
|
95 | 95 | summary summarize working directory state |
|
96 | 96 | tag add one or more tags for the current or given revision |
|
97 | 97 | tags list repository tags |
|
98 | 98 | unbundle apply one or more changegroup files |
|
99 | 99 | update update working directory (or switch revisions) |
|
100 | 100 | verify verify the integrity of the repository |
|
101 | 101 | version output version and copyright information |
|
102 | 102 | |
|
103 | 103 | additional help topics: |
|
104 | 104 | |
|
105 | 105 | config Configuration Files |
|
106 | 106 | dates Date Formats |
|
107 | 107 | diffs Diff Formats |
|
108 | 108 | environment Environment Variables |
|
109 | 109 | extensions Using Additional Features |
|
110 | 110 | filesets Specifying File Sets |
|
111 | 111 | glossary Glossary |
|
112 | 112 | hgignore Syntax for Mercurial Ignore Files |
|
113 | 113 | hgweb Configuring hgweb |
|
114 | 114 | internals Technical implementation topics |
|
115 | 115 | merge-tools Merge Tools |
|
116 | 116 | multirevs Specifying Multiple Revisions |
|
117 | 117 | patterns File Name Patterns |
|
118 | 118 | phases Working with Phases |
|
119 | 119 | revisions Specifying Single Revisions |
|
120 | 120 | revsets Specifying Revision Sets |
|
121 | 121 | scripting Using Mercurial from scripts and automation |
|
122 | 122 | subrepos Subrepositories |
|
123 | 123 | templating Template Usage |
|
124 | 124 | urls URL Paths |
|
125 | 125 | |
|
126 | 126 | (use "hg help -v" to show built-in aliases and global options) |
|
127 | 127 | |
|
128 | 128 | $ hg -q help |
|
129 | 129 | add add the specified files on the next commit |
|
130 | 130 | addremove add all new files, delete all missing files |
|
131 | 131 | annotate show changeset information by line for each file |
|
132 | 132 | archive create an unversioned archive of a repository revision |
|
133 | 133 | backout reverse effect of earlier changeset |
|
134 | 134 | bisect subdivision search of changesets |
|
135 | 135 | bookmarks create a new bookmark or list existing bookmarks |
|
136 | 136 | branch set or show the current branch name |
|
137 | 137 | branches list repository named branches |
|
138 | 138 | bundle create a changegroup file |
|
139 | 139 | cat output the current or given revision of files |
|
140 | 140 | clone make a copy of an existing repository |
|
141 | 141 | commit commit the specified files or all outstanding changes |
|
142 | 142 | config show combined config settings from all hgrc files |
|
143 | 143 | copy mark files as copied for the next commit |
|
144 | 144 | diff diff repository (or selected files) |
|
145 | 145 | export dump the header and diffs for one or more changesets |
|
146 | 146 | files list tracked files |
|
147 | 147 | forget forget the specified files on the next commit |
|
148 | 148 | graft copy changes from other branches onto the current branch |
|
149 | 149 | grep search for a pattern in specified files and revisions |
|
150 | 150 | heads show branch heads |
|
151 | 151 | help show help for a given topic or a help overview |
|
152 | 152 | identify identify the working directory or specified revision |
|
153 | 153 | import import an ordered set of patches |
|
154 | 154 | incoming show new changesets found in source |
|
155 | 155 | init create a new repository in the given directory |
|
156 | 156 | log show revision history of entire repository or files |
|
157 | 157 | manifest output the current or given revision of the project manifest |
|
158 | 158 | merge merge another revision into working directory |
|
159 | 159 | outgoing show changesets not found in the destination |
|
160 | 160 | paths show aliases for remote repositories |
|
161 | 161 | phase set or show the current phase name |
|
162 | 162 | pull pull changes from the specified source |
|
163 | 163 | push push changes to the specified destination |
|
164 | 164 | recover roll back an interrupted transaction |
|
165 | 165 | remove remove the specified files on the next commit |
|
166 | 166 | rename rename files; equivalent of copy + remove |
|
167 | 167 | resolve redo merges or set/view the merge status of files |
|
168 | 168 | revert restore files to their checkout state |
|
169 | 169 | root print the root (top) of the current working directory |
|
170 | 170 | serve start stand-alone webserver |
|
171 | 171 | status show changed files in the working directory |
|
172 | 172 | summary summarize working directory state |
|
173 | 173 | tag add one or more tags for the current or given revision |
|
174 | 174 | tags list repository tags |
|
175 | 175 | unbundle apply one or more changegroup files |
|
176 | 176 | update update working directory (or switch revisions) |
|
177 | 177 | verify verify the integrity of the repository |
|
178 | 178 | version output version and copyright information |
|
179 | 179 | |
|
180 | 180 | additional help topics: |
|
181 | 181 | |
|
182 | 182 | config Configuration Files |
|
183 | 183 | dates Date Formats |
|
184 | 184 | diffs Diff Formats |
|
185 | 185 | environment Environment Variables |
|
186 | 186 | extensions Using Additional Features |
|
187 | 187 | filesets Specifying File Sets |
|
188 | 188 | glossary Glossary |
|
189 | 189 | hgignore Syntax for Mercurial Ignore Files |
|
190 | 190 | hgweb Configuring hgweb |
|
191 | 191 | internals Technical implementation topics |
|
192 | 192 | merge-tools Merge Tools |
|
193 | 193 | multirevs Specifying Multiple Revisions |
|
194 | 194 | patterns File Name Patterns |
|
195 | 195 | phases Working with Phases |
|
196 | 196 | revisions Specifying Single Revisions |
|
197 | 197 | revsets Specifying Revision Sets |
|
198 | 198 | scripting Using Mercurial from scripts and automation |
|
199 | 199 | subrepos Subrepositories |
|
200 | 200 | templating Template Usage |
|
201 | 201 | urls URL Paths |
|
202 | 202 | |
|
203 | 203 | Test extension help: |
|
204 | 204 | $ hg help extensions --config extensions.rebase= --config extensions.children= |
|
205 | 205 | Using Additional Features |
|
206 | 206 | """"""""""""""""""""""""" |
|
207 | 207 | |
|
208 | 208 | Mercurial has the ability to add new features through the use of |
|
209 | 209 | extensions. Extensions may add new commands, add options to existing |
|
210 | 210 | commands, change the default behavior of commands, or implement hooks. |
|
211 | 211 | |
|
212 | 212 | To enable the "foo" extension, either shipped with Mercurial or in the |
|
213 | 213 | Python search path, create an entry for it in your configuration file, |
|
214 | 214 | like this: |
|
215 | 215 | |
|
216 | 216 | [extensions] |
|
217 | 217 | foo = |
|
218 | 218 | |
|
219 | 219 | You may also specify the full path to an extension: |
|
220 | 220 | |
|
221 | 221 | [extensions] |
|
222 | 222 | myfeature = ~/.hgext/myfeature.py |
|
223 | 223 | |
|
224 | 224 | See "hg help config" for more information on configuration files. |
|
225 | 225 | |
|
226 | 226 | Extensions are not loaded by default for a variety of reasons: they can |
|
227 | 227 | increase startup overhead; they may be meant for advanced usage only; they |
|
228 | 228 | may provide potentially dangerous abilities (such as letting you destroy |
|
229 | 229 | or modify history); they might not be ready for prime time; or they may |
|
230 | 230 | alter some usual behaviors of stock Mercurial. It is thus up to the user |
|
231 | 231 | to activate extensions as needed. |
|
232 | 232 | |
|
233 | 233 | To explicitly disable an extension enabled in a configuration file of |
|
234 | 234 | broader scope, prepend its path with !: |
|
235 | 235 | |
|
236 | 236 | [extensions] |
|
237 | 237 | # disabling extension bar residing in /path/to/extension/bar.py |
|
238 | 238 | bar = !/path/to/extension/bar.py |
|
239 | 239 | # ditto, but no path was supplied for extension baz |
|
240 | 240 | baz = ! |
|
241 | 241 | |
|
242 | 242 | enabled extensions: |
|
243 | 243 | |
|
244 | 244 | children command to display child changesets (DEPRECATED) |
|
245 | 245 | rebase command to move sets of revisions to a different ancestor |
|
246 | 246 | |
|
247 | 247 | disabled extensions: |
|
248 | 248 | |
|
249 | 249 | acl hooks for controlling repository access |
|
250 | 250 | blackbox log repository events to a blackbox for debugging |
|
251 | 251 | bugzilla hooks for integrating with the Bugzilla bug tracker |
|
252 | 252 | censor erase file content at a given revision |
|
253 | 253 | churn command to display statistics about repository history |
|
254 | 254 | clonebundles advertise pre-generated bundles to seed clones |
|
255 | 255 | (experimental) |
|
256 | 256 | color colorize output from some commands |
|
257 | 257 | convert import revisions from foreign VCS repositories into |
|
258 | 258 | Mercurial |
|
259 | 259 | eol automatically manage newlines in repository files |
|
260 | 260 | extdiff command to allow external programs to compare revisions |
|
261 | 261 | factotum http authentication with factotum |
|
262 | 262 | gpg commands to sign and verify changesets |
|
263 | 263 | hgcia hooks for integrating with the CIA.vc notification service |
|
264 | 264 | hgk browse the repository in a graphical way |
|
265 | 265 | highlight syntax highlighting for hgweb (requires Pygments) |
|
266 | 266 | histedit interactive history editing |
|
267 | 267 | keyword expand keywords in tracked files |
|
268 | 268 | largefiles track large binary files |
|
269 | 269 | mq manage a stack of patches |
|
270 | 270 | notify hooks for sending email push notifications |
|
271 | 271 | pager browse command output with an external pager |
|
272 | 272 | patchbomb command to send changesets as (a series of) patch emails |
|
273 | 273 | purge command to delete untracked files from the working |
|
274 | 274 | directory |
|
275 | 275 | record commands to interactively select changes for |
|
276 | 276 | commit/qrefresh |
|
277 | 277 | relink recreates hardlinks between repository clones |
|
278 | 278 | schemes extend schemes with shortcuts to repository swarms |
|
279 | 279 | share share a common history between several working directories |
|
280 | 280 | shelve save and restore changes to the working directory |
|
281 | 281 | strip strip changesets and their descendants from history |
|
282 | 282 | transplant command to transplant changesets from another branch |
|
283 | 283 | win32mbcs allow the use of MBCS paths with problematic encodings |
|
284 | 284 | zeroconf discover and advertise repositories on the local network |
|
285 | 285 | |
|
286 | 286 | Verify that extension keywords appear in help templates |
|
287 | 287 | |
|
288 | 288 | $ hg help --config extensions.transplant= templating|grep transplant > /dev/null |
|
289 | 289 | |
|
290 | 290 | Test short command list with verbose option |
|
291 | 291 | |
|
292 | 292 | $ hg -v help shortlist |
|
293 | 293 | Mercurial Distributed SCM |
|
294 | 294 | |
|
295 | 295 | basic commands: |
|
296 | 296 | |
|
297 | 297 | add add the specified files on the next commit |
|
298 | 298 | annotate, blame |
|
299 | 299 | show changeset information by line for each file |
|
300 | 300 | clone make a copy of an existing repository |
|
301 | 301 | commit, ci commit the specified files or all outstanding changes |
|
302 | 302 | diff diff repository (or selected files) |
|
303 | 303 | export dump the header and diffs for one or more changesets |
|
304 | 304 | forget forget the specified files on the next commit |
|
305 | 305 | init create a new repository in the given directory |
|
306 | 306 | log, history show revision history of entire repository or files |
|
307 | 307 | merge merge another revision into working directory |
|
308 | 308 | pull pull changes from the specified source |
|
309 | 309 | push push changes to the specified destination |
|
310 | 310 | remove, rm remove the specified files on the next commit |
|
311 | 311 | serve start stand-alone webserver |
|
312 | 312 | status, st show changed files in the working directory |
|
313 | 313 | summary, sum summarize working directory state |
|
314 | 314 | update, up, checkout, co |
|
315 | 315 | update working directory (or switch revisions) |
|
316 | 316 | |
|
317 | 317 | global options ([+] can be repeated): |
|
318 | 318 | |
|
319 | 319 | -R --repository REPO repository root directory or name of overlay bundle |
|
320 | 320 | file |
|
321 | 321 | --cwd DIR change working directory |
|
322 | 322 | -y --noninteractive do not prompt, automatically pick the first choice for |
|
323 | 323 | all prompts |
|
324 | 324 | -q --quiet suppress output |
|
325 | 325 | -v --verbose enable additional output |
|
326 | 326 | --config CONFIG [+] set/override config option (use 'section.name=value') |
|
327 | 327 | --debug enable debugging output |
|
328 | 328 | --debugger start debugger |
|
329 | 329 | --encoding ENCODE set the charset encoding (default: ascii) |
|
330 | 330 | --encodingmode MODE set the charset encoding mode (default: strict) |
|
331 | 331 | --traceback always print a traceback on exception |
|
332 | 332 | --time time how long the command takes |
|
333 | 333 | --profile print command execution profile |
|
334 | 334 | --version output version information and exit |
|
335 | 335 | -h --help display help and exit |
|
336 | 336 | --hidden consider hidden changesets |
|
337 | 337 | |
|
338 | 338 | (use "hg help" for the full list of commands) |
|
339 | 339 | |
|
340 | 340 | $ hg add -h |
|
341 | 341 | hg add [OPTION]... [FILE]... |
|
342 | 342 | |
|
343 | 343 | add the specified files on the next commit |
|
344 | 344 | |
|
345 | 345 | Schedule files to be version controlled and added to the repository. |
|
346 | 346 | |
|
347 | 347 | The files will be added to the repository at the next commit. To undo an |
|
348 | 348 | add before that, see "hg forget". |
|
349 | 349 | |
|
350 | 350 | If no names are given, add all files to the repository (except files |
|
351 | 351 | matching ".hgignore"). |
|
352 | 352 | |
|
353 | 353 | Returns 0 if all files are successfully added. |
|
354 | 354 | |
|
355 | 355 | options ([+] can be repeated): |
|
356 | 356 | |
|
357 | 357 | -I --include PATTERN [+] include names matching the given patterns |
|
358 | 358 | -X --exclude PATTERN [+] exclude names matching the given patterns |
|
359 | 359 | -S --subrepos recurse into subrepositories |
|
360 | 360 | -n --dry-run do not perform actions, just print output |
|
361 | 361 | |
|
362 | 362 | (some details hidden, use --verbose to show complete help) |
|
363 | 363 | |
|
364 | 364 | Verbose help for add |
|
365 | 365 | |
|
366 | 366 | $ hg add -hv |
|
367 | 367 | hg add [OPTION]... [FILE]... |
|
368 | 368 | |
|
369 | 369 | add the specified files on the next commit |
|
370 | 370 | |
|
371 | 371 | Schedule files to be version controlled and added to the repository. |
|
372 | 372 | |
|
373 | 373 | The files will be added to the repository at the next commit. To undo an |
|
374 | 374 | add before that, see "hg forget". |
|
375 | 375 | |
|
376 | 376 | If no names are given, add all files to the repository (except files |
|
377 | 377 | matching ".hgignore"). |
|
378 | 378 | |
|
379 | 379 | Examples: |
|
380 | 380 | |
|
381 | 381 | - New (unknown) files are added automatically by "hg add": |
|
382 | 382 | |
|
383 | 383 | $ ls |
|
384 | 384 | foo.c |
|
385 | 385 | $ hg status |
|
386 | 386 | ? foo.c |
|
387 | 387 | $ hg add |
|
388 | 388 | adding foo.c |
|
389 | 389 | $ hg status |
|
390 | 390 | A foo.c |
|
391 | 391 | |
|
392 | 392 | - Specific files to be added can be specified: |
|
393 | 393 | |
|
394 | 394 | $ ls |
|
395 | 395 | bar.c foo.c |
|
396 | 396 | $ hg status |
|
397 | 397 | ? bar.c |
|
398 | 398 | ? foo.c |
|
399 | 399 | $ hg add bar.c |
|
400 | 400 | $ hg status |
|
401 | 401 | A bar.c |
|
402 | 402 | ? foo.c |
|
403 | 403 | |
|
404 | 404 | Returns 0 if all files are successfully added. |
|
405 | 405 | |
|
406 | 406 | options ([+] can be repeated): |
|
407 | 407 | |
|
408 | 408 | -I --include PATTERN [+] include names matching the given patterns |
|
409 | 409 | -X --exclude PATTERN [+] exclude names matching the given patterns |
|
410 | 410 | -S --subrepos recurse into subrepositories |
|
411 | 411 | -n --dry-run do not perform actions, just print output |
|
412 | 412 | |
|
413 | 413 | global options ([+] can be repeated): |
|
414 | 414 | |
|
415 | 415 | -R --repository REPO repository root directory or name of overlay bundle |
|
416 | 416 | file |
|
417 | 417 | --cwd DIR change working directory |
|
418 | 418 | -y --noninteractive do not prompt, automatically pick the first choice for |
|
419 | 419 | all prompts |
|
420 | 420 | -q --quiet suppress output |
|
421 | 421 | -v --verbose enable additional output |
|
422 | 422 | --config CONFIG [+] set/override config option (use 'section.name=value') |
|
423 | 423 | --debug enable debugging output |
|
424 | 424 | --debugger start debugger |
|
425 | 425 | --encoding ENCODE set the charset encoding (default: ascii) |
|
426 | 426 | --encodingmode MODE set the charset encoding mode (default: strict) |
|
427 | 427 | --traceback always print a traceback on exception |
|
428 | 428 | --time time how long the command takes |
|
429 | 429 | --profile print command execution profile |
|
430 | 430 | --version output version information and exit |
|
431 | 431 | -h --help display help and exit |
|
432 | 432 | --hidden consider hidden changesets |
|
433 | 433 | |
|
434 | 434 | Test help option with version option |
|
435 | 435 | |
|
436 | 436 | $ hg add -h --version |
|
437 | 437 | Mercurial Distributed SCM (version *) (glob) |
|
438 | 438 | (see https://mercurial-scm.org for more information) |
|
439 | 439 | |
|
440 | 440 | Copyright (C) 2005-2015 Matt Mackall and others |
|
441 | 441 | This is free software; see the source for copying conditions. There is NO |
|
442 | 442 | warranty; not even for MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. |
|
443 | 443 | |
|
444 | 444 | $ hg add --skjdfks |
|
445 | 445 | hg add: option --skjdfks not recognized |
|
446 | 446 | hg add [OPTION]... [FILE]... |
|
447 | 447 | |
|
448 | 448 | add the specified files on the next commit |
|
449 | 449 | |
|
450 | 450 | options ([+] can be repeated): |
|
451 | 451 | |
|
452 | 452 | -I --include PATTERN [+] include names matching the given patterns |
|
453 | 453 | -X --exclude PATTERN [+] exclude names matching the given patterns |
|
454 | 454 | -S --subrepos recurse into subrepositories |
|
455 | 455 | -n --dry-run do not perform actions, just print output |
|
456 | 456 | |
|
457 | 457 | (use "hg add -h" to show more help) |
|
458 | 458 | [255] |
|
459 | 459 | |
|
460 | 460 | Test ambiguous command help |
|
461 | 461 | |
|
462 | 462 | $ hg help ad |
|
463 | 463 | list of commands: |
|
464 | 464 | |
|
465 | 465 | add add the specified files on the next commit |
|
466 | 466 | addremove add all new files, delete all missing files |
|
467 | 467 | |
|
468 | 468 | (use "hg help -v ad" to show built-in aliases and global options) |
|
469 | 469 | |
|
470 | 470 | Test command without options |
|
471 | 471 | |
|
472 | 472 | $ hg help verify |
|
473 | 473 | hg verify |
|
474 | 474 | |
|
475 | 475 | verify the integrity of the repository |
|
476 | 476 | |
|
477 | 477 | Verify the integrity of the current repository. |
|
478 | 478 | |
|
479 | 479 | This will perform an extensive check of the repository's integrity, |
|
480 | 480 | validating the hashes and checksums of each entry in the changelog, |
|
481 | 481 | manifest, and tracked files, as well as the integrity of their crosslinks |
|
482 | 482 | and indices. |
|
483 | 483 | |
|
484 | 484 | Please see https://mercurial-scm.org/wiki/RepositoryCorruption for more |
|
485 | 485 | information about recovery from corruption of the repository. |
|
486 | 486 | |
|
487 | 487 | Returns 0 on success, 1 if errors are encountered. |
|
488 | 488 | |
|
489 | 489 | (some details hidden, use --verbose to show complete help) |
|
490 | 490 | |
|
491 | 491 | $ hg help diff |
|
492 | 492 | hg diff [OPTION]... ([-c REV] | [-r REV1 [-r REV2]]) [FILE]... |
|
493 | 493 | |
|
494 | 494 | diff repository (or selected files) |
|
495 | 495 | |
|
496 | 496 | Show differences between revisions for the specified files. |
|
497 | 497 | |
|
498 | 498 | Differences between files are shown using the unified diff format. |
|
499 | 499 | |
|
500 | 500 | Note: |
|
501 | 501 | "hg diff" may generate unexpected results for merges, as it will |
|
502 | 502 | default to comparing against the working directory's first parent |
|
503 | 503 | changeset if no revisions are specified. |
|
504 | 504 | |
|
505 | 505 | When two revision arguments are given, then changes are shown between |
|
506 | 506 | those revisions. If only one revision is specified then that revision is |
|
507 | 507 | compared to the working directory, and, when no revisions are specified, |
|
508 | 508 | the working directory files are compared to its first parent. |
|
509 | 509 | |
|
510 | 510 | Alternatively you can specify -c/--change with a revision to see the |
|
511 | 511 | changes in that changeset relative to its first parent. |
|
512 | 512 | |
|
513 | 513 | Without the -a/--text option, diff will avoid generating diffs of files it |
|
514 | 514 | detects as binary. With -a, diff will generate a diff anyway, probably |
|
515 | 515 | with undesirable results. |
|
516 | 516 | |
|
517 | 517 | Use the -g/--git option to generate diffs in the git extended diff format. |
|
518 | 518 | For more information, read "hg help diffs". |
|
519 | 519 | |
|
520 | 520 | Returns 0 on success. |
|
521 | 521 | |
|
522 | 522 | options ([+] can be repeated): |
|
523 | 523 | |
|
524 | 524 | -r --rev REV [+] revision |
|
525 | 525 | -c --change REV change made by revision |
|
526 | 526 | -a --text treat all files as text |
|
527 | 527 | -g --git use git extended diff format |
|
528 | 528 | --nodates omit dates from diff headers |
|
529 | 529 | --noprefix omit a/ and b/ prefixes from filenames |
|
530 | 530 | -p --show-function show which function each change is in |
|
531 | 531 | --reverse produce a diff that undoes the changes |
|
532 | 532 | -w --ignore-all-space ignore white space when comparing lines |
|
533 | 533 | -b --ignore-space-change ignore changes in the amount of white space |
|
534 | 534 | -B --ignore-blank-lines ignore changes whose lines are all blank |
|
535 | 535 | -U --unified NUM number of lines of context to show |
|
536 | 536 | --stat output diffstat-style summary of changes |
|
537 | 537 | --root DIR produce diffs relative to subdirectory |
|
538 | 538 | -I --include PATTERN [+] include names matching the given patterns |
|
539 | 539 | -X --exclude PATTERN [+] exclude names matching the given patterns |
|
540 | 540 | -S --subrepos recurse into subrepositories |
|
541 | 541 | |
|
542 | 542 | (some details hidden, use --verbose to show complete help) |
|
543 | 543 | |
|
544 | 544 | $ hg help status |
|
545 | 545 | hg status [OPTION]... [FILE]... |
|
546 | 546 | |
|
547 | 547 | aliases: st |
|
548 | 548 | |
|
549 | 549 | show changed files in the working directory |
|
550 | 550 | |
|
551 | 551 | Show status of files in the repository. If names are given, only files |
|
552 | 552 | that match are shown. Files that are clean or ignored or the source of a |
|
553 | 553 | copy/move operation, are not listed unless -c/--clean, -i/--ignored, |
|
554 | 554 | -C/--copies or -A/--all are given. Unless options described with "show |
|
555 | 555 | only ..." are given, the options -mardu are used. |
|
556 | 556 | |
|
557 | 557 | Option -q/--quiet hides untracked (unknown and ignored) files unless |
|
558 | 558 | explicitly requested with -u/--unknown or -i/--ignored. |
|
559 | 559 | |
|
560 | 560 | Note: |
|
561 | 561 | "hg status" may appear to disagree with diff if permissions have |
|
562 | 562 | changed or a merge has occurred. The standard diff format does not |
|
563 | 563 | report permission changes and diff only reports changes relative to one |
|
564 | 564 | merge parent. |
|
565 | 565 | |
|
566 | 566 | If one revision is given, it is used as the base revision. If two |
|
567 | 567 | revisions are given, the differences between them are shown. The --change |
|
568 | 568 | option can also be used as a shortcut to list the changed files of a |
|
569 | 569 | revision from its first parent. |
|
570 | 570 | |
|
571 | 571 | The codes used to show the status of files are: |
|
572 | 572 | |
|
573 | 573 | M = modified |
|
574 | 574 | A = added |
|
575 | 575 | R = removed |
|
576 | 576 | C = clean |
|
577 | 577 | ! = missing (deleted by non-hg command, but still tracked) |
|
578 | 578 | ? = not tracked |
|
579 | 579 | I = ignored |
|
580 | 580 | = origin of the previous file (with --copies) |
|
581 | 581 | |
|
582 | 582 | Returns 0 on success. |
|
583 | 583 | |
|
584 | 584 | options ([+] can be repeated): |
|
585 | 585 | |
|
586 | 586 | -A --all show status of all files |
|
587 | 587 | -m --modified show only modified files |
|
588 | 588 | -a --added show only added files |
|
589 | 589 | -r --removed show only removed files |
|
590 | 590 | -d --deleted show only deleted (but tracked) files |
|
591 | 591 | -c --clean show only files without changes |
|
592 | 592 | -u --unknown show only unknown (not tracked) files |
|
593 | 593 | -i --ignored show only ignored files |
|
594 | 594 | -n --no-status hide status prefix |
|
595 | 595 | -C --copies show source of copied files |
|
596 | 596 | -0 --print0 end filenames with NUL, for use with xargs |
|
597 | 597 | --rev REV [+] show difference from revision |
|
598 | 598 | --change REV list the changed files of a revision |
|
599 | 599 | -I --include PATTERN [+] include names matching the given patterns |
|
600 | 600 | -X --exclude PATTERN [+] exclude names matching the given patterns |
|
601 | 601 | -S --subrepos recurse into subrepositories |
|
602 | 602 | |
|
603 | 603 | (some details hidden, use --verbose to show complete help) |
|
604 | 604 | |
|
605 | 605 | $ hg -q help status |
|
606 | 606 | hg status [OPTION]... [FILE]... |
|
607 | 607 | |
|
608 | 608 | show changed files in the working directory |
|
609 | 609 | |
|
610 | 610 | $ hg help foo |
|
611 | 611 | abort: no such help topic: foo |
|
612 | 612 | (try "hg help --keyword foo") |
|
613 | 613 | [255] |
|
614 | 614 | |
|
615 | 615 | $ hg skjdfks |
|
616 | 616 | hg: unknown command 'skjdfks' |
|
617 | 617 | Mercurial Distributed SCM |
|
618 | 618 | |
|
619 | 619 | basic commands: |
|
620 | 620 | |
|
621 | 621 | add add the specified files on the next commit |
|
622 | 622 | annotate show changeset information by line for each file |
|
623 | 623 | clone make a copy of an existing repository |
|
624 | 624 | commit commit the specified files or all outstanding changes |
|
625 | 625 | diff diff repository (or selected files) |
|
626 | 626 | export dump the header and diffs for one or more changesets |
|
627 | 627 | forget forget the specified files on the next commit |
|
628 | 628 | init create a new repository in the given directory |
|
629 | 629 | log show revision history of entire repository or files |
|
630 | 630 | merge merge another revision into working directory |
|
631 | 631 | pull pull changes from the specified source |
|
632 | 632 | push push changes to the specified destination |
|
633 | 633 | remove remove the specified files on the next commit |
|
634 | 634 | serve start stand-alone webserver |
|
635 | 635 | status show changed files in the working directory |
|
636 | 636 | summary summarize working directory state |
|
637 | 637 | update update working directory (or switch revisions) |
|
638 | 638 | |
|
639 | 639 | (use "hg help" for the full list of commands or "hg -v" for details) |
|
640 | 640 | [255] |
|
641 | 641 | |
|
642 | 642 | |
|
643 | 643 | Make sure that we don't run afoul of the help system thinking that |
|
644 | 644 | this is a section and erroring out weirdly. |
|
645 | 645 | |
|
646 | 646 | $ hg .log |
|
647 | 647 | hg: unknown command '.log' |
|
648 | 648 | (did you mean one of log?) |
|
649 | 649 | [255] |
|
650 | 650 | |
|
651 | 651 | $ hg log. |
|
652 | 652 | hg: unknown command 'log.' |
|
653 | 653 | (did you mean one of log?) |
|
654 | 654 | [255] |
|
655 | 655 | $ hg pu.lh |
|
656 | 656 | hg: unknown command 'pu.lh' |
|
657 | 657 | (did you mean one of pull, push?) |
|
658 | 658 | [255] |
|
659 | 659 | |
|
660 | 660 | $ cat > helpext.py <<EOF |
|
661 | 661 | > import os |
|
662 | 662 | > from mercurial import cmdutil, commands |
|
663 | 663 | > |
|
664 | 664 | > cmdtable = {} |
|
665 | 665 | > command = cmdutil.command(cmdtable) |
|
666 | 666 | > |
|
667 | 667 | > @command('nohelp', |
|
668 | 668 | > [('', 'longdesc', 3, 'x'*90), |
|
669 | 669 | > ('n', '', None, 'normal desc'), |
|
670 | 670 | > ('', 'newline', '', 'line1\nline2')], |
|
671 | 671 | > 'hg nohelp', |
|
672 | 672 | > norepo=True) |
|
673 | 673 | > @command('debugoptDEP', [('', 'dopt', None, 'option is (DEPRECATED)')]) |
|
674 | 674 | > @command('debugoptEXP', [('', 'eopt', None, 'option is (EXPERIMENTAL)')]) |
|
675 | 675 | > def nohelp(ui, *args, **kwargs): |
|
676 | 676 | > pass |
|
677 | 677 | > |
|
678 | 678 | > EOF |
|
679 | 679 | $ echo '[extensions]' >> $HGRCPATH |
|
680 | 680 | $ echo "helpext = `pwd`/helpext.py" >> $HGRCPATH |
|
681 | 681 | |
|
682 | 682 | Test command with no help text |
|
683 | 683 | |
|
684 | 684 | $ hg help nohelp |
|
685 | 685 | hg nohelp |
|
686 | 686 | |
|
687 | 687 | (no help text available) |
|
688 | 688 | |
|
689 | 689 | options: |
|
690 | 690 | |
|
691 | 691 | --longdesc VALUE xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx |
|
692 | 692 | xxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxxx (default: 3) |
|
693 | 693 | -n -- normal desc |
|
694 | 694 | --newline VALUE line1 line2 |
|
695 | 695 | |
|
696 | 696 | (some details hidden, use --verbose to show complete help) |
|
697 | 697 | |
|
698 | 698 | $ hg help -k nohelp |
|
699 | 699 | Commands: |
|
700 | 700 | |
|
701 | 701 | nohelp hg nohelp |
|
702 | 702 | |
|
703 | 703 | Extension Commands: |
|
704 | 704 | |
|
705 | 705 | nohelp (no help text available) |
|
706 | 706 | |
|
707 | 707 | Test that default list of commands omits extension commands |
|
708 | 708 | |
|
709 | 709 | $ hg help |
|
710 | 710 | Mercurial Distributed SCM |
|
711 | 711 | |
|
712 | 712 | list of commands: |
|
713 | 713 | |
|
714 | 714 | add add the specified files on the next commit |
|
715 | 715 | addremove add all new files, delete all missing files |
|
716 | 716 | annotate show changeset information by line for each file |
|
717 | 717 | archive create an unversioned archive of a repository revision |
|
718 | 718 | backout reverse effect of earlier changeset |
|
719 | 719 | bisect subdivision search of changesets |
|
720 | 720 | bookmarks create a new bookmark or list existing bookmarks |
|
721 | 721 | branch set or show the current branch name |
|
722 | 722 | branches list repository named branches |
|
723 | 723 | bundle create a changegroup file |
|
724 | 724 | cat output the current or given revision of files |
|
725 | 725 | clone make a copy of an existing repository |
|
726 | 726 | commit commit the specified files or all outstanding changes |
|
727 | 727 | config show combined config settings from all hgrc files |
|
728 | 728 | copy mark files as copied for the next commit |
|
729 | 729 | diff diff repository (or selected files) |
|
730 | 730 | export dump the header and diffs for one or more changesets |
|
731 | 731 | files list tracked files |
|
732 | 732 | forget forget the specified files on the next commit |
|
733 | 733 | graft copy changes from other branches onto the current branch |
|
734 | 734 | grep search for a pattern in specified files and revisions |
|
735 | 735 | heads show branch heads |
|
736 | 736 | help show help for a given topic or a help overview |
|
737 | 737 | identify identify the working directory or specified revision |
|
738 | 738 | import import an ordered set of patches |
|
739 | 739 | incoming show new changesets found in source |
|
740 | 740 | init create a new repository in the given directory |
|
741 | 741 | log show revision history of entire repository or files |
|
742 | 742 | manifest output the current or given revision of the project manifest |
|
743 | 743 | merge merge another revision into working directory |
|
744 | 744 | outgoing show changesets not found in the destination |
|
745 | 745 | paths show aliases for remote repositories |
|
746 | 746 | phase set or show the current phase name |
|
747 | 747 | pull pull changes from the specified source |
|
748 | 748 | push push changes to the specified destination |
|
749 | 749 | recover roll back an interrupted transaction |
|
750 | 750 | remove remove the specified files on the next commit |
|
751 | 751 | rename rename files; equivalent of copy + remove |
|
752 | 752 | resolve redo merges or set/view the merge status of files |
|
753 | 753 | revert restore files to their checkout state |
|
754 | 754 | root print the root (top) of the current working directory |
|
755 | 755 | serve start stand-alone webserver |
|
756 | 756 | status show changed files in the working directory |
|
757 | 757 | summary summarize working directory state |
|
758 | 758 | tag add one or more tags for the current or given revision |
|
759 | 759 | tags list repository tags |
|
760 | 760 | unbundle apply one or more changegroup files |
|
761 | 761 | update update working directory (or switch revisions) |
|
762 | 762 | verify verify the integrity of the repository |
|
763 | 763 | version output version and copyright information |
|
764 | 764 | |
|
765 | 765 | enabled extensions: |
|
766 | 766 | |
|
767 | 767 | helpext (no help text available) |
|
768 | 768 | |
|
769 | 769 | additional help topics: |
|
770 | 770 | |
|
771 | 771 | config Configuration Files |
|
772 | 772 | dates Date Formats |
|
773 | 773 | diffs Diff Formats |
|
774 | 774 | environment Environment Variables |
|
775 | 775 | extensions Using Additional Features |
|
776 | 776 | filesets Specifying File Sets |
|
777 | 777 | glossary Glossary |
|
778 | 778 | hgignore Syntax for Mercurial Ignore Files |
|
779 | 779 | hgweb Configuring hgweb |
|
780 | 780 | internals Technical implementation topics |
|
781 | 781 | merge-tools Merge Tools |
|
782 | 782 | multirevs Specifying Multiple Revisions |
|
783 | 783 | patterns File Name Patterns |
|
784 | 784 | phases Working with Phases |
|
785 | 785 | revisions Specifying Single Revisions |
|
786 | 786 | revsets Specifying Revision Sets |
|
787 | 787 | scripting Using Mercurial from scripts and automation |
|
788 | 788 | subrepos Subrepositories |
|
789 | 789 | templating Template Usage |
|
790 | 790 | urls URL Paths |
|
791 | 791 | |
|
792 | 792 | (use "hg help -v" to show built-in aliases and global options) |
|
793 | 793 | |
|
794 | 794 | |
|
795 | 795 | Test list of internal help commands |
|
796 | 796 | |
|
797 | 797 | $ hg help debug |
|
798 | 798 | debug commands (internal and unsupported): |
|
799 | 799 | |
|
800 | 800 | debugancestor |
|
801 | 801 | find the ancestor revision of two revisions in a given index |
|
802 | 802 | debugapplystreamclonebundle |
|
803 | 803 | apply a stream clone bundle file |
|
804 | 804 | debugbuilddag |
|
805 | 805 | builds a repo with a given DAG from scratch in the current |
|
806 | 806 | empty repo |
|
807 | 807 | debugbundle lists the contents of a bundle |
|
808 | 808 | debugcheckstate |
|
809 | 809 | validate the correctness of the current dirstate |
|
810 | 810 | debugcommands |
|
811 | 811 | list all available commands and options |
|
812 | 812 | debugcomplete |
|
813 | 813 | returns the completion list associated with the given command |
|
814 | 814 | debugcreatestreamclonebundle |
|
815 | 815 | create a stream clone bundle file |
|
816 | 816 | debugdag format the changelog or an index DAG as a concise textual |
|
817 | 817 | description |
|
818 | 818 | debugdata dump the contents of a data file revision |
|
819 | 819 | debugdate parse and display a date |
|
820 | 820 | debugdeltachain |
|
821 | 821 | dump information about delta chains in a revlog |
|
822 | 822 | debugdirstate |
|
823 | 823 | show the contents of the current dirstate |
|
824 | 824 | debugdiscovery |
|
825 | 825 | runs the changeset discovery protocol in isolation |
|
826 | 826 | debugextensions |
|
827 | 827 | show information about active extensions |
|
828 | 828 | debugfileset parse and apply a fileset specification |
|
829 | 829 | debugfsinfo show information detected about current filesystem |
|
830 | 830 | debuggetbundle |
|
831 | 831 | retrieves a bundle from a repo |
|
832 | 832 | debugignore display the combined ignore pattern |
|
833 | 833 | debugindex dump the contents of an index file |
|
834 | 834 | debugindexdot |
|
835 | 835 | dump an index DAG as a graphviz dot file |
|
836 | 836 | debuginstall test Mercurial installation |
|
837 | 837 | debugknown test whether node ids are known to a repo |
|
838 | 838 | debuglocks show or modify state of locks |
|
839 | 839 | debugmergestate |
|
840 | 840 | print merge state |
|
841 | 841 | debugnamecomplete |
|
842 | 842 | complete "names" - tags, open branch names, bookmark names |
|
843 | 843 | debugobsolete |
|
844 | 844 | create arbitrary obsolete marker |
|
845 | 845 | debugoptDEP (no help text available) |
|
846 | 846 | debugoptEXP (no help text available) |
|
847 | 847 | debugpathcomplete |
|
848 | 848 | complete part or all of a tracked path |
|
849 | 849 | debugpushkey access the pushkey key/value protocol |
|
850 | 850 | debugpvec (no help text available) |
|
851 | 851 | debugrebuilddirstate |
|
852 | 852 | rebuild the dirstate as it would look like for the given |
|
853 | 853 | revision |
|
854 | 854 | debugrebuildfncache |
|
855 | 855 | rebuild the fncache file |
|
856 | 856 | debugrename dump rename information |
|
857 | 857 | debugrevlog show data and statistics about a revlog |
|
858 | 858 | debugrevspec parse and apply a revision specification |
|
859 | 859 | debugsetparents |
|
860 | 860 | manually set the parents of the current working directory |
|
861 | 861 | debugsub (no help text available) |
|
862 | 862 | debugsuccessorssets |
|
863 | 863 | show set of successors for revision |
|
864 | 864 | debugwalk show how files match on given patterns |
|
865 | 865 | debugwireargs |
|
866 | 866 | (no help text available) |
|
867 | 867 | |
|
868 | 868 | (use "hg help -v debug" to show built-in aliases and global options) |
|
869 | 869 | |
|
870 | 870 | internals topic renders index of available sub-topics |
|
871 | 871 | |
|
872 | 872 | $ hg help internals |
|
873 | 873 | Technical implementation topics |
|
874 | 874 | """"""""""""""""""""""""""""""" |
|
875 | 875 | |
|
876 | 876 | bundles container for exchange of repository data |
|
877 | 877 | changegroups representation of revlog data |
|
878 | 878 | |
|
879 | 879 | sub-topics can be accessed |
|
880 | 880 | |
|
881 | 881 | $ hg help internals.changegroups |
|
882 | 882 | Changegroups |
|
883 | 883 | ============ |
|
884 | 884 | |
|
885 | 885 | Changegroups are representations of repository revlog data, specifically |
|
886 | 886 | the changelog, manifest, and filelogs. |
|
887 | 887 | |
|
888 | 888 | There are 3 versions of changegroups: "1", "2", and "3". From a high- |
|
889 | 889 | level, versions "1" and "2" are almost exactly the same, with the only |
|
890 | 890 | difference being a header on entries in the changeset segment. Version "3" |
|
891 | 891 | adds support for exchanging treemanifests and includes revlog flags in the |
|
892 | 892 | delta header. |
|
893 | 893 | |
|
894 | 894 | Changegroups consists of 3 logical segments: |
|
895 | 895 | |
|
896 | 896 | +---------------------------------+ |
|
897 | 897 | | | | | |
|
898 | 898 | | changeset | manifest | filelogs | |
|
899 | 899 | | | | | |
|
900 | 900 | +---------------------------------+ |
|
901 | 901 | |
|
902 | 902 | The principle building block of each segment is a *chunk*. A *chunk* is a |
|
903 | 903 | framed piece of data: |
|
904 | 904 | |
|
905 | 905 | +---------------------------------------+ |
|
906 | 906 | | | | |
|
907 | 907 | | length | data | |
|
908 | 908 | | (32 bits) | <length> bytes | |
|
909 | 909 | | | | |
|
910 | 910 | +---------------------------------------+ |
|
911 | 911 | |
|
912 | 912 | Each chunk starts with a 32-bit big-endian signed integer indicating the |
|
913 | 913 | length of the raw data that follows. |
|
914 | 914 | |
|
915 | 915 | There is a special case chunk that has 0 length ("0x00000000"). We call |
|
916 | 916 | this an *empty chunk*. |
|
917 | 917 | |
|
918 | 918 | Delta Groups |
|
919 | 919 | ------------ |
|
920 | 920 | |
|
921 | 921 | A *delta group* expresses the content of a revlog as a series of deltas, |
|
922 | 922 | or patches against previous revisions. |
|
923 | 923 | |
|
924 | 924 | Delta groups consist of 0 or more *chunks* followed by the *empty chunk* |
|
925 | 925 | to signal the end of the delta group: |
|
926 | 926 | |
|
927 | 927 | +------------------------------------------------------------------------+ |
|
928 | 928 | | | | | | | |
|
929 | 929 | | chunk0 length | chunk0 data | chunk1 length | chunk1 data | 0x0 | |
|
930 | 930 | | (32 bits) | (various) | (32 bits) | (various) | (32 bits) | |
|
931 | 931 | | | | | | | |
|
932 | 932 | +------------------------------------------------------------+-----------+ |
|
933 | 933 | |
|
934 | 934 | Each *chunk*'s data consists of the following: |
|
935 | 935 | |
|
936 | 936 | +-----------------------------------------+ |
|
937 | 937 | | | | | |
|
938 | 938 | | delta header | mdiff header | delta | |
|
939 | 939 | | (various) | (12 bytes) | (various) | |
|
940 | 940 | | | | | |
|
941 | 941 | +-----------------------------------------+ |
|
942 | 942 | |
|
943 | 943 | The *length* field is the byte length of the remaining 3 logical pieces of |
|
944 | 944 | data. The *delta* is a diff from an existing entry in the changelog. |
|
945 | 945 | |
|
946 | 946 | The *delta header* is different between versions "1", "2", and "3" of the |
|
947 | 947 | changegroup format. |
|
948 | 948 | |
|
949 | 949 | Version 1: |
|
950 | 950 | |
|
951 | 951 | +------------------------------------------------------+ |
|
952 | 952 | | | | | | |
|
953 | 953 | | node | p1 node | p2 node | link node | |
|
954 | 954 | | (20 bytes) | (20 bytes) | (20 bytes) | (20 bytes) | |
|
955 | 955 | | | | | | |
|
956 | 956 | +------------------------------------------------------+ |
|
957 | 957 | |
|
958 | 958 | Version 2: |
|
959 | 959 | |
|
960 | 960 | +------------------------------------------------------------------+ |
|
961 | 961 | | | | | | | |
|
962 | 962 | | node | p1 node | p2 node | base node | link node | |
|
963 | 963 | | (20 bytes) | (20 bytes) | (20 bytes) | (20 bytes) | (20 bytes) | |
|
964 | 964 | | | | | | | |
|
965 | 965 | +------------------------------------------------------------------+ |
|
966 | 966 | |
|
967 | 967 | Version 3: |
|
968 | 968 | |
|
969 | 969 | +------------------------------------------------------------------------------+ |
|
970 | 970 | | | | | | | | |
|
971 | 971 | | node | p1 node | p2 node | base node | link node | flags | |
|
972 | 972 | | (20 bytes) | (20 bytes) | (20 bytes) | (20 bytes) | (20 bytes) | (2 bytes) | |
|
973 | 973 | | | | | | | | |
|
974 | 974 | +------------------------------------------------------------------------------+ |
|
975 | 975 | |
|
976 | 976 | The *mdiff header* consists of 3 32-bit big-endian signed integers |
|
977 | 977 | describing offsets at which to apply the following delta content: |
|
978 | 978 | |
|
979 | 979 | +-------------------------------------+ |
|
980 | 980 | | | | | |
|
981 | 981 | | offset | old length | new length | |
|
982 | 982 | | (32 bits) | (32 bits) | (32 bits) | |
|
983 | 983 | | | | | |
|
984 | 984 | +-------------------------------------+ |
|
985 | 985 | |
|
986 | 986 | In version 1, the delta is always applied against the previous node from |
|
987 | 987 | the changegroup or the first parent if this is the first entry in the |
|
988 | 988 | changegroup. |
|
989 | 989 | |
|
990 | 990 | In version 2, the delta base node is encoded in the entry in the |
|
991 | 991 | changegroup. This allows the delta to be expressed against any parent, |
|
992 | 992 | which can result in smaller deltas and more efficient encoding of data. |
|
993 | 993 | |
|
994 | 994 | Changeset Segment |
|
995 | 995 | ----------------- |
|
996 | 996 | |
|
997 | 997 | The *changeset segment* consists of a single *delta group* holding |
|
998 | 998 | changelog data. It is followed by an *empty chunk* to denote the boundary |
|
999 | 999 | to the *manifests segment*. |
|
1000 | 1000 | |
|
1001 | 1001 | Manifest Segment |
|
1002 | 1002 | ---------------- |
|
1003 | 1003 | |
|
1004 | 1004 | The *manifest segment* consists of a single *delta group* holding manifest |
|
1005 | 1005 | data. It is followed by an *empty chunk* to denote the boundary to the |
|
1006 | 1006 | *filelogs segment*. |
|
1007 | 1007 | |
|
1008 | 1008 | Filelogs Segment |
|
1009 | 1009 | ---------------- |
|
1010 | 1010 | |
|
1011 | 1011 | The *filelogs* segment consists of multiple sub-segments, each |
|
1012 | 1012 | corresponding to an individual file whose data is being described: |
|
1013 | 1013 | |
|
1014 | 1014 | +--------------------------------------+ |
|
1015 | 1015 | | | | | | |
|
1016 | 1016 | | filelog0 | filelog1 | filelog2 | ... | |
|
1017 | 1017 | | | | | | |
|
1018 | 1018 | +--------------------------------------+ |
|
1019 | 1019 | |
|
1020 | 1020 | In version "3" of the changegroup format, filelogs may include directory |
|
1021 | 1021 | logs when treemanifests are in use. directory logs are identified by |
|
1022 | 1022 | having a trailing '/' on their filename (see below). |
|
1023 | 1023 | |
|
1024 | 1024 | The final filelog sub-segment is followed by an *empty chunk* to denote |
|
1025 | 1025 | the end of the segment and the overall changegroup. |
|
1026 | 1026 | |
|
1027 | 1027 | Each filelog sub-segment consists of the following: |
|
1028 | 1028 | |
|
1029 | 1029 | +------------------------------------------+ |
|
1030 | 1030 | | | | | |
|
1031 | 1031 | | filename size | filename | delta group | |
|
1032 | 1032 | | (32 bits) | (various) | (various) | |
|
1033 | 1033 | | | | | |
|
1034 | 1034 | +------------------------------------------+ |
|
1035 | 1035 | |
|
1036 | 1036 | That is, a *chunk* consisting of the filename (not terminated or padded) |
|
1037 | 1037 | followed by N chunks constituting the *delta group* for this file. |
|
1038 | 1038 | |
|
1039 | 1039 | Test list of commands with command with no help text |
|
1040 | 1040 | |
|
1041 | 1041 | $ hg help helpext |
|
1042 | 1042 | helpext extension - no help text available |
|
1043 | 1043 | |
|
1044 | 1044 | list of commands: |
|
1045 | 1045 | |
|
1046 | 1046 | nohelp (no help text available) |
|
1047 | 1047 | |
|
1048 | 1048 | (use "hg help -v helpext" to show built-in aliases and global options) |
|
1049 | 1049 | |
|
1050 | 1050 | |
|
1051 | 1051 | test deprecated and experimental options are hidden in command help |
|
1052 | 1052 | $ hg help debugoptDEP |
|
1053 | 1053 | hg debugoptDEP |
|
1054 | 1054 | |
|
1055 | 1055 | (no help text available) |
|
1056 | 1056 | |
|
1057 | 1057 | options: |
|
1058 | 1058 | |
|
1059 | 1059 | (some details hidden, use --verbose to show complete help) |
|
1060 | 1060 | |
|
1061 | 1061 | $ hg help debugoptEXP |
|
1062 | 1062 | hg debugoptEXP |
|
1063 | 1063 | |
|
1064 | 1064 | (no help text available) |
|
1065 | 1065 | |
|
1066 | 1066 | options: |
|
1067 | 1067 | |
|
1068 | 1068 | (some details hidden, use --verbose to show complete help) |
|
1069 | 1069 | |
|
1070 | 1070 | test deprecated and experimental options is shown with -v |
|
1071 | 1071 | $ hg help -v debugoptDEP | grep dopt |
|
1072 | 1072 | --dopt option is (DEPRECATED) |
|
1073 | 1073 | $ hg help -v debugoptEXP | grep eopt |
|
1074 | 1074 | --eopt option is (EXPERIMENTAL) |
|
1075 | 1075 | |
|
1076 | 1076 | #if gettext |
|
1077 | 1077 | test deprecated option is hidden with translation with untranslated description |
|
1078 | 1078 | (use many globy for not failing on changed transaction) |
|
1079 | 1079 | $ LANGUAGE=sv hg help debugoptDEP |
|
1080 | 1080 | hg debugoptDEP |
|
1081 | 1081 | |
|
1082 | 1082 | (*) (glob) |
|
1083 | 1083 | |
|
1084 | 1084 | options: |
|
1085 | 1085 | |
|
1086 | 1086 | (some details hidden, use --verbose to show complete help) |
|
1087 | 1087 | #endif |
|
1088 | 1088 | |
|
1089 | 1089 | Test commands that collide with topics (issue4240) |
|
1090 | 1090 | |
|
1091 | 1091 | $ hg config -hq |
|
1092 | 1092 | hg config [-u] [NAME]... |
|
1093 | 1093 | |
|
1094 | 1094 | show combined config settings from all hgrc files |
|
1095 | 1095 | $ hg showconfig -hq |
|
1096 | 1096 | hg config [-u] [NAME]... |
|
1097 | 1097 | |
|
1098 | 1098 | show combined config settings from all hgrc files |
|
1099 | 1099 | |
|
1100 | 1100 | Test a help topic |
|
1101 | 1101 | |
|
1102 | 1102 | $ hg help revs |
|
1103 | 1103 | Specifying Single Revisions |
|
1104 | 1104 | """"""""""""""""""""""""""" |
|
1105 | 1105 | |
|
1106 | 1106 | Mercurial supports several ways to specify individual revisions. |
|
1107 | 1107 | |
|
1108 | 1108 | A plain integer is treated as a revision number. Negative integers are |
|
1109 | 1109 | treated as sequential offsets from the tip, with -1 denoting the tip, -2 |
|
1110 | 1110 | denoting the revision prior to the tip, and so forth. |
|
1111 | 1111 | |
|
1112 | 1112 | A 40-digit hexadecimal string is treated as a unique revision identifier. |
|
1113 | 1113 | |
|
1114 | 1114 | A hexadecimal string less than 40 characters long is treated as a unique |
|
1115 | 1115 | revision identifier and is referred to as a short-form identifier. A |
|
1116 | 1116 | short-form identifier is only valid if it is the prefix of exactly one |
|
1117 | 1117 | full-length identifier. |
|
1118 | 1118 | |
|
1119 | 1119 | Any other string is treated as a bookmark, tag, or branch name. A bookmark |
|
1120 | 1120 | is a movable pointer to a revision. A tag is a permanent name associated |
|
1121 | 1121 | with a revision. A branch name denotes the tipmost open branch head of |
|
1122 | 1122 | that branch - or if they are all closed, the tipmost closed head of the |
|
1123 | 1123 | branch. Bookmark, tag, and branch names must not contain the ":" |
|
1124 | 1124 | character. |
|
1125 | 1125 | |
|
1126 | 1126 | The reserved name "tip" always identifies the most recent revision. |
|
1127 | 1127 | |
|
1128 | 1128 | The reserved name "null" indicates the null revision. This is the revision |
|
1129 | 1129 | of an empty repository, and the parent of revision 0. |
|
1130 | 1130 | |
|
1131 | 1131 | The reserved name "." indicates the working directory parent. If no |
|
1132 | 1132 | working directory is checked out, it is equivalent to null. If an |
|
1133 | 1133 | uncommitted merge is in progress, "." is the revision of the first parent. |
|
1134 | 1134 | |
|
1135 | 1135 | Test repeated config section name |
|
1136 | 1136 | |
|
1137 | 1137 | $ hg help config.host |
|
1138 | 1138 | "http_proxy.host" |
|
1139 | 1139 | Host name and (optional) port of the proxy server, for example |
|
1140 | 1140 | "myproxy:8000". |
|
1141 | 1141 | |
|
1142 | 1142 | "smtp.host" |
|
1143 | 1143 | Host name of mail server, e.g. "mail.example.com". |
|
1144 | 1144 | |
|
1145 | 1145 | Unrelated trailing paragraphs shouldn't be included |
|
1146 | 1146 | |
|
1147 | 1147 | $ hg help config.extramsg | grep '^$' |
|
1148 | 1148 | |
|
1149 | 1149 | |
|
1150 | 1150 | Test capitalized section name |
|
1151 | 1151 | |
|
1152 | 1152 | $ hg help scripting.HGPLAIN > /dev/null |
|
1153 | 1153 | |
|
1154 | 1154 | Help subsection: |
|
1155 | 1155 | |
|
1156 | 1156 | $ hg help config.charsets |grep "Email example:" > /dev/null |
|
1157 | 1157 | [1] |
|
1158 | 1158 | |
|
1159 | 1159 | Show nested definitions |
|
1160 | 1160 | ("profiling.type"[break]"ls"[break]"stat"[break]) |
|
1161 | 1161 | |
|
1162 | 1162 | $ hg help config.type | egrep '^$'|wc -l |
|
1163 | 1163 | \s*3 (re) |
|
1164 | 1164 | |
|
1165 | 1165 | Last item in help config.*: |
|
1166 | 1166 | |
|
1167 | 1167 | $ hg help config.`hg help config|grep '^ "'| \ |
|
1168 | 1168 | > tail -1|sed 's![ "]*!!g'`| \ |
|
1169 | 1169 | > grep "hg help -c config" > /dev/null |
|
1170 | 1170 | [1] |
|
1171 | 1171 | |
|
1172 | 1172 | note to use help -c for general hg help config: |
|
1173 | 1173 | |
|
1174 | 1174 | $ hg help config |grep "hg help -c config" > /dev/null |
|
1175 | 1175 | |
|
1176 | 1176 | Test templating help |
|
1177 | 1177 | |
|
1178 | 1178 | $ hg help templating | egrep '(desc|diffstat|firstline|nonempty) ' |
|
1179 | 1179 | desc String. The text of the changeset description. |
|
1180 | 1180 | diffstat String. Statistics of changes with the following format: |
|
1181 | 1181 | firstline Any text. Returns the first line of text. |
|
1182 | 1182 | nonempty Any text. Returns '(none)' if the string is empty. |
|
1183 | 1183 | |
|
1184 | 1184 | Test deprecated items |
|
1185 | 1185 | |
|
1186 | 1186 | $ hg help -v templating | grep currentbookmark |
|
1187 | 1187 | currentbookmark |
|
1188 | 1188 | $ hg help templating | (grep currentbookmark || true) |
|
1189 | 1189 | |
|
1190 | 1190 | Test help hooks |
|
1191 | 1191 | |
|
1192 | 1192 | $ cat > helphook1.py <<EOF |
|
1193 | 1193 | > from mercurial import help |
|
1194 | 1194 | > |
|
1195 | 1195 | > def rewrite(ui, topic, doc): |
|
1196 | 1196 | > return doc + '\nhelphook1\n' |
|
1197 | 1197 | > |
|
1198 | 1198 | > def extsetup(ui): |
|
1199 | 1199 | > help.addtopichook('revsets', rewrite) |
|
1200 | 1200 | > EOF |
|
1201 | 1201 | $ cat > helphook2.py <<EOF |
|
1202 | 1202 | > from mercurial import help |
|
1203 | 1203 | > |
|
1204 | 1204 | > def rewrite(ui, topic, doc): |
|
1205 | 1205 | > return doc + '\nhelphook2\n' |
|
1206 | 1206 | > |
|
1207 | 1207 | > def extsetup(ui): |
|
1208 | 1208 | > help.addtopichook('revsets', rewrite) |
|
1209 | 1209 | > EOF |
|
1210 | 1210 | $ echo '[extensions]' >> $HGRCPATH |
|
1211 | 1211 | $ echo "helphook1 = `pwd`/helphook1.py" >> $HGRCPATH |
|
1212 | 1212 | $ echo "helphook2 = `pwd`/helphook2.py" >> $HGRCPATH |
|
1213 | 1213 | $ hg help revsets | grep helphook |
|
1214 | 1214 | helphook1 |
|
1215 | 1215 | helphook2 |
|
1216 | 1216 | |
|
1217 | 1217 | help -c should only show debug --debug |
|
1218 | 1218 | |
|
1219 | 1219 | $ hg help -c --debug|egrep debug|wc -l|egrep '^\s*0\s*$' |
|
1220 | 1220 | [1] |
|
1221 | 1221 | |
|
1222 | 1222 | help -c should only show deprecated for -v |
|
1223 | 1223 | |
|
1224 | 1224 | $ hg help -c -v|egrep DEPRECATED|wc -l|egrep '^\s*0\s*$' |
|
1225 | 1225 | [1] |
|
1226 | 1226 | |
|
1227 | 1227 | Test -e / -c / -k combinations |
|
1228 | 1228 | |
|
1229 | 1229 | $ hg help -c|egrep '^[A-Z].*:|^ debug' |
|
1230 | 1230 | Commands: |
|
1231 | 1231 | $ hg help -e|egrep '^[A-Z].*:|^ debug' |
|
1232 | 1232 | Extensions: |
|
1233 | 1233 | $ hg help -k|egrep '^[A-Z].*:|^ debug' |
|
1234 | 1234 | Topics: |
|
1235 | 1235 | Commands: |
|
1236 | 1236 | Extensions: |
|
1237 | 1237 | Extension Commands: |
|
1238 | 1238 | $ hg help -c schemes |
|
1239 | 1239 | abort: no such help topic: schemes |
|
1240 | 1240 | (try "hg help --keyword schemes") |
|
1241 | 1241 | [255] |
|
1242 | 1242 | $ hg help -e schemes |head -1 |
|
1243 | 1243 | schemes extension - extend schemes with shortcuts to repository swarms |
|
1244 | 1244 | $ hg help -c -k dates |egrep '^(Topics|Extensions|Commands):' |
|
1245 | 1245 | Commands: |
|
1246 | 1246 | $ hg help -e -k a |egrep '^(Topics|Extensions|Commands):' |
|
1247 | 1247 | Extensions: |
|
1248 | 1248 | $ hg help -e -c -k date |egrep '^(Topics|Extensions|Commands):' |
|
1249 | 1249 | Extensions: |
|
1250 | 1250 | Commands: |
|
1251 | 1251 | $ hg help -c commit > /dev/null |
|
1252 | 1252 | $ hg help -e -c commit > /dev/null |
|
1253 | 1253 | $ hg help -e commit > /dev/null |
|
1254 | 1254 | abort: no such help topic: commit |
|
1255 | 1255 | (try "hg help --keyword commit") |
|
1256 | 1256 | [255] |
|
1257 | 1257 | |
|
1258 | 1258 | Test keyword search help |
|
1259 | 1259 | |
|
1260 | 1260 | $ cat > prefixedname.py <<EOF |
|
1261 | 1261 | > '''matched against word "clone" |
|
1262 | 1262 | > ''' |
|
1263 | 1263 | > EOF |
|
1264 | 1264 | $ echo '[extensions]' >> $HGRCPATH |
|
1265 | 1265 | $ echo "dot.dot.prefixedname = `pwd`/prefixedname.py" >> $HGRCPATH |
|
1266 | 1266 | $ hg help -k clone |
|
1267 | 1267 | Topics: |
|
1268 | 1268 | |
|
1269 | 1269 | config Configuration Files |
|
1270 | 1270 | extensions Using Additional Features |
|
1271 | 1271 | glossary Glossary |
|
1272 | 1272 | phases Working with Phases |
|
1273 | 1273 | subrepos Subrepositories |
|
1274 | 1274 | urls URL Paths |
|
1275 | 1275 | |
|
1276 | 1276 | Commands: |
|
1277 | 1277 | |
|
1278 | 1278 | bookmarks create a new bookmark or list existing bookmarks |
|
1279 | 1279 | clone make a copy of an existing repository |
|
1280 | 1280 | paths show aliases for remote repositories |
|
1281 | 1281 | update update working directory (or switch revisions) |
|
1282 | 1282 | |
|
1283 | 1283 | Extensions: |
|
1284 | 1284 | |
|
1285 | 1285 | clonebundles advertise pre-generated bundles to seed clones (experimental) |
|
1286 | 1286 | prefixedname matched against word "clone" |
|
1287 | 1287 | relink recreates hardlinks between repository clones |
|
1288 | 1288 | |
|
1289 | 1289 | Extension Commands: |
|
1290 | 1290 | |
|
1291 | 1291 | qclone clone main and patch repository at same time |
|
1292 | 1292 | |
|
1293 | 1293 | Test unfound topic |
|
1294 | 1294 | |
|
1295 | 1295 | $ hg help nonexistingtopicthatwillneverexisteverever |
|
1296 | 1296 | abort: no such help topic: nonexistingtopicthatwillneverexisteverever |
|
1297 | 1297 | (try "hg help --keyword nonexistingtopicthatwillneverexisteverever") |
|
1298 | 1298 | [255] |
|
1299 | 1299 | |
|
1300 | 1300 | Test unfound keyword |
|
1301 | 1301 | |
|
1302 | 1302 | $ hg help --keyword nonexistingwordthatwillneverexisteverever |
|
1303 | 1303 | abort: no matches |
|
1304 | 1304 | (try "hg help" for a list of topics) |
|
1305 | 1305 | [255] |
|
1306 | 1306 | |
|
1307 | 1307 | Test omit indicating for help |
|
1308 | 1308 | |
|
1309 | 1309 | $ cat > addverboseitems.py <<EOF |
|
1310 | 1310 | > '''extension to test omit indicating. |
|
1311 | 1311 | > |
|
1312 | 1312 | > This paragraph is never omitted (for extension) |
|
1313 | 1313 | > |
|
1314 | 1314 | > .. container:: verbose |
|
1315 | 1315 | > |
|
1316 | 1316 | > This paragraph is omitted, |
|
1317 | 1317 | > if :hg:\`help\` is invoked without \`\`-v\`\` (for extension) |
|
1318 | 1318 | > |
|
1319 | 1319 | > This paragraph is never omitted, too (for extension) |
|
1320 | 1320 | > ''' |
|
1321 | 1321 | > |
|
1322 | 1322 | > from mercurial import help, commands |
|
1323 | 1323 | > testtopic = """This paragraph is never omitted (for topic). |
|
1324 | 1324 | > |
|
1325 | 1325 | > .. container:: verbose |
|
1326 | 1326 | > |
|
1327 | 1327 | > This paragraph is omitted, |
|
1328 | 1328 | > if :hg:\`help\` is invoked without \`\`-v\`\` (for topic) |
|
1329 | 1329 | > |
|
1330 | 1330 | > This paragraph is never omitted, too (for topic) |
|
1331 | 1331 | > """ |
|
1332 | 1332 | > def extsetup(ui): |
|
1333 | 1333 | > help.helptable.append((["topic-containing-verbose"], |
|
1334 | 1334 | > "This is the topic to test omit indicating.", |
|
1335 | 1335 | > lambda ui: testtopic)) |
|
1336 | 1336 | > EOF |
|
1337 | 1337 | $ echo '[extensions]' >> $HGRCPATH |
|
1338 | 1338 | $ echo "addverboseitems = `pwd`/addverboseitems.py" >> $HGRCPATH |
|
1339 | 1339 | $ hg help addverboseitems |
|
1340 | 1340 | addverboseitems extension - extension to test omit indicating. |
|
1341 | 1341 | |
|
1342 | 1342 | This paragraph is never omitted (for extension) |
|
1343 | 1343 | |
|
1344 | 1344 | This paragraph is never omitted, too (for extension) |
|
1345 | 1345 | |
|
1346 | 1346 | (some details hidden, use --verbose to show complete help) |
|
1347 | 1347 | |
|
1348 | 1348 | no commands defined |
|
1349 | 1349 | $ hg help -v addverboseitems |
|
1350 | 1350 | addverboseitems extension - extension to test omit indicating. |
|
1351 | 1351 | |
|
1352 | 1352 | This paragraph is never omitted (for extension) |
|
1353 | 1353 | |
|
1354 | 1354 | This paragraph is omitted, if "hg help" is invoked without "-v" (for |
|
1355 | 1355 | extension) |
|
1356 | 1356 | |
|
1357 | 1357 | This paragraph is never omitted, too (for extension) |
|
1358 | 1358 | |
|
1359 | 1359 | no commands defined |
|
1360 | 1360 | $ hg help topic-containing-verbose |
|
1361 | 1361 | This is the topic to test omit indicating. |
|
1362 | 1362 | """""""""""""""""""""""""""""""""""""""""" |
|
1363 | 1363 | |
|
1364 | 1364 | This paragraph is never omitted (for topic). |
|
1365 | 1365 | |
|
1366 | 1366 | This paragraph is never omitted, too (for topic) |
|
1367 | 1367 | |
|
1368 | 1368 | (some details hidden, use --verbose to show complete help) |
|
1369 | 1369 | $ hg help -v topic-containing-verbose |
|
1370 | 1370 | This is the topic to test omit indicating. |
|
1371 | 1371 | """""""""""""""""""""""""""""""""""""""""" |
|
1372 | 1372 | |
|
1373 | 1373 | This paragraph is never omitted (for topic). |
|
1374 | 1374 | |
|
1375 | 1375 | This paragraph is omitted, if "hg help" is invoked without "-v" (for |
|
1376 | 1376 | topic) |
|
1377 | 1377 | |
|
1378 | 1378 | This paragraph is never omitted, too (for topic) |
|
1379 | 1379 | |
|
1380 | 1380 | Test section lookup |
|
1381 | 1381 | |
|
1382 | 1382 | $ hg help revset.merge |
|
1383 | 1383 | "merge()" |
|
1384 | 1384 | Changeset is a merge changeset. |
|
1385 | 1385 | |
|
1386 | 1386 | $ hg help glossary.dag |
|
1387 | 1387 | DAG |
|
1388 | 1388 | The repository of changesets of a distributed version control system |
|
1389 | 1389 | (DVCS) can be described as a directed acyclic graph (DAG), consisting |
|
1390 | 1390 | of nodes and edges, where nodes correspond to changesets and edges |
|
1391 | 1391 | imply a parent -> child relation. This graph can be visualized by |
|
1392 | 1392 | graphical tools such as "hg log --graph". In Mercurial, the DAG is |
|
1393 | 1393 | limited by the requirement for children to have at most two parents. |
|
1394 | 1394 | |
|
1395 | 1395 | |
|
1396 | 1396 | $ hg help hgrc.paths |
|
1397 | 1397 | "paths" |
|
1398 | 1398 | ------- |
|
1399 | 1399 | |
|
1400 | 1400 | Assigns symbolic names and behavior to repositories. |
|
1401 | 1401 | |
|
1402 | 1402 | Options are symbolic names defining the URL or directory that is the |
|
1403 | 1403 | location of the repository. Example: |
|
1404 | 1404 | |
|
1405 | 1405 | [paths] |
|
1406 | 1406 | my_server = https://example.com/my_repo |
|
1407 | 1407 | local_path = /home/me/repo |
|
1408 | 1408 | |
|
1409 | 1409 | These symbolic names can be used from the command line. To pull from |
|
1410 | 1410 | "my_server": "hg pull my_server". To push to "local_path": "hg push |
|
1411 | 1411 | local_path". |
|
1412 | 1412 | |
|
1413 | 1413 | Options containing colons (":") denote sub-options that can influence |
|
1414 | 1414 | behavior for that specific path. Example: |
|
1415 | 1415 | |
|
1416 | 1416 | [paths] |
|
1417 | 1417 | my_server = https://example.com/my_path |
|
1418 | 1418 | my_server:pushurl = ssh://example.com/my_path |
|
1419 | 1419 | |
|
1420 | 1420 | The following sub-options can be defined: |
|
1421 | 1421 | |
|
1422 | 1422 | "pushurl" |
|
1423 | 1423 | The URL to use for push operations. If not defined, the location |
|
1424 | 1424 | defined by the path's main entry is used. |
|
1425 | 1425 | |
|
1426 | 1426 | The following special named paths exist: |
|
1427 | 1427 | |
|
1428 | 1428 | "default" |
|
1429 | 1429 | The URL or directory to use when no source or remote is specified. |
|
1430 | 1430 | |
|
1431 | 1431 | "hg clone" will automatically define this path to the location the |
|
1432 | 1432 | repository was cloned from. |
|
1433 | 1433 | |
|
1434 | 1434 | "default-push" |
|
1435 | 1435 | (deprecated) The URL or directory for the default "hg push" location. |
|
1436 | 1436 | "default:pushurl" should be used instead. |
|
1437 | 1437 | |
|
1438 | 1438 | $ hg help glossary.mcguffin |
|
1439 | 1439 | abort: help section not found |
|
1440 | 1440 | [255] |
|
1441 | 1441 | |
|
1442 | 1442 | $ hg help glossary.mc.guffin |
|
1443 | 1443 | abort: help section not found |
|
1444 | 1444 | [255] |
|
1445 | 1445 | |
|
1446 | 1446 | $ hg help template.files |
|
1447 | 1447 | files List of strings. All files modified, added, or removed by |
|
1448 | 1448 | this changeset. |
|
1449 | 1449 | |
|
1450 | 1450 | Test dynamic list of merge tools only shows up once |
|
1451 | 1451 | $ hg help merge-tools |
|
1452 | 1452 | Merge Tools |
|
1453 | 1453 | """"""""""" |
|
1454 | 1454 | |
|
1455 | 1455 | To merge files Mercurial uses merge tools. |
|
1456 | 1456 | |
|
1457 | 1457 | A merge tool combines two different versions of a file into a merged file. |
|
1458 | 1458 | Merge tools are given the two files and the greatest common ancestor of |
|
1459 | 1459 | the two file versions, so they can determine the changes made on both |
|
1460 | 1460 | branches. |
|
1461 | 1461 | |
|
1462 | 1462 | Merge tools are used both for "hg resolve", "hg merge", "hg update", "hg |
|
1463 | 1463 | backout" and in several extensions. |
|
1464 | 1464 | |
|
1465 | 1465 | Usually, the merge tool tries to automatically reconcile the files by |
|
1466 | 1466 | combining all non-overlapping changes that occurred separately in the two |
|
1467 | 1467 | different evolutions of the same initial base file. Furthermore, some |
|
1468 | 1468 | interactive merge programs make it easier to manually resolve conflicting |
|
1469 | 1469 | merges, either in a graphical way, or by inserting some conflict markers. |
|
1470 | 1470 | Mercurial does not include any interactive merge programs but relies on |
|
1471 | 1471 | external tools for that. |
|
1472 | 1472 | |
|
1473 | 1473 | Available merge tools |
|
1474 | 1474 | ===================== |
|
1475 | 1475 | |
|
1476 | 1476 | External merge tools and their properties are configured in the merge- |
|
1477 | 1477 | tools configuration section - see hgrc(5) - but they can often just be |
|
1478 | 1478 | named by their executable. |
|
1479 | 1479 | |
|
1480 | 1480 | A merge tool is generally usable if its executable can be found on the |
|
1481 | 1481 | system and if it can handle the merge. The executable is found if it is an |
|
1482 | 1482 | absolute or relative executable path or the name of an application in the |
|
1483 | 1483 | executable search path. The tool is assumed to be able to handle the merge |
|
1484 | 1484 | if it can handle symlinks if the file is a symlink, if it can handle |
|
1485 | 1485 | binary files if the file is binary, and if a GUI is available if the tool |
|
1486 | 1486 | requires a GUI. |
|
1487 | 1487 | |
|
1488 | 1488 | There are some internal merge tools which can be used. The internal merge |
|
1489 | 1489 | tools are: |
|
1490 | 1490 | |
|
1491 | 1491 | ":dump" |
|
1492 | 1492 | Creates three versions of the files to merge, containing the contents of |
|
1493 | 1493 | local, other and base. These files can then be used to perform a merge |
|
1494 | 1494 | manually. If the file to be merged is named "a.txt", these files will |
|
1495 | 1495 | accordingly be named "a.txt.local", "a.txt.other" and "a.txt.base" and |
|
1496 | 1496 | they will be placed in the same directory as "a.txt". |
|
1497 | 1497 | |
|
1498 | 1498 | ":fail" |
|
1499 | 1499 | Rather than attempting to merge files that were modified on both |
|
1500 | 1500 | branches, it marks them as unresolved. The resolve command must be used |
|
1501 | 1501 | to resolve these conflicts. |
|
1502 | 1502 | |
|
1503 | 1503 | ":local" |
|
1504 | 1504 | Uses the local version of files as the merged version. |
|
1505 | 1505 | |
|
1506 | 1506 | ":merge" |
|
1507 | 1507 | Uses the internal non-interactive simple merge algorithm for merging |
|
1508 | 1508 | files. It will fail if there are any conflicts and leave markers in the |
|
1509 | 1509 | partially merged file. Markers will have two sections, one for each side |
|
1510 | 1510 | of merge. |
|
1511 | 1511 | |
|
1512 | 1512 | ":merge-local" |
|
1513 | 1513 | Like :merge, but resolve all conflicts non-interactively in favor of the |
|
1514 | 1514 | local changes. |
|
1515 | 1515 | |
|
1516 | 1516 | ":merge-other" |
|
1517 | 1517 | Like :merge, but resolve all conflicts non-interactively in favor of the |
|
1518 | 1518 | other changes. |
|
1519 | 1519 | |
|
1520 | 1520 | ":merge3" |
|
1521 | 1521 | Uses the internal non-interactive simple merge algorithm for merging |
|
1522 | 1522 | files. It will fail if there are any conflicts and leave markers in the |
|
1523 | 1523 | partially merged file. Marker will have three sections, one from each |
|
1524 | 1524 | side of the merge and one for the base content. |
|
1525 | 1525 | |
|
1526 | 1526 | ":other" |
|
1527 | 1527 | Uses the other version of files as the merged version. |
|
1528 | 1528 | |
|
1529 | 1529 | ":prompt" |
|
1530 | 1530 | Asks the user which of the local or the other version to keep as the |
|
1531 | 1531 | merged version. |
|
1532 | 1532 | |
|
1533 | 1533 | ":tagmerge" |
|
1534 | 1534 | Uses the internal tag merge algorithm (experimental). |
|
1535 | 1535 | |
|
1536 | 1536 | ":union" |
|
1537 | 1537 | Uses the internal non-interactive simple merge algorithm for merging |
|
1538 | 1538 | files. It will use both left and right sides for conflict regions. No |
|
1539 | 1539 | markers are inserted. |
|
1540 | 1540 | |
|
1541 | 1541 | Internal tools are always available and do not require a GUI but will by |
|
1542 | 1542 | default not handle symlinks or binary files. |
|
1543 | 1543 | |
|
1544 | 1544 | Choosing a merge tool |
|
1545 | 1545 | ===================== |
|
1546 | 1546 | |
|
1547 | 1547 | Mercurial uses these rules when deciding which merge tool to use: |
|
1548 | 1548 | |
|
1549 | 1549 | 1. If a tool has been specified with the --tool option to merge or |
|
1550 | 1550 | resolve, it is used. If it is the name of a tool in the merge-tools |
|
1551 | 1551 | configuration, its configuration is used. Otherwise the specified tool |
|
1552 | 1552 | must be executable by the shell. |
|
1553 | 1553 | 2. If the "HGMERGE" environment variable is present, its value is used and |
|
1554 | 1554 | must be executable by the shell. |
|
1555 | 1555 | 3. If the filename of the file to be merged matches any of the patterns in |
|
1556 | 1556 | the merge-patterns configuration section, the first usable merge tool |
|
1557 | 1557 | corresponding to a matching pattern is used. Here, binary capabilities |
|
1558 | 1558 | of the merge tool are not considered. |
|
1559 | 1559 | 4. If ui.merge is set it will be considered next. If the value is not the |
|
1560 | 1560 | name of a configured tool, the specified value is used and must be |
|
1561 | 1561 | executable by the shell. Otherwise the named tool is used if it is |
|
1562 | 1562 | usable. |
|
1563 | 1563 | 5. If any usable merge tools are present in the merge-tools configuration |
|
1564 | 1564 | section, the one with the highest priority is used. |
|
1565 | 1565 | 6. If a program named "hgmerge" can be found on the system, it is used - |
|
1566 | 1566 | but it will by default not be used for symlinks and binary files. |
|
1567 | 1567 | 7. If the file to be merged is not binary and is not a symlink, then |
|
1568 | 1568 | internal ":merge" is used. |
|
1569 | 1569 | 8. The merge of the file fails and must be resolved before commit. |
|
1570 | 1570 | |
|
1571 | 1571 | Note: |
|
1572 | 1572 | After selecting a merge program, Mercurial will by default attempt to |
|
1573 | 1573 | merge the files using a simple merge algorithm first. Only if it |
|
1574 | 1574 | doesn't succeed because of conflicting changes Mercurial will actually |
|
1575 | 1575 | execute the merge program. Whether to use the simple merge algorithm |
|
1576 | 1576 | first can be controlled by the premerge setting of the merge tool. |
|
1577 | 1577 | Premerge is enabled by default unless the file is binary or a symlink. |
|
1578 | 1578 | |
|
1579 | 1579 | See the merge-tools and ui sections of hgrc(5) for details on the |
|
1580 | 1580 | configuration of merge tools. |
|
1581 | 1581 | |
|
1582 | 1582 | Test usage of section marks in help documents |
|
1583 | 1583 | |
|
1584 | 1584 | $ cd "$TESTDIR"/../doc |
|
1585 | 1585 | $ python check-seclevel.py |
|
1586 | 1586 | $ cd $TESTTMP |
|
1587 | 1587 | |
|
1588 | 1588 | #if serve |
|
1589 | 1589 | |
|
1590 | 1590 | Test the help pages in hgweb. |
|
1591 | 1591 | |
|
1592 | 1592 | Dish up an empty repo; serve it cold. |
|
1593 | 1593 | |
|
1594 | 1594 | $ hg init "$TESTTMP/test" |
|
1595 | 1595 | $ hg serve -R "$TESTTMP/test" -n test -p $HGPORT -d --pid-file=hg.pid |
|
1596 | 1596 | $ cat hg.pid >> $DAEMON_PIDS |
|
1597 | 1597 | |
|
1598 | 1598 | $ get-with-headers.py 127.0.0.1:$HGPORT "help" |
|
1599 | 1599 | 200 Script output follows |
|
1600 | 1600 | |
|
1601 | 1601 | <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.1//EN" "http://www.w3.org/TR/xhtml11/DTD/xhtml11.dtd"> |
|
1602 | 1602 | <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en-US"> |
|
1603 | 1603 | <head> |
|
1604 | 1604 | <link rel="icon" href="/static/hgicon.png" type="image/png" /> |
|
1605 | 1605 | <meta name="robots" content="index, nofollow" /> |
|
1606 | 1606 | <link rel="stylesheet" href="/static/style-paper.css" type="text/css" /> |
|
1607 | 1607 | <script type="text/javascript" src="/static/mercurial.js"></script> |
|
1608 | 1608 | |
|
1609 | 1609 | <title>Help: Index</title> |
|
1610 | 1610 | </head> |
|
1611 | 1611 | <body> |
|
1612 | 1612 | |
|
1613 | 1613 | <div class="container"> |
|
1614 | 1614 | <div class="menu"> |
|
1615 | 1615 | <div class="logo"> |
|
1616 | 1616 | <a href="https://mercurial-scm.org/"> |
|
1617 | 1617 | <img src="/static/hglogo.png" alt="mercurial" /></a> |
|
1618 | 1618 | </div> |
|
1619 | 1619 | <ul> |
|
1620 | 1620 | <li><a href="/shortlog">log</a></li> |
|
1621 | 1621 | <li><a href="/graph">graph</a></li> |
|
1622 | 1622 | <li><a href="/tags">tags</a></li> |
|
1623 | 1623 | <li><a href="/bookmarks">bookmarks</a></li> |
|
1624 | 1624 | <li><a href="/branches">branches</a></li> |
|
1625 | 1625 | </ul> |
|
1626 | 1626 | <ul> |
|
1627 | 1627 | <li class="active">help</li> |
|
1628 | 1628 | </ul> |
|
1629 | 1629 | </div> |
|
1630 | 1630 | |
|
1631 | 1631 | <div class="main"> |
|
1632 | 1632 | <h2 class="breadcrumb"><a href="/">Mercurial</a> </h2> |
|
1633 | 1633 | <form class="search" action="/log"> |
|
1634 | 1634 | |
|
1635 | 1635 | <p><input name="rev" id="search1" type="text" size="30" /></p> |
|
1636 | 1636 | <div id="hint">Find changesets by keywords (author, files, the commit message), revision |
|
1637 | 1637 | number or hash, or <a href="/help/revsets">revset expression</a>.</div> |
|
1638 | 1638 | </form> |
|
1639 | 1639 | <table class="bigtable"> |
|
1640 | 1640 | <tr><td colspan="2"><h2><a name="main" href="#topics">Topics</a></h2></td></tr> |
|
1641 | 1641 | |
|
1642 | 1642 | <tr><td> |
|
1643 | 1643 | <a href="/help/config"> |
|
1644 | 1644 | config |
|
1645 | 1645 | </a> |
|
1646 | 1646 | </td><td> |
|
1647 | 1647 | Configuration Files |
|
1648 | 1648 | </td></tr> |
|
1649 | 1649 | <tr><td> |
|
1650 | 1650 | <a href="/help/dates"> |
|
1651 | 1651 | dates |
|
1652 | 1652 | </a> |
|
1653 | 1653 | </td><td> |
|
1654 | 1654 | Date Formats |
|
1655 | 1655 | </td></tr> |
|
1656 | 1656 | <tr><td> |
|
1657 | 1657 | <a href="/help/diffs"> |
|
1658 | 1658 | diffs |
|
1659 | 1659 | </a> |
|
1660 | 1660 | </td><td> |
|
1661 | 1661 | Diff Formats |
|
1662 | 1662 | </td></tr> |
|
1663 | 1663 | <tr><td> |
|
1664 | 1664 | <a href="/help/environment"> |
|
1665 | 1665 | environment |
|
1666 | 1666 | </a> |
|
1667 | 1667 | </td><td> |
|
1668 | 1668 | Environment Variables |
|
1669 | 1669 | </td></tr> |
|
1670 | 1670 | <tr><td> |
|
1671 | 1671 | <a href="/help/extensions"> |
|
1672 | 1672 | extensions |
|
1673 | 1673 | </a> |
|
1674 | 1674 | </td><td> |
|
1675 | 1675 | Using Additional Features |
|
1676 | 1676 | </td></tr> |
|
1677 | 1677 | <tr><td> |
|
1678 | 1678 | <a href="/help/filesets"> |
|
1679 | 1679 | filesets |
|
1680 | 1680 | </a> |
|
1681 | 1681 | </td><td> |
|
1682 | 1682 | Specifying File Sets |
|
1683 | 1683 | </td></tr> |
|
1684 | 1684 | <tr><td> |
|
1685 | 1685 | <a href="/help/glossary"> |
|
1686 | 1686 | glossary |
|
1687 | 1687 | </a> |
|
1688 | 1688 | </td><td> |
|
1689 | 1689 | Glossary |
|
1690 | 1690 | </td></tr> |
|
1691 | 1691 | <tr><td> |
|
1692 | 1692 | <a href="/help/hgignore"> |
|
1693 | 1693 | hgignore |
|
1694 | 1694 | </a> |
|
1695 | 1695 | </td><td> |
|
1696 | 1696 | Syntax for Mercurial Ignore Files |
|
1697 | 1697 | </td></tr> |
|
1698 | 1698 | <tr><td> |
|
1699 | 1699 | <a href="/help/hgweb"> |
|
1700 | 1700 | hgweb |
|
1701 | 1701 | </a> |
|
1702 | 1702 | </td><td> |
|
1703 | 1703 | Configuring hgweb |
|
1704 | 1704 | </td></tr> |
|
1705 | 1705 | <tr><td> |
|
1706 | 1706 | <a href="/help/internals"> |
|
1707 | 1707 | internals |
|
1708 | 1708 | </a> |
|
1709 | 1709 | </td><td> |
|
1710 | 1710 | Technical implementation topics |
|
1711 | 1711 | </td></tr> |
|
1712 | 1712 | <tr><td> |
|
1713 | 1713 | <a href="/help/merge-tools"> |
|
1714 | 1714 | merge-tools |
|
1715 | 1715 | </a> |
|
1716 | 1716 | </td><td> |
|
1717 | 1717 | Merge Tools |
|
1718 | 1718 | </td></tr> |
|
1719 | 1719 | <tr><td> |
|
1720 | 1720 | <a href="/help/multirevs"> |
|
1721 | 1721 | multirevs |
|
1722 | 1722 | </a> |
|
1723 | 1723 | </td><td> |
|
1724 | 1724 | Specifying Multiple Revisions |
|
1725 | 1725 | </td></tr> |
|
1726 | 1726 | <tr><td> |
|
1727 | 1727 | <a href="/help/patterns"> |
|
1728 | 1728 | patterns |
|
1729 | 1729 | </a> |
|
1730 | 1730 | </td><td> |
|
1731 | 1731 | File Name Patterns |
|
1732 | 1732 | </td></tr> |
|
1733 | 1733 | <tr><td> |
|
1734 | 1734 | <a href="/help/phases"> |
|
1735 | 1735 | phases |
|
1736 | 1736 | </a> |
|
1737 | 1737 | </td><td> |
|
1738 | 1738 | Working with Phases |
|
1739 | 1739 | </td></tr> |
|
1740 | 1740 | <tr><td> |
|
1741 | 1741 | <a href="/help/revisions"> |
|
1742 | 1742 | revisions |
|
1743 | 1743 | </a> |
|
1744 | 1744 | </td><td> |
|
1745 | 1745 | Specifying Single Revisions |
|
1746 | 1746 | </td></tr> |
|
1747 | 1747 | <tr><td> |
|
1748 | 1748 | <a href="/help/revsets"> |
|
1749 | 1749 | revsets |
|
1750 | 1750 | </a> |
|
1751 | 1751 | </td><td> |
|
1752 | 1752 | Specifying Revision Sets |
|
1753 | 1753 | </td></tr> |
|
1754 | 1754 | <tr><td> |
|
1755 | 1755 | <a href="/help/scripting"> |
|
1756 | 1756 | scripting |
|
1757 | 1757 | </a> |
|
1758 | 1758 | </td><td> |
|
1759 | 1759 | Using Mercurial from scripts and automation |
|
1760 | 1760 | </td></tr> |
|
1761 | 1761 | <tr><td> |
|
1762 | 1762 | <a href="/help/subrepos"> |
|
1763 | 1763 | subrepos |
|
1764 | 1764 | </a> |
|
1765 | 1765 | </td><td> |
|
1766 | 1766 | Subrepositories |
|
1767 | 1767 | </td></tr> |
|
1768 | 1768 | <tr><td> |
|
1769 | 1769 | <a href="/help/templating"> |
|
1770 | 1770 | templating |
|
1771 | 1771 | </a> |
|
1772 | 1772 | </td><td> |
|
1773 | 1773 | Template Usage |
|
1774 | 1774 | </td></tr> |
|
1775 | 1775 | <tr><td> |
|
1776 | 1776 | <a href="/help/urls"> |
|
1777 | 1777 | urls |
|
1778 | 1778 | </a> |
|
1779 | 1779 | </td><td> |
|
1780 | 1780 | URL Paths |
|
1781 | 1781 | </td></tr> |
|
1782 | 1782 | <tr><td> |
|
1783 | 1783 | <a href="/help/topic-containing-verbose"> |
|
1784 | 1784 | topic-containing-verbose |
|
1785 | 1785 | </a> |
|
1786 | 1786 | </td><td> |
|
1787 | 1787 | This is the topic to test omit indicating. |
|
1788 | 1788 | </td></tr> |
|
1789 | 1789 | |
|
1790 | 1790 | |
|
1791 | 1791 | <tr><td colspan="2"><h2><a name="main" href="#main">Main Commands</a></h2></td></tr> |
|
1792 | 1792 | |
|
1793 | 1793 | <tr><td> |
|
1794 | 1794 | <a href="/help/add"> |
|
1795 | 1795 | add |
|
1796 | 1796 | </a> |
|
1797 | 1797 | </td><td> |
|
1798 | 1798 | add the specified files on the next commit |
|
1799 | 1799 | </td></tr> |
|
1800 | 1800 | <tr><td> |
|
1801 | 1801 | <a href="/help/annotate"> |
|
1802 | 1802 | annotate |
|
1803 | 1803 | </a> |
|
1804 | 1804 | </td><td> |
|
1805 | 1805 | show changeset information by line for each file |
|
1806 | 1806 | </td></tr> |
|
1807 | 1807 | <tr><td> |
|
1808 | 1808 | <a href="/help/clone"> |
|
1809 | 1809 | clone |
|
1810 | 1810 | </a> |
|
1811 | 1811 | </td><td> |
|
1812 | 1812 | make a copy of an existing repository |
|
1813 | 1813 | </td></tr> |
|
1814 | 1814 | <tr><td> |
|
1815 | 1815 | <a href="/help/commit"> |
|
1816 | 1816 | commit |
|
1817 | 1817 | </a> |
|
1818 | 1818 | </td><td> |
|
1819 | 1819 | commit the specified files or all outstanding changes |
|
1820 | 1820 | </td></tr> |
|
1821 | 1821 | <tr><td> |
|
1822 | 1822 | <a href="/help/diff"> |
|
1823 | 1823 | diff |
|
1824 | 1824 | </a> |
|
1825 | 1825 | </td><td> |
|
1826 | 1826 | diff repository (or selected files) |
|
1827 | 1827 | </td></tr> |
|
1828 | 1828 | <tr><td> |
|
1829 | 1829 | <a href="/help/export"> |
|
1830 | 1830 | export |
|
1831 | 1831 | </a> |
|
1832 | 1832 | </td><td> |
|
1833 | 1833 | dump the header and diffs for one or more changesets |
|
1834 | 1834 | </td></tr> |
|
1835 | 1835 | <tr><td> |
|
1836 | 1836 | <a href="/help/forget"> |
|
1837 | 1837 | forget |
|
1838 | 1838 | </a> |
|
1839 | 1839 | </td><td> |
|
1840 | 1840 | forget the specified files on the next commit |
|
1841 | 1841 | </td></tr> |
|
1842 | 1842 | <tr><td> |
|
1843 | 1843 | <a href="/help/init"> |
|
1844 | 1844 | init |
|
1845 | 1845 | </a> |
|
1846 | 1846 | </td><td> |
|
1847 | 1847 | create a new repository in the given directory |
|
1848 | 1848 | </td></tr> |
|
1849 | 1849 | <tr><td> |
|
1850 | 1850 | <a href="/help/log"> |
|
1851 | 1851 | log |
|
1852 | 1852 | </a> |
|
1853 | 1853 | </td><td> |
|
1854 | 1854 | show revision history of entire repository or files |
|
1855 | 1855 | </td></tr> |
|
1856 | 1856 | <tr><td> |
|
1857 | 1857 | <a href="/help/merge"> |
|
1858 | 1858 | merge |
|
1859 | 1859 | </a> |
|
1860 | 1860 | </td><td> |
|
1861 | 1861 | merge another revision into working directory |
|
1862 | 1862 | </td></tr> |
|
1863 | 1863 | <tr><td> |
|
1864 | 1864 | <a href="/help/pull"> |
|
1865 | 1865 | pull |
|
1866 | 1866 | </a> |
|
1867 | 1867 | </td><td> |
|
1868 | 1868 | pull changes from the specified source |
|
1869 | 1869 | </td></tr> |
|
1870 | 1870 | <tr><td> |
|
1871 | 1871 | <a href="/help/push"> |
|
1872 | 1872 | push |
|
1873 | 1873 | </a> |
|
1874 | 1874 | </td><td> |
|
1875 | 1875 | push changes to the specified destination |
|
1876 | 1876 | </td></tr> |
|
1877 | 1877 | <tr><td> |
|
1878 | 1878 | <a href="/help/remove"> |
|
1879 | 1879 | remove |
|
1880 | 1880 | </a> |
|
1881 | 1881 | </td><td> |
|
1882 | 1882 | remove the specified files on the next commit |
|
1883 | 1883 | </td></tr> |
|
1884 | 1884 | <tr><td> |
|
1885 | 1885 | <a href="/help/serve"> |
|
1886 | 1886 | serve |
|
1887 | 1887 | </a> |
|
1888 | 1888 | </td><td> |
|
1889 | 1889 | start stand-alone webserver |
|
1890 | 1890 | </td></tr> |
|
1891 | 1891 | <tr><td> |
|
1892 | 1892 | <a href="/help/status"> |
|
1893 | 1893 | status |
|
1894 | 1894 | </a> |
|
1895 | 1895 | </td><td> |
|
1896 | 1896 | show changed files in the working directory |
|
1897 | 1897 | </td></tr> |
|
1898 | 1898 | <tr><td> |
|
1899 | 1899 | <a href="/help/summary"> |
|
1900 | 1900 | summary |
|
1901 | 1901 | </a> |
|
1902 | 1902 | </td><td> |
|
1903 | 1903 | summarize working directory state |
|
1904 | 1904 | </td></tr> |
|
1905 | 1905 | <tr><td> |
|
1906 | 1906 | <a href="/help/update"> |
|
1907 | 1907 | update |
|
1908 | 1908 | </a> |
|
1909 | 1909 | </td><td> |
|
1910 | 1910 | update working directory (or switch revisions) |
|
1911 | 1911 | </td></tr> |
|
1912 | 1912 | |
|
1913 | 1913 | |
|
1914 | 1914 | |
|
1915 | 1915 | <tr><td colspan="2"><h2><a name="other" href="#other">Other Commands</a></h2></td></tr> |
|
1916 | 1916 | |
|
1917 | 1917 | <tr><td> |
|
1918 | 1918 | <a href="/help/addremove"> |
|
1919 | 1919 | addremove |
|
1920 | 1920 | </a> |
|
1921 | 1921 | </td><td> |
|
1922 | 1922 | add all new files, delete all missing files |
|
1923 | 1923 | </td></tr> |
|
1924 | 1924 | <tr><td> |
|
1925 | 1925 | <a href="/help/archive"> |
|
1926 | 1926 | archive |
|
1927 | 1927 | </a> |
|
1928 | 1928 | </td><td> |
|
1929 | 1929 | create an unversioned archive of a repository revision |
|
1930 | 1930 | </td></tr> |
|
1931 | 1931 | <tr><td> |
|
1932 | 1932 | <a href="/help/backout"> |
|
1933 | 1933 | backout |
|
1934 | 1934 | </a> |
|
1935 | 1935 | </td><td> |
|
1936 | 1936 | reverse effect of earlier changeset |
|
1937 | 1937 | </td></tr> |
|
1938 | 1938 | <tr><td> |
|
1939 | 1939 | <a href="/help/bisect"> |
|
1940 | 1940 | bisect |
|
1941 | 1941 | </a> |
|
1942 | 1942 | </td><td> |
|
1943 | 1943 | subdivision search of changesets |
|
1944 | 1944 | </td></tr> |
|
1945 | 1945 | <tr><td> |
|
1946 | 1946 | <a href="/help/bookmarks"> |
|
1947 | 1947 | bookmarks |
|
1948 | 1948 | </a> |
|
1949 | 1949 | </td><td> |
|
1950 | 1950 | create a new bookmark or list existing bookmarks |
|
1951 | 1951 | </td></tr> |
|
1952 | 1952 | <tr><td> |
|
1953 | 1953 | <a href="/help/branch"> |
|
1954 | 1954 | branch |
|
1955 | 1955 | </a> |
|
1956 | 1956 | </td><td> |
|
1957 | 1957 | set or show the current branch name |
|
1958 | 1958 | </td></tr> |
|
1959 | 1959 | <tr><td> |
|
1960 | 1960 | <a href="/help/branches"> |
|
1961 | 1961 | branches |
|
1962 | 1962 | </a> |
|
1963 | 1963 | </td><td> |
|
1964 | 1964 | list repository named branches |
|
1965 | 1965 | </td></tr> |
|
1966 | 1966 | <tr><td> |
|
1967 | 1967 | <a href="/help/bundle"> |
|
1968 | 1968 | bundle |
|
1969 | 1969 | </a> |
|
1970 | 1970 | </td><td> |
|
1971 | 1971 | create a changegroup file |
|
1972 | 1972 | </td></tr> |
|
1973 | 1973 | <tr><td> |
|
1974 | 1974 | <a href="/help/cat"> |
|
1975 | 1975 | cat |
|
1976 | 1976 | </a> |
|
1977 | 1977 | </td><td> |
|
1978 | 1978 | output the current or given revision of files |
|
1979 | 1979 | </td></tr> |
|
1980 | 1980 | <tr><td> |
|
1981 | 1981 | <a href="/help/config"> |
|
1982 | 1982 | config |
|
1983 | 1983 | </a> |
|
1984 | 1984 | </td><td> |
|
1985 | 1985 | show combined config settings from all hgrc files |
|
1986 | 1986 | </td></tr> |
|
1987 | 1987 | <tr><td> |
|
1988 | 1988 | <a href="/help/copy"> |
|
1989 | 1989 | copy |
|
1990 | 1990 | </a> |
|
1991 | 1991 | </td><td> |
|
1992 | 1992 | mark files as copied for the next commit |
|
1993 | 1993 | </td></tr> |
|
1994 | 1994 | <tr><td> |
|
1995 | 1995 | <a href="/help/files"> |
|
1996 | 1996 | files |
|
1997 | 1997 | </a> |
|
1998 | 1998 | </td><td> |
|
1999 | 1999 | list tracked files |
|
2000 | 2000 | </td></tr> |
|
2001 | 2001 | <tr><td> |
|
2002 | 2002 | <a href="/help/graft"> |
|
2003 | 2003 | graft |
|
2004 | 2004 | </a> |
|
2005 | 2005 | </td><td> |
|
2006 | 2006 | copy changes from other branches onto the current branch |
|
2007 | 2007 | </td></tr> |
|
2008 | 2008 | <tr><td> |
|
2009 | 2009 | <a href="/help/grep"> |
|
2010 | 2010 | grep |
|
2011 | 2011 | </a> |
|
2012 | 2012 | </td><td> |
|
2013 | 2013 | search for a pattern in specified files and revisions |
|
2014 | 2014 | </td></tr> |
|
2015 | 2015 | <tr><td> |
|
2016 | 2016 | <a href="/help/heads"> |
|
2017 | 2017 | heads |
|
2018 | 2018 | </a> |
|
2019 | 2019 | </td><td> |
|
2020 | 2020 | show branch heads |
|
2021 | 2021 | </td></tr> |
|
2022 | 2022 | <tr><td> |
|
2023 | 2023 | <a href="/help/help"> |
|
2024 | 2024 | help |
|
2025 | 2025 | </a> |
|
2026 | 2026 | </td><td> |
|
2027 | 2027 | show help for a given topic or a help overview |
|
2028 | 2028 | </td></tr> |
|
2029 | 2029 | <tr><td> |
|
2030 | 2030 | <a href="/help/identify"> |
|
2031 | 2031 | identify |
|
2032 | 2032 | </a> |
|
2033 | 2033 | </td><td> |
|
2034 | 2034 | identify the working directory or specified revision |
|
2035 | 2035 | </td></tr> |
|
2036 | 2036 | <tr><td> |
|
2037 | 2037 | <a href="/help/import"> |
|
2038 | 2038 | import |
|
2039 | 2039 | </a> |
|
2040 | 2040 | </td><td> |
|
2041 | 2041 | import an ordered set of patches |
|
2042 | 2042 | </td></tr> |
|
2043 | 2043 | <tr><td> |
|
2044 | 2044 | <a href="/help/incoming"> |
|
2045 | 2045 | incoming |
|
2046 | 2046 | </a> |
|
2047 | 2047 | </td><td> |
|
2048 | 2048 | show new changesets found in source |
|
2049 | 2049 | </td></tr> |
|
2050 | 2050 | <tr><td> |
|
2051 | 2051 | <a href="/help/manifest"> |
|
2052 | 2052 | manifest |
|
2053 | 2053 | </a> |
|
2054 | 2054 | </td><td> |
|
2055 | 2055 | output the current or given revision of the project manifest |
|
2056 | 2056 | </td></tr> |
|
2057 | 2057 | <tr><td> |
|
2058 | 2058 | <a href="/help/nohelp"> |
|
2059 | 2059 | nohelp |
|
2060 | 2060 | </a> |
|
2061 | 2061 | </td><td> |
|
2062 | 2062 | (no help text available) |
|
2063 | 2063 | </td></tr> |
|
2064 | 2064 | <tr><td> |
|
2065 | 2065 | <a href="/help/outgoing"> |
|
2066 | 2066 | outgoing |
|
2067 | 2067 | </a> |
|
2068 | 2068 | </td><td> |
|
2069 | 2069 | show changesets not found in the destination |
|
2070 | 2070 | </td></tr> |
|
2071 | 2071 | <tr><td> |
|
2072 | 2072 | <a href="/help/paths"> |
|
2073 | 2073 | paths |
|
2074 | 2074 | </a> |
|
2075 | 2075 | </td><td> |
|
2076 | 2076 | show aliases for remote repositories |
|
2077 | 2077 | </td></tr> |
|
2078 | 2078 | <tr><td> |
|
2079 | 2079 | <a href="/help/phase"> |
|
2080 | 2080 | phase |
|
2081 | 2081 | </a> |
|
2082 | 2082 | </td><td> |
|
2083 | 2083 | set or show the current phase name |
|
2084 | 2084 | </td></tr> |
|
2085 | 2085 | <tr><td> |
|
2086 | 2086 | <a href="/help/recover"> |
|
2087 | 2087 | recover |
|
2088 | 2088 | </a> |
|
2089 | 2089 | </td><td> |
|
2090 | 2090 | roll back an interrupted transaction |
|
2091 | 2091 | </td></tr> |
|
2092 | 2092 | <tr><td> |
|
2093 | 2093 | <a href="/help/rename"> |
|
2094 | 2094 | rename |
|
2095 | 2095 | </a> |
|
2096 | 2096 | </td><td> |
|
2097 | 2097 | rename files; equivalent of copy + remove |
|
2098 | 2098 | </td></tr> |
|
2099 | 2099 | <tr><td> |
|
2100 | 2100 | <a href="/help/resolve"> |
|
2101 | 2101 | resolve |
|
2102 | 2102 | </a> |
|
2103 | 2103 | </td><td> |
|
2104 | 2104 | redo merges or set/view the merge status of files |
|
2105 | 2105 | </td></tr> |
|
2106 | 2106 | <tr><td> |
|
2107 | 2107 | <a href="/help/revert"> |
|
2108 | 2108 | revert |
|
2109 | 2109 | </a> |
|
2110 | 2110 | </td><td> |
|
2111 | 2111 | restore files to their checkout state |
|
2112 | 2112 | </td></tr> |
|
2113 | 2113 | <tr><td> |
|
2114 | 2114 | <a href="/help/root"> |
|
2115 | 2115 | root |
|
2116 | 2116 | </a> |
|
2117 | 2117 | </td><td> |
|
2118 | 2118 | print the root (top) of the current working directory |
|
2119 | 2119 | </td></tr> |
|
2120 | 2120 | <tr><td> |
|
2121 | 2121 | <a href="/help/tag"> |
|
2122 | 2122 | tag |
|
2123 | 2123 | </a> |
|
2124 | 2124 | </td><td> |
|
2125 | 2125 | add one or more tags for the current or given revision |
|
2126 | 2126 | </td></tr> |
|
2127 | 2127 | <tr><td> |
|
2128 | 2128 | <a href="/help/tags"> |
|
2129 | 2129 | tags |
|
2130 | 2130 | </a> |
|
2131 | 2131 | </td><td> |
|
2132 | 2132 | list repository tags |
|
2133 | 2133 | </td></tr> |
|
2134 | 2134 | <tr><td> |
|
2135 | 2135 | <a href="/help/unbundle"> |
|
2136 | 2136 | unbundle |
|
2137 | 2137 | </a> |
|
2138 | 2138 | </td><td> |
|
2139 | 2139 | apply one or more changegroup files |
|
2140 | 2140 | </td></tr> |
|
2141 | 2141 | <tr><td> |
|
2142 | 2142 | <a href="/help/verify"> |
|
2143 | 2143 | verify |
|
2144 | 2144 | </a> |
|
2145 | 2145 | </td><td> |
|
2146 | 2146 | verify the integrity of the repository |
|
2147 | 2147 | </td></tr> |
|
2148 | 2148 | <tr><td> |
|
2149 | 2149 | <a href="/help/version"> |
|
2150 | 2150 | version |
|
2151 | 2151 | </a> |
|
2152 | 2152 | </td><td> |
|
2153 | 2153 | output version and copyright information |
|
2154 | 2154 | </td></tr> |
|
2155 | 2155 | |
|
2156 | 2156 | |
|
2157 | 2157 | </table> |
|
2158 | 2158 | </div> |
|
2159 | 2159 | </div> |
|
2160 | 2160 | |
|
2161 | 2161 | <script type="text/javascript">process_dates()</script> |
|
2162 | 2162 | |
|
2163 | 2163 | |
|
2164 | 2164 | </body> |
|
2165 | 2165 | </html> |
|
2166 | 2166 | |
|
2167 | 2167 | |
|
2168 | 2168 | $ get-with-headers.py 127.0.0.1:$HGPORT "help/add" |
|
2169 | 2169 | 200 Script output follows |
|
2170 | 2170 | |
|
2171 | 2171 | <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.1//EN" "http://www.w3.org/TR/xhtml11/DTD/xhtml11.dtd"> |
|
2172 | 2172 | <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en-US"> |
|
2173 | 2173 | <head> |
|
2174 | 2174 | <link rel="icon" href="/static/hgicon.png" type="image/png" /> |
|
2175 | 2175 | <meta name="robots" content="index, nofollow" /> |
|
2176 | 2176 | <link rel="stylesheet" href="/static/style-paper.css" type="text/css" /> |
|
2177 | 2177 | <script type="text/javascript" src="/static/mercurial.js"></script> |
|
2178 | 2178 | |
|
2179 | 2179 | <title>Help: add</title> |
|
2180 | 2180 | </head> |
|
2181 | 2181 | <body> |
|
2182 | 2182 | |
|
2183 | 2183 | <div class="container"> |
|
2184 | 2184 | <div class="menu"> |
|
2185 | 2185 | <div class="logo"> |
|
2186 | 2186 | <a href="https://mercurial-scm.org/"> |
|
2187 | 2187 | <img src="/static/hglogo.png" alt="mercurial" /></a> |
|
2188 | 2188 | </div> |
|
2189 | 2189 | <ul> |
|
2190 | 2190 | <li><a href="/shortlog">log</a></li> |
|
2191 | 2191 | <li><a href="/graph">graph</a></li> |
|
2192 | 2192 | <li><a href="/tags">tags</a></li> |
|
2193 | 2193 | <li><a href="/bookmarks">bookmarks</a></li> |
|
2194 | 2194 | <li><a href="/branches">branches</a></li> |
|
2195 | 2195 | </ul> |
|
2196 | 2196 | <ul> |
|
2197 | 2197 | <li class="active"><a href="/help">help</a></li> |
|
2198 | 2198 | </ul> |
|
2199 | 2199 | </div> |
|
2200 | 2200 | |
|
2201 | 2201 | <div class="main"> |
|
2202 | 2202 | <h2 class="breadcrumb"><a href="/">Mercurial</a> </h2> |
|
2203 | 2203 | <h3>Help: add</h3> |
|
2204 | 2204 | |
|
2205 | 2205 | <form class="search" action="/log"> |
|
2206 | 2206 | |
|
2207 | 2207 | <p><input name="rev" id="search1" type="text" size="30" /></p> |
|
2208 | 2208 | <div id="hint">Find changesets by keywords (author, files, the commit message), revision |
|
2209 | 2209 | number or hash, or <a href="/help/revsets">revset expression</a>.</div> |
|
2210 | 2210 | </form> |
|
2211 | 2211 | <div id="doc"> |
|
2212 | 2212 | <p> |
|
2213 | 2213 | hg add [OPTION]... [FILE]... |
|
2214 | 2214 | </p> |
|
2215 | 2215 | <p> |
|
2216 | 2216 | add the specified files on the next commit |
|
2217 | 2217 | </p> |
|
2218 | 2218 | <p> |
|
2219 | 2219 | Schedule files to be version controlled and added to the |
|
2220 | 2220 | repository. |
|
2221 | 2221 | </p> |
|
2222 | 2222 | <p> |
|
2223 | 2223 | The files will be added to the repository at the next commit. To |
|
2224 | 2224 | undo an add before that, see "hg forget". |
|
2225 | 2225 | </p> |
|
2226 | 2226 | <p> |
|
2227 | 2227 | If no names are given, add all files to the repository (except |
|
2228 | 2228 | files matching ".hgignore"). |
|
2229 | 2229 | </p> |
|
2230 | 2230 | <p> |
|
2231 | 2231 | Examples: |
|
2232 | 2232 | </p> |
|
2233 | 2233 | <ul> |
|
2234 | 2234 | <li> New (unknown) files are added automatically by "hg add": |
|
2235 | 2235 | <pre> |
|
2236 | 2236 | \$ ls (re) |
|
2237 | 2237 | foo.c |
|
2238 | 2238 | \$ hg status (re) |
|
2239 | 2239 | ? foo.c |
|
2240 | 2240 | \$ hg add (re) |
|
2241 | 2241 | adding foo.c |
|
2242 | 2242 | \$ hg status (re) |
|
2243 | 2243 | A foo.c |
|
2244 | 2244 | </pre> |
|
2245 | 2245 | <li> Specific files to be added can be specified: |
|
2246 | 2246 | <pre> |
|
2247 | 2247 | \$ ls (re) |
|
2248 | 2248 | bar.c foo.c |
|
2249 | 2249 | \$ hg status (re) |
|
2250 | 2250 | ? bar.c |
|
2251 | 2251 | ? foo.c |
|
2252 | 2252 | \$ hg add bar.c (re) |
|
2253 | 2253 | \$ hg status (re) |
|
2254 | 2254 | A bar.c |
|
2255 | 2255 | ? foo.c |
|
2256 | 2256 | </pre> |
|
2257 | 2257 | </ul> |
|
2258 | 2258 | <p> |
|
2259 | 2259 | Returns 0 if all files are successfully added. |
|
2260 | 2260 | </p> |
|
2261 | 2261 | <p> |
|
2262 | 2262 | options ([+] can be repeated): |
|
2263 | 2263 | </p> |
|
2264 | 2264 | <table> |
|
2265 | 2265 | <tr><td>-I</td> |
|
2266 | 2266 | <td>--include PATTERN [+]</td> |
|
2267 | 2267 | <td>include names matching the given patterns</td></tr> |
|
2268 | 2268 | <tr><td>-X</td> |
|
2269 | 2269 | <td>--exclude PATTERN [+]</td> |
|
2270 | 2270 | <td>exclude names matching the given patterns</td></tr> |
|
2271 | 2271 | <tr><td>-S</td> |
|
2272 | 2272 | <td>--subrepos</td> |
|
2273 | 2273 | <td>recurse into subrepositories</td></tr> |
|
2274 | 2274 | <tr><td>-n</td> |
|
2275 | 2275 | <td>--dry-run</td> |
|
2276 | 2276 | <td>do not perform actions, just print output</td></tr> |
|
2277 | 2277 | </table> |
|
2278 | 2278 | <p> |
|
2279 | 2279 | global options ([+] can be repeated): |
|
2280 | 2280 | </p> |
|
2281 | 2281 | <table> |
|
2282 | 2282 | <tr><td>-R</td> |
|
2283 | 2283 | <td>--repository REPO</td> |
|
2284 | 2284 | <td>repository root directory or name of overlay bundle file</td></tr> |
|
2285 | 2285 | <tr><td></td> |
|
2286 | 2286 | <td>--cwd DIR</td> |
|
2287 | 2287 | <td>change working directory</td></tr> |
|
2288 | 2288 | <tr><td>-y</td> |
|
2289 | 2289 | <td>--noninteractive</td> |
|
2290 | 2290 | <td>do not prompt, automatically pick the first choice for all prompts</td></tr> |
|
2291 | 2291 | <tr><td>-q</td> |
|
2292 | 2292 | <td>--quiet</td> |
|
2293 | 2293 | <td>suppress output</td></tr> |
|
2294 | 2294 | <tr><td>-v</td> |
|
2295 | 2295 | <td>--verbose</td> |
|
2296 | 2296 | <td>enable additional output</td></tr> |
|
2297 | 2297 | <tr><td></td> |
|
2298 | 2298 | <td>--config CONFIG [+]</td> |
|
2299 | 2299 | <td>set/override config option (use 'section.name=value')</td></tr> |
|
2300 | 2300 | <tr><td></td> |
|
2301 | 2301 | <td>--debug</td> |
|
2302 | 2302 | <td>enable debugging output</td></tr> |
|
2303 | 2303 | <tr><td></td> |
|
2304 | 2304 | <td>--debugger</td> |
|
2305 | 2305 | <td>start debugger</td></tr> |
|
2306 | 2306 | <tr><td></td> |
|
2307 | 2307 | <td>--encoding ENCODE</td> |
|
2308 | 2308 | <td>set the charset encoding (default: ascii)</td></tr> |
|
2309 | 2309 | <tr><td></td> |
|
2310 | 2310 | <td>--encodingmode MODE</td> |
|
2311 | 2311 | <td>set the charset encoding mode (default: strict)</td></tr> |
|
2312 | 2312 | <tr><td></td> |
|
2313 | 2313 | <td>--traceback</td> |
|
2314 | 2314 | <td>always print a traceback on exception</td></tr> |
|
2315 | 2315 | <tr><td></td> |
|
2316 | 2316 | <td>--time</td> |
|
2317 | 2317 | <td>time how long the command takes</td></tr> |
|
2318 | 2318 | <tr><td></td> |
|
2319 | 2319 | <td>--profile</td> |
|
2320 | 2320 | <td>print command execution profile</td></tr> |
|
2321 | 2321 | <tr><td></td> |
|
2322 | 2322 | <td>--version</td> |
|
2323 | 2323 | <td>output version information and exit</td></tr> |
|
2324 | 2324 | <tr><td>-h</td> |
|
2325 | 2325 | <td>--help</td> |
|
2326 | 2326 | <td>display help and exit</td></tr> |
|
2327 | 2327 | <tr><td></td> |
|
2328 | 2328 | <td>--hidden</td> |
|
2329 | 2329 | <td>consider hidden changesets</td></tr> |
|
2330 | 2330 | </table> |
|
2331 | 2331 | |
|
2332 | 2332 | </div> |
|
2333 | 2333 | </div> |
|
2334 | 2334 | </div> |
|
2335 | 2335 | |
|
2336 | 2336 | <script type="text/javascript">process_dates()</script> |
|
2337 | 2337 | |
|
2338 | 2338 | |
|
2339 | 2339 | </body> |
|
2340 | 2340 | </html> |
|
2341 | 2341 | |
|
2342 | 2342 | |
|
2343 | 2343 | $ get-with-headers.py 127.0.0.1:$HGPORT "help/remove" |
|
2344 | 2344 | 200 Script output follows |
|
2345 | 2345 | |
|
2346 | 2346 | <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.1//EN" "http://www.w3.org/TR/xhtml11/DTD/xhtml11.dtd"> |
|
2347 | 2347 | <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en-US"> |
|
2348 | 2348 | <head> |
|
2349 | 2349 | <link rel="icon" href="/static/hgicon.png" type="image/png" /> |
|
2350 | 2350 | <meta name="robots" content="index, nofollow" /> |
|
2351 | 2351 | <link rel="stylesheet" href="/static/style-paper.css" type="text/css" /> |
|
2352 | 2352 | <script type="text/javascript" src="/static/mercurial.js"></script> |
|
2353 | 2353 | |
|
2354 | 2354 | <title>Help: remove</title> |
|
2355 | 2355 | </head> |
|
2356 | 2356 | <body> |
|
2357 | 2357 | |
|
2358 | 2358 | <div class="container"> |
|
2359 | 2359 | <div class="menu"> |
|
2360 | 2360 | <div class="logo"> |
|
2361 | 2361 | <a href="https://mercurial-scm.org/"> |
|
2362 | 2362 | <img src="/static/hglogo.png" alt="mercurial" /></a> |
|
2363 | 2363 | </div> |
|
2364 | 2364 | <ul> |
|
2365 | 2365 | <li><a href="/shortlog">log</a></li> |
|
2366 | 2366 | <li><a href="/graph">graph</a></li> |
|
2367 | 2367 | <li><a href="/tags">tags</a></li> |
|
2368 | 2368 | <li><a href="/bookmarks">bookmarks</a></li> |
|
2369 | 2369 | <li><a href="/branches">branches</a></li> |
|
2370 | 2370 | </ul> |
|
2371 | 2371 | <ul> |
|
2372 | 2372 | <li class="active"><a href="/help">help</a></li> |
|
2373 | 2373 | </ul> |
|
2374 | 2374 | </div> |
|
2375 | 2375 | |
|
2376 | 2376 | <div class="main"> |
|
2377 | 2377 | <h2 class="breadcrumb"><a href="/">Mercurial</a> </h2> |
|
2378 | 2378 | <h3>Help: remove</h3> |
|
2379 | 2379 | |
|
2380 | 2380 | <form class="search" action="/log"> |
|
2381 | 2381 | |
|
2382 | 2382 | <p><input name="rev" id="search1" type="text" size="30" /></p> |
|
2383 | 2383 | <div id="hint">Find changesets by keywords (author, files, the commit message), revision |
|
2384 | 2384 | number or hash, or <a href="/help/revsets">revset expression</a>.</div> |
|
2385 | 2385 | </form> |
|
2386 | 2386 | <div id="doc"> |
|
2387 | 2387 | <p> |
|
2388 | 2388 | hg remove [OPTION]... FILE... |
|
2389 | 2389 | </p> |
|
2390 | 2390 | <p> |
|
2391 | 2391 | aliases: rm |
|
2392 | 2392 | </p> |
|
2393 | 2393 | <p> |
|
2394 | 2394 | remove the specified files on the next commit |
|
2395 | 2395 | </p> |
|
2396 | 2396 | <p> |
|
2397 | 2397 | Schedule the indicated files for removal from the current branch. |
|
2398 | 2398 | </p> |
|
2399 | 2399 | <p> |
|
2400 | 2400 | This command schedules the files to be removed at the next commit. |
|
2401 | 2401 | To undo a remove before that, see "hg revert". To undo added |
|
2402 | 2402 | files, see "hg forget". |
|
2403 | 2403 | </p> |
|
2404 | 2404 | <p> |
|
2405 | 2405 | -A/--after can be used to remove only files that have already |
|
2406 | 2406 | been deleted, -f/--force can be used to force deletion, and -Af |
|
2407 | 2407 | can be used to remove files from the next revision without |
|
2408 | 2408 | deleting them from the working directory. |
|
2409 | 2409 | </p> |
|
2410 | 2410 | <p> |
|
2411 | 2411 | The following table details the behavior of remove for different |
|
2412 | 2412 | file states (columns) and option combinations (rows). The file |
|
2413 | 2413 | states are Added [A], Clean [C], Modified [M] and Missing [!] |
|
2414 | 2414 | (as reported by "hg status"). The actions are Warn, Remove |
|
2415 | 2415 | (from branch) and Delete (from disk): |
|
2416 | 2416 | </p> |
|
2417 | 2417 | <table> |
|
2418 | 2418 | <tr><td>opt/state</td> |
|
2419 | 2419 | <td>A</td> |
|
2420 | 2420 | <td>C</td> |
|
2421 | 2421 | <td>M</td> |
|
2422 | 2422 | <td>!</td></tr> |
|
2423 | 2423 | <tr><td>none</td> |
|
2424 | 2424 | <td>W</td> |
|
2425 | 2425 | <td>RD</td> |
|
2426 | 2426 | <td>W</td> |
|
2427 | 2427 | <td>R</td></tr> |
|
2428 | 2428 | <tr><td>-f</td> |
|
2429 | 2429 | <td>R</td> |
|
2430 | 2430 | <td>RD</td> |
|
2431 | 2431 | <td>RD</td> |
|
2432 | 2432 | <td>R</td></tr> |
|
2433 | 2433 | <tr><td>-A</td> |
|
2434 | 2434 | <td>W</td> |
|
2435 | 2435 | <td>W</td> |
|
2436 | 2436 | <td>W</td> |
|
2437 | 2437 | <td>R</td></tr> |
|
2438 | 2438 | <tr><td>-Af</td> |
|
2439 | 2439 | <td>R</td> |
|
2440 | 2440 | <td>R</td> |
|
2441 | 2441 | <td>R</td> |
|
2442 | 2442 | <td>R</td></tr> |
|
2443 | 2443 | </table> |
|
2444 | 2444 | <p> |
|
2445 | 2445 | <b>Note:</b> |
|
2446 | 2446 | </p> |
|
2447 | 2447 | <p> |
|
2448 | 2448 | "hg remove" never deletes files in Added [A] state from the |
|
2449 | 2449 | working directory, not even if "--force" is specified. |
|
2450 | 2450 | </p> |
|
2451 | 2451 | <p> |
|
2452 | 2452 | Returns 0 on success, 1 if any warnings encountered. |
|
2453 | 2453 | </p> |
|
2454 | 2454 | <p> |
|
2455 | 2455 | options ([+] can be repeated): |
|
2456 | 2456 | </p> |
|
2457 | 2457 | <table> |
|
2458 | 2458 | <tr><td>-A</td> |
|
2459 | 2459 | <td>--after</td> |
|
2460 | 2460 | <td>record delete for missing files</td></tr> |
|
2461 | 2461 | <tr><td>-f</td> |
|
2462 | 2462 | <td>--force</td> |
|
2463 | 2463 | <td>remove (and delete) file even if added or modified</td></tr> |
|
2464 | 2464 | <tr><td>-S</td> |
|
2465 | 2465 | <td>--subrepos</td> |
|
2466 | 2466 | <td>recurse into subrepositories</td></tr> |
|
2467 | 2467 | <tr><td>-I</td> |
|
2468 | 2468 | <td>--include PATTERN [+]</td> |
|
2469 | 2469 | <td>include names matching the given patterns</td></tr> |
|
2470 | 2470 | <tr><td>-X</td> |
|
2471 | 2471 | <td>--exclude PATTERN [+]</td> |
|
2472 | 2472 | <td>exclude names matching the given patterns</td></tr> |
|
2473 | 2473 | </table> |
|
2474 | 2474 | <p> |
|
2475 | 2475 | global options ([+] can be repeated): |
|
2476 | 2476 | </p> |
|
2477 | 2477 | <table> |
|
2478 | 2478 | <tr><td>-R</td> |
|
2479 | 2479 | <td>--repository REPO</td> |
|
2480 | 2480 | <td>repository root directory or name of overlay bundle file</td></tr> |
|
2481 | 2481 | <tr><td></td> |
|
2482 | 2482 | <td>--cwd DIR</td> |
|
2483 | 2483 | <td>change working directory</td></tr> |
|
2484 | 2484 | <tr><td>-y</td> |
|
2485 | 2485 | <td>--noninteractive</td> |
|
2486 | 2486 | <td>do not prompt, automatically pick the first choice for all prompts</td></tr> |
|
2487 | 2487 | <tr><td>-q</td> |
|
2488 | 2488 | <td>--quiet</td> |
|
2489 | 2489 | <td>suppress output</td></tr> |
|
2490 | 2490 | <tr><td>-v</td> |
|
2491 | 2491 | <td>--verbose</td> |
|
2492 | 2492 | <td>enable additional output</td></tr> |
|
2493 | 2493 | <tr><td></td> |
|
2494 | 2494 | <td>--config CONFIG [+]</td> |
|
2495 | 2495 | <td>set/override config option (use 'section.name=value')</td></tr> |
|
2496 | 2496 | <tr><td></td> |
|
2497 | 2497 | <td>--debug</td> |
|
2498 | 2498 | <td>enable debugging output</td></tr> |
|
2499 | 2499 | <tr><td></td> |
|
2500 | 2500 | <td>--debugger</td> |
|
2501 | 2501 | <td>start debugger</td></tr> |
|
2502 | 2502 | <tr><td></td> |
|
2503 | 2503 | <td>--encoding ENCODE</td> |
|
2504 | 2504 | <td>set the charset encoding (default: ascii)</td></tr> |
|
2505 | 2505 | <tr><td></td> |
|
2506 | 2506 | <td>--encodingmode MODE</td> |
|
2507 | 2507 | <td>set the charset encoding mode (default: strict)</td></tr> |
|
2508 | 2508 | <tr><td></td> |
|
2509 | 2509 | <td>--traceback</td> |
|
2510 | 2510 | <td>always print a traceback on exception</td></tr> |
|
2511 | 2511 | <tr><td></td> |
|
2512 | 2512 | <td>--time</td> |
|
2513 | 2513 | <td>time how long the command takes</td></tr> |
|
2514 | 2514 | <tr><td></td> |
|
2515 | 2515 | <td>--profile</td> |
|
2516 | 2516 | <td>print command execution profile</td></tr> |
|
2517 | 2517 | <tr><td></td> |
|
2518 | 2518 | <td>--version</td> |
|
2519 | 2519 | <td>output version information and exit</td></tr> |
|
2520 | 2520 | <tr><td>-h</td> |
|
2521 | 2521 | <td>--help</td> |
|
2522 | 2522 | <td>display help and exit</td></tr> |
|
2523 | 2523 | <tr><td></td> |
|
2524 | 2524 | <td>--hidden</td> |
|
2525 | 2525 | <td>consider hidden changesets</td></tr> |
|
2526 | 2526 | </table> |
|
2527 | 2527 | |
|
2528 | 2528 | </div> |
|
2529 | 2529 | </div> |
|
2530 | 2530 | </div> |
|
2531 | 2531 | |
|
2532 | 2532 | <script type="text/javascript">process_dates()</script> |
|
2533 | 2533 | |
|
2534 | 2534 | |
|
2535 | 2535 | </body> |
|
2536 | 2536 | </html> |
|
2537 | 2537 | |
|
2538 | 2538 | |
|
2539 | 2539 | $ get-with-headers.py 127.0.0.1:$HGPORT "help/revisions" |
|
2540 | 2540 | 200 Script output follows |
|
2541 | 2541 | |
|
2542 | 2542 | <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.1//EN" "http://www.w3.org/TR/xhtml11/DTD/xhtml11.dtd"> |
|
2543 | 2543 | <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en-US"> |
|
2544 | 2544 | <head> |
|
2545 | 2545 | <link rel="icon" href="/static/hgicon.png" type="image/png" /> |
|
2546 | 2546 | <meta name="robots" content="index, nofollow" /> |
|
2547 | 2547 | <link rel="stylesheet" href="/static/style-paper.css" type="text/css" /> |
|
2548 | 2548 | <script type="text/javascript" src="/static/mercurial.js"></script> |
|
2549 | 2549 | |
|
2550 | 2550 | <title>Help: revisions</title> |
|
2551 | 2551 | </head> |
|
2552 | 2552 | <body> |
|
2553 | 2553 | |
|
2554 | 2554 | <div class="container"> |
|
2555 | 2555 | <div class="menu"> |
|
2556 | 2556 | <div class="logo"> |
|
2557 | 2557 | <a href="https://mercurial-scm.org/"> |
|
2558 | 2558 | <img src="/static/hglogo.png" alt="mercurial" /></a> |
|
2559 | 2559 | </div> |
|
2560 | 2560 | <ul> |
|
2561 | 2561 | <li><a href="/shortlog">log</a></li> |
|
2562 | 2562 | <li><a href="/graph">graph</a></li> |
|
2563 | 2563 | <li><a href="/tags">tags</a></li> |
|
2564 | 2564 | <li><a href="/bookmarks">bookmarks</a></li> |
|
2565 | 2565 | <li><a href="/branches">branches</a></li> |
|
2566 | 2566 | </ul> |
|
2567 | 2567 | <ul> |
|
2568 | 2568 | <li class="active"><a href="/help">help</a></li> |
|
2569 | 2569 | </ul> |
|
2570 | 2570 | </div> |
|
2571 | 2571 | |
|
2572 | 2572 | <div class="main"> |
|
2573 | 2573 | <h2 class="breadcrumb"><a href="/">Mercurial</a> </h2> |
|
2574 | 2574 | <h3>Help: revisions</h3> |
|
2575 | 2575 | |
|
2576 | 2576 | <form class="search" action="/log"> |
|
2577 | 2577 | |
|
2578 | 2578 | <p><input name="rev" id="search1" type="text" size="30" /></p> |
|
2579 | 2579 | <div id="hint">Find changesets by keywords (author, files, the commit message), revision |
|
2580 | 2580 | number or hash, or <a href="/help/revsets">revset expression</a>.</div> |
|
2581 | 2581 | </form> |
|
2582 | 2582 | <div id="doc"> |
|
2583 | 2583 | <h1>Specifying Single Revisions</h1> |
|
2584 | 2584 | <p> |
|
2585 | 2585 | Mercurial supports several ways to specify individual revisions. |
|
2586 | 2586 | </p> |
|
2587 | 2587 | <p> |
|
2588 | 2588 | A plain integer is treated as a revision number. Negative integers are |
|
2589 | 2589 | treated as sequential offsets from the tip, with -1 denoting the tip, |
|
2590 | 2590 | -2 denoting the revision prior to the tip, and so forth. |
|
2591 | 2591 | </p> |
|
2592 | 2592 | <p> |
|
2593 | 2593 | A 40-digit hexadecimal string is treated as a unique revision |
|
2594 | 2594 | identifier. |
|
2595 | 2595 | </p> |
|
2596 | 2596 | <p> |
|
2597 | 2597 | A hexadecimal string less than 40 characters long is treated as a |
|
2598 | 2598 | unique revision identifier and is referred to as a short-form |
|
2599 | 2599 | identifier. A short-form identifier is only valid if it is the prefix |
|
2600 | 2600 | of exactly one full-length identifier. |
|
2601 | 2601 | </p> |
|
2602 | 2602 | <p> |
|
2603 | 2603 | Any other string is treated as a bookmark, tag, or branch name. A |
|
2604 | 2604 | bookmark is a movable pointer to a revision. A tag is a permanent name |
|
2605 | 2605 | associated with a revision. A branch name denotes the tipmost open branch head |
|
2606 | 2606 | of that branch - or if they are all closed, the tipmost closed head of the |
|
2607 | 2607 | branch. Bookmark, tag, and branch names must not contain the ":" character. |
|
2608 | 2608 | </p> |
|
2609 | 2609 | <p> |
|
2610 | 2610 | The reserved name "tip" always identifies the most recent revision. |
|
2611 | 2611 | </p> |
|
2612 | 2612 | <p> |
|
2613 | 2613 | The reserved name "null" indicates the null revision. This is the |
|
2614 | 2614 | revision of an empty repository, and the parent of revision 0. |
|
2615 | 2615 | </p> |
|
2616 | 2616 | <p> |
|
2617 | 2617 | The reserved name "." indicates the working directory parent. If no |
|
2618 | 2618 | working directory is checked out, it is equivalent to null. If an |
|
2619 | 2619 | uncommitted merge is in progress, "." is the revision of the first |
|
2620 | 2620 | parent. |
|
2621 | 2621 | </p> |
|
2622 | 2622 | |
|
2623 | 2623 | </div> |
|
2624 | 2624 | </div> |
|
2625 | 2625 | </div> |
|
2626 | 2626 | |
|
2627 | 2627 | <script type="text/javascript">process_dates()</script> |
|
2628 | 2628 | |
|
2629 | 2629 | |
|
2630 | 2630 | </body> |
|
2631 | 2631 | </html> |
|
2632 | 2632 | |
|
2633 | 2633 | |
|
2634 | Sub-topic indexes rendered properly | |
|
2635 | ||
|
2636 | $ get-with-headers.py 127.0.0.1:$HGPORT "help/internals" | |
|
2637 | 200 Script output follows | |
|
2638 | ||
|
2639 | <!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.1//EN" "http://www.w3.org/TR/xhtml11/DTD/xhtml11.dtd"> | |
|
2640 | <html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en-US"> | |
|
2641 | <head> | |
|
2642 | <link rel="icon" href="/static/hgicon.png" type="image/png" /> | |
|
2643 | <meta name="robots" content="index, nofollow" /> | |
|
2644 | <link rel="stylesheet" href="/static/style-paper.css" type="text/css" /> | |
|
2645 | <script type="text/javascript" src="/static/mercurial.js"></script> | |
|
2646 | ||
|
2647 | <title>Help: internals</title> | |
|
2648 | </head> | |
|
2649 | <body> | |
|
2650 | ||
|
2651 | <div class="container"> | |
|
2652 | <div class="menu"> | |
|
2653 | <div class="logo"> | |
|
2654 | <a href="https://mercurial-scm.org/"> | |
|
2655 | <img src="/static/hglogo.png" alt="mercurial" /></a> | |
|
2656 | </div> | |
|
2657 | <ul> | |
|
2658 | <li><a href="/shortlog">log</a></li> | |
|
2659 | <li><a href="/graph">graph</a></li> | |
|
2660 | <li><a href="/tags">tags</a></li> | |
|
2661 | <li><a href="/bookmarks">bookmarks</a></li> | |
|
2662 | <li><a href="/branches">branches</a></li> | |
|
2663 | </ul> | |
|
2664 | <ul> | |
|
2665 | <li><a href="/help">help</a></li> | |
|
2666 | </ul> | |
|
2667 | </div> | |
|
2668 | ||
|
2669 | <div class="main"> | |
|
2670 | <h2 class="breadcrumb"><a href="/">Mercurial</a> </h2> | |
|
2671 | <form class="search" action="/log"> | |
|
2672 | ||
|
2673 | <p><input name="rev" id="search1" type="text" size="30" /></p> | |
|
2674 | <div id="hint">Find changesets by keywords (author, files, the commit message), revision | |
|
2675 | number or hash, or <a href="/help/revsets">revset expression</a>.</div> | |
|
2676 | </form> | |
|
2677 | <table class="bigtable"> | |
|
2678 | <tr><td colspan="2"><h2><a name="main" href="#topics">Topics</a></h2></td></tr> | |
|
2679 | ||
|
2680 | <tr><td> | |
|
2681 | <a href="/help/internals.bundles"> | |
|
2682 | bundles | |
|
2683 | </a> | |
|
2684 | </td><td> | |
|
2685 | container for exchange of repository data | |
|
2686 | </td></tr> | |
|
2687 | <tr><td> | |
|
2688 | <a href="/help/internals.changegroups"> | |
|
2689 | changegroups | |
|
2690 | </a> | |
|
2691 | </td><td> | |
|
2692 | representation of revlog data | |
|
2693 | </td></tr> | |
|
2694 | ||
|
2695 | ||
|
2696 | ||
|
2697 | ||
|
2698 | ||
|
2699 | </table> | |
|
2700 | </div> | |
|
2701 | </div> | |
|
2702 | ||
|
2703 | <script type="text/javascript">process_dates()</script> | |
|
2704 | ||
|
2705 | ||
|
2706 | </body> | |
|
2707 | </html> | |
|
2708 | ||
|
2709 | ||
|
2634 | 2710 | $ killdaemons.py |
|
2635 | 2711 | |
|
2636 | 2712 | #endif |
General Comments 0
You need to be logged in to leave comments.
Login now