##// END OF EJS Templates
mq: replace `add` call with newer API...
marmoute -
r48556:7a06e04c default
parent child Browse files
Show More
@@ -1,4311 +1,4315
1 1 # mq.py - patch queues for mercurial
2 2 #
3 3 # Copyright 2005, 2006 Chris Mason <mason@suse.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 '''manage a stack of patches
9 9
10 10 This extension lets you work with a stack of patches in a Mercurial
11 11 repository. It manages two stacks of patches - all known patches, and
12 12 applied patches (subset of known patches).
13 13
14 14 Known patches are represented as patch files in the .hg/patches
15 15 directory. Applied patches are both patch files and changesets.
16 16
17 17 Common tasks (use :hg:`help COMMAND` for more details)::
18 18
19 19 create new patch qnew
20 20 import existing patch qimport
21 21
22 22 print patch series qseries
23 23 print applied patches qapplied
24 24
25 25 add known patch to applied stack qpush
26 26 remove patch from applied stack qpop
27 27 refresh contents of top applied patch qrefresh
28 28
29 29 By default, mq will automatically use git patches when required to
30 30 avoid losing file mode changes, copy records, binary files or empty
31 31 files creations or deletions. This behavior can be configured with::
32 32
33 33 [mq]
34 34 git = auto/keep/yes/no
35 35
36 36 If set to 'keep', mq will obey the [diff] section configuration while
37 37 preserving existing git patches upon qrefresh. If set to 'yes' or
38 38 'no', mq will override the [diff] section and always generate git or
39 39 regular patches, possibly losing data in the second case.
40 40
41 41 It may be desirable for mq changesets to be kept in the secret phase (see
42 42 :hg:`help phases`), which can be enabled with the following setting::
43 43
44 44 [mq]
45 45 secret = True
46 46
47 47 You will by default be managing a patch queue named "patches". You can
48 48 create other, independent patch queues with the :hg:`qqueue` command.
49 49
50 50 If the working directory contains uncommitted files, qpush, qpop and
51 51 qgoto abort immediately. If -f/--force is used, the changes are
52 52 discarded. Setting::
53 53
54 54 [mq]
55 55 keepchanges = True
56 56
57 57 make them behave as if --keep-changes were passed, and non-conflicting
58 58 local changes will be tolerated and preserved. If incompatible options
59 59 such as -f/--force or --exact are passed, this setting is ignored.
60 60
61 61 This extension used to provide a strip command. This command now lives
62 62 in the strip extension.
63 63 '''
64 64
65 65 from __future__ import absolute_import, print_function
66 66
67 67 import errno
68 68 import os
69 69 import re
70 70 import shutil
71 71 import sys
72 72 from mercurial.i18n import _
73 73 from mercurial.node import (
74 74 bin,
75 75 hex,
76 76 nullrev,
77 77 short,
78 78 )
79 79 from mercurial.pycompat import (
80 80 delattr,
81 81 getattr,
82 82 open,
83 83 )
84 84 from mercurial import (
85 85 cmdutil,
86 86 commands,
87 87 dirstateguard,
88 88 encoding,
89 89 error,
90 90 extensions,
91 91 hg,
92 92 localrepo,
93 93 lock as lockmod,
94 94 logcmdutil,
95 95 patch as patchmod,
96 96 phases,
97 97 pycompat,
98 98 registrar,
99 99 revsetlang,
100 100 scmutil,
101 101 smartset,
102 102 strip,
103 103 subrepoutil,
104 104 util,
105 105 vfs as vfsmod,
106 106 )
107 107 from mercurial.utils import (
108 108 dateutil,
109 109 stringutil,
110 110 urlutil,
111 111 )
112 112
113 113 release = lockmod.release
114 114 seriesopts = [(b's', b'summary', None, _(b'print first line of patch header'))]
115 115
116 116 cmdtable = {}
117 117 command = registrar.command(cmdtable)
118 118 # Note for extension authors: ONLY specify testedwith = 'ships-with-hg-core' for
119 119 # extensions which SHIP WITH MERCURIAL. Non-mainline extensions should
120 120 # be specifying the version(s) of Mercurial they are tested with, or
121 121 # leave the attribute unspecified.
122 122 testedwith = b'ships-with-hg-core'
123 123
124 124 configtable = {}
125 125 configitem = registrar.configitem(configtable)
126 126
127 127 configitem(
128 128 b'mq',
129 129 b'git',
130 130 default=b'auto',
131 131 )
132 132 configitem(
133 133 b'mq',
134 134 b'keepchanges',
135 135 default=False,
136 136 )
137 137 configitem(
138 138 b'mq',
139 139 b'plain',
140 140 default=False,
141 141 )
142 142 configitem(
143 143 b'mq',
144 144 b'secret',
145 145 default=False,
146 146 )
147 147
148 148 # force load strip extension formerly included in mq and import some utility
149 149 try:
150 150 extensions.find(b'strip')
151 151 except KeyError:
152 152 # note: load is lazy so we could avoid the try-except,
153 153 # but I (marmoute) prefer this explicit code.
154 154 class dummyui(object):
155 155 def debug(self, msg):
156 156 pass
157 157
158 158 def log(self, event, msgfmt, *msgargs, **opts):
159 159 pass
160 160
161 161 extensions.load(dummyui(), b'strip', b'')
162 162
163 163 strip = strip.strip
164 164
165 165
166 166 def checksubstate(repo, baserev=None):
167 167 """return list of subrepos at a different revision than substate.
168 168 Abort if any subrepos have uncommitted changes."""
169 169 inclsubs = []
170 170 wctx = repo[None]
171 171 if baserev:
172 172 bctx = repo[baserev]
173 173 else:
174 174 bctx = wctx.p1()
175 175 for s in sorted(wctx.substate):
176 176 wctx.sub(s).bailifchanged(True)
177 177 if s not in bctx.substate or bctx.sub(s).dirty():
178 178 inclsubs.append(s)
179 179 return inclsubs
180 180
181 181
182 182 # Patch names looks like unix-file names.
183 183 # They must be joinable with queue directory and result in the patch path.
184 184 normname = util.normpath
185 185
186 186
187 187 class statusentry(object):
188 188 def __init__(self, node, name):
189 189 self.node, self.name = node, name
190 190
191 191 def __bytes__(self):
192 192 return hex(self.node) + b':' + self.name
193 193
194 194 __str__ = encoding.strmethod(__bytes__)
195 195 __repr__ = encoding.strmethod(__bytes__)
196 196
197 197
198 198 # The order of the headers in 'hg export' HG patches:
199 199 HGHEADERS = [
200 200 # '# HG changeset patch',
201 201 b'# User ',
202 202 b'# Date ',
203 203 b'# ',
204 204 b'# Branch ',
205 205 b'# Node ID ',
206 206 b'# Parent ', # can occur twice for merges - but that is not relevant for mq
207 207 ]
208 208 # The order of headers in plain 'mail style' patches:
209 209 PLAINHEADERS = {
210 210 b'from': 0,
211 211 b'date': 1,
212 212 b'subject': 2,
213 213 }
214 214
215 215
216 216 def inserthgheader(lines, header, value):
217 217 """Assuming lines contains a HG patch header, add a header line with value.
218 218 >>> try: inserthgheader([], b'# Date ', b'z')
219 219 ... except ValueError as inst: print("oops")
220 220 oops
221 221 >>> inserthgheader([b'# HG changeset patch'], b'# Date ', b'z')
222 222 ['# HG changeset patch', '# Date z']
223 223 >>> inserthgheader([b'# HG changeset patch', b''], b'# Date ', b'z')
224 224 ['# HG changeset patch', '# Date z', '']
225 225 >>> inserthgheader([b'# HG changeset patch', b'# User y'], b'# Date ', b'z')
226 226 ['# HG changeset patch', '# User y', '# Date z']
227 227 >>> inserthgheader([b'# HG changeset patch', b'# Date x', b'# User y'],
228 228 ... b'# User ', b'z')
229 229 ['# HG changeset patch', '# Date x', '# User z']
230 230 >>> inserthgheader([b'# HG changeset patch', b'# Date y'], b'# Date ', b'z')
231 231 ['# HG changeset patch', '# Date z']
232 232 >>> inserthgheader([b'# HG changeset patch', b'', b'# Date y'],
233 233 ... b'# Date ', b'z')
234 234 ['# HG changeset patch', '# Date z', '', '# Date y']
235 235 >>> inserthgheader([b'# HG changeset patch', b'# Parent y'],
236 236 ... b'# Date ', b'z')
237 237 ['# HG changeset patch', '# Date z', '# Parent y']
238 238 """
239 239 start = lines.index(b'# HG changeset patch') + 1
240 240 newindex = HGHEADERS.index(header)
241 241 bestpos = len(lines)
242 242 for i in range(start, len(lines)):
243 243 line = lines[i]
244 244 if not line.startswith(b'# '):
245 245 bestpos = min(bestpos, i)
246 246 break
247 247 for lineindex, h in enumerate(HGHEADERS):
248 248 if line.startswith(h):
249 249 if lineindex == newindex:
250 250 lines[i] = header + value
251 251 return lines
252 252 if lineindex > newindex:
253 253 bestpos = min(bestpos, i)
254 254 break # next line
255 255 lines.insert(bestpos, header + value)
256 256 return lines
257 257
258 258
259 259 def insertplainheader(lines, header, value):
260 260 """For lines containing a plain patch header, add a header line with value.
261 261 >>> insertplainheader([], b'Date', b'z')
262 262 ['Date: z']
263 263 >>> insertplainheader([b''], b'Date', b'z')
264 264 ['Date: z', '']
265 265 >>> insertplainheader([b'x'], b'Date', b'z')
266 266 ['Date: z', '', 'x']
267 267 >>> insertplainheader([b'From: y', b'x'], b'Date', b'z')
268 268 ['From: y', 'Date: z', '', 'x']
269 269 >>> insertplainheader([b' date : x', b' from : y', b''], b'From', b'z')
270 270 [' date : x', 'From: z', '']
271 271 >>> insertplainheader([b'', b'Date: y'], b'Date', b'z')
272 272 ['Date: z', '', 'Date: y']
273 273 >>> insertplainheader([b'foo: bar', b'DATE: z', b'x'], b'From', b'y')
274 274 ['From: y', 'foo: bar', 'DATE: z', '', 'x']
275 275 """
276 276 newprio = PLAINHEADERS[header.lower()]
277 277 bestpos = len(lines)
278 278 for i, line in enumerate(lines):
279 279 if b':' in line:
280 280 lheader = line.split(b':', 1)[0].strip().lower()
281 281 lprio = PLAINHEADERS.get(lheader, newprio + 1)
282 282 if lprio == newprio:
283 283 lines[i] = b'%s: %s' % (header, value)
284 284 return lines
285 285 if lprio > newprio and i < bestpos:
286 286 bestpos = i
287 287 else:
288 288 if line:
289 289 lines.insert(i, b'')
290 290 if i < bestpos:
291 291 bestpos = i
292 292 break
293 293 lines.insert(bestpos, b'%s: %s' % (header, value))
294 294 return lines
295 295
296 296
297 297 class patchheader(object):
298 298 def __init__(self, pf, plainmode=False):
299 299 def eatdiff(lines):
300 300 while lines:
301 301 l = lines[-1]
302 302 if (
303 303 l.startswith(b"diff -")
304 304 or l.startswith(b"Index:")
305 305 or l.startswith(b"===========")
306 306 ):
307 307 del lines[-1]
308 308 else:
309 309 break
310 310
311 311 def eatempty(lines):
312 312 while lines:
313 313 if not lines[-1].strip():
314 314 del lines[-1]
315 315 else:
316 316 break
317 317
318 318 message = []
319 319 comments = []
320 320 user = None
321 321 date = None
322 322 parent = None
323 323 format = None
324 324 subject = None
325 325 branch = None
326 326 nodeid = None
327 327 diffstart = 0
328 328
329 329 for line in open(pf, b'rb'):
330 330 line = line.rstrip()
331 331 if line.startswith(b'diff --git') or (
332 332 diffstart and line.startswith(b'+++ ')
333 333 ):
334 334 diffstart = 2
335 335 break
336 336 diffstart = 0 # reset
337 337 if line.startswith(b"--- "):
338 338 diffstart = 1
339 339 continue
340 340 elif format == b"hgpatch":
341 341 # parse values when importing the result of an hg export
342 342 if line.startswith(b"# User "):
343 343 user = line[7:]
344 344 elif line.startswith(b"# Date "):
345 345 date = line[7:]
346 346 elif line.startswith(b"# Parent "):
347 347 parent = line[9:].lstrip() # handle double trailing space
348 348 elif line.startswith(b"# Branch "):
349 349 branch = line[9:]
350 350 elif line.startswith(b"# Node ID "):
351 351 nodeid = line[10:]
352 352 elif not line.startswith(b"# ") and line:
353 353 message.append(line)
354 354 format = None
355 355 elif line == b'# HG changeset patch':
356 356 message = []
357 357 format = b"hgpatch"
358 358 elif format != b"tagdone" and (
359 359 line.startswith(b"Subject: ") or line.startswith(b"subject: ")
360 360 ):
361 361 subject = line[9:]
362 362 format = b"tag"
363 363 elif format != b"tagdone" and (
364 364 line.startswith(b"From: ") or line.startswith(b"from: ")
365 365 ):
366 366 user = line[6:]
367 367 format = b"tag"
368 368 elif format != b"tagdone" and (
369 369 line.startswith(b"Date: ") or line.startswith(b"date: ")
370 370 ):
371 371 date = line[6:]
372 372 format = b"tag"
373 373 elif format == b"tag" and line == b"":
374 374 # when looking for tags (subject: from: etc) they
375 375 # end once you find a blank line in the source
376 376 format = b"tagdone"
377 377 elif message or line:
378 378 message.append(line)
379 379 comments.append(line)
380 380
381 381 eatdiff(message)
382 382 eatdiff(comments)
383 383 # Remember the exact starting line of the patch diffs before consuming
384 384 # empty lines, for external use by TortoiseHg and others
385 385 self.diffstartline = len(comments)
386 386 eatempty(message)
387 387 eatempty(comments)
388 388
389 389 # make sure message isn't empty
390 390 if format and format.startswith(b"tag") and subject:
391 391 message.insert(0, subject)
392 392
393 393 self.message = message
394 394 self.comments = comments
395 395 self.user = user
396 396 self.date = date
397 397 self.parent = parent
398 398 # nodeid and branch are for external use by TortoiseHg and others
399 399 self.nodeid = nodeid
400 400 self.branch = branch
401 401 self.haspatch = diffstart > 1
402 402 self.plainmode = (
403 403 plainmode
404 404 or b'# HG changeset patch' not in self.comments
405 405 and any(
406 406 c.startswith(b'Date: ') or c.startswith(b'From: ')
407 407 for c in self.comments
408 408 )
409 409 )
410 410
411 411 def setuser(self, user):
412 412 try:
413 413 inserthgheader(self.comments, b'# User ', user)
414 414 except ValueError:
415 415 if self.plainmode:
416 416 insertplainheader(self.comments, b'From', user)
417 417 else:
418 418 tmp = [b'# HG changeset patch', b'# User ' + user]
419 419 self.comments = tmp + self.comments
420 420 self.user = user
421 421
422 422 def setdate(self, date):
423 423 try:
424 424 inserthgheader(self.comments, b'# Date ', date)
425 425 except ValueError:
426 426 if self.plainmode:
427 427 insertplainheader(self.comments, b'Date', date)
428 428 else:
429 429 tmp = [b'# HG changeset patch', b'# Date ' + date]
430 430 self.comments = tmp + self.comments
431 431 self.date = date
432 432
433 433 def setparent(self, parent):
434 434 try:
435 435 inserthgheader(self.comments, b'# Parent ', parent)
436 436 except ValueError:
437 437 if not self.plainmode:
438 438 tmp = [b'# HG changeset patch', b'# Parent ' + parent]
439 439 self.comments = tmp + self.comments
440 440 self.parent = parent
441 441
442 442 def setmessage(self, message):
443 443 if self.comments:
444 444 self._delmsg()
445 445 self.message = [message]
446 446 if message:
447 447 if self.plainmode and self.comments and self.comments[-1]:
448 448 self.comments.append(b'')
449 449 self.comments.append(message)
450 450
451 451 def __bytes__(self):
452 452 s = b'\n'.join(self.comments).rstrip()
453 453 if not s:
454 454 return b''
455 455 return s + b'\n\n'
456 456
457 457 __str__ = encoding.strmethod(__bytes__)
458 458
459 459 def _delmsg(self):
460 460 """Remove existing message, keeping the rest of the comments fields.
461 461 If comments contains 'subject: ', message will prepend
462 462 the field and a blank line."""
463 463 if self.message:
464 464 subj = b'subject: ' + self.message[0].lower()
465 465 for i in pycompat.xrange(len(self.comments)):
466 466 if subj == self.comments[i].lower():
467 467 del self.comments[i]
468 468 self.message = self.message[2:]
469 469 break
470 470 ci = 0
471 471 for mi in self.message:
472 472 while mi != self.comments[ci]:
473 473 ci += 1
474 474 del self.comments[ci]
475 475
476 476
477 477 def newcommit(repo, phase, *args, **kwargs):
478 478 """helper dedicated to ensure a commit respect mq.secret setting
479 479
480 480 It should be used instead of repo.commit inside the mq source for operation
481 481 creating new changeset.
482 482 """
483 483 repo = repo.unfiltered()
484 484 if phase is None:
485 485 if repo.ui.configbool(b'mq', b'secret'):
486 486 phase = phases.secret
487 487 overrides = {(b'ui', b'allowemptycommit'): True}
488 488 if phase is not None:
489 489 overrides[(b'phases', b'new-commit')] = phase
490 490 with repo.ui.configoverride(overrides, b'mq'):
491 491 repo.ui.setconfig(b'ui', b'allowemptycommit', True)
492 492 return repo.commit(*args, **kwargs)
493 493
494 494
495 495 class AbortNoCleanup(error.Abort):
496 496 pass
497 497
498 498
499 499 class queue(object):
500 500 def __init__(self, ui, baseui, path, patchdir=None):
501 501 self.basepath = path
502 502 try:
503 503 with open(os.path.join(path, b'patches.queue'), 'rb') as fh:
504 504 cur = fh.read().rstrip()
505 505
506 506 if not cur:
507 507 curpath = os.path.join(path, b'patches')
508 508 else:
509 509 curpath = os.path.join(path, b'patches-' + cur)
510 510 except IOError:
511 511 curpath = os.path.join(path, b'patches')
512 512 self.path = patchdir or curpath
513 513 self.opener = vfsmod.vfs(self.path)
514 514 self.ui = ui
515 515 self.baseui = baseui
516 516 self.applieddirty = False
517 517 self.seriesdirty = False
518 518 self.added = []
519 519 self.seriespath = b"series"
520 520 self.statuspath = b"status"
521 521 self.guardspath = b"guards"
522 522 self.activeguards = None
523 523 self.guardsdirty = False
524 524 # Handle mq.git as a bool with extended values
525 525 gitmode = ui.config(b'mq', b'git').lower()
526 526 boolmode = stringutil.parsebool(gitmode)
527 527 if boolmode is not None:
528 528 if boolmode:
529 529 gitmode = b'yes'
530 530 else:
531 531 gitmode = b'no'
532 532 self.gitmode = gitmode
533 533 # deprecated config: mq.plain
534 534 self.plainmode = ui.configbool(b'mq', b'plain')
535 535 self.checkapplied = True
536 536
537 537 @util.propertycache
538 538 def applied(self):
539 539 def parselines(lines):
540 540 for l in lines:
541 541 entry = l.split(b':', 1)
542 542 if len(entry) > 1:
543 543 n, name = entry
544 544 yield statusentry(bin(n), name)
545 545 elif l.strip():
546 546 self.ui.warn(
547 547 _(b'malformated mq status line: %s\n')
548 548 % stringutil.pprint(entry)
549 549 )
550 550 # else we ignore empty lines
551 551
552 552 try:
553 553 lines = self.opener.read(self.statuspath).splitlines()
554 554 return list(parselines(lines))
555 555 except IOError as e:
556 556 if e.errno == errno.ENOENT:
557 557 return []
558 558 raise
559 559
560 560 @util.propertycache
561 561 def fullseries(self):
562 562 try:
563 563 return self.opener.read(self.seriespath).splitlines()
564 564 except IOError as e:
565 565 if e.errno == errno.ENOENT:
566 566 return []
567 567 raise
568 568
569 569 @util.propertycache
570 570 def series(self):
571 571 self.parseseries()
572 572 return self.series
573 573
574 574 @util.propertycache
575 575 def seriesguards(self):
576 576 self.parseseries()
577 577 return self.seriesguards
578 578
579 579 def invalidate(self):
580 580 for a in 'applied fullseries series seriesguards'.split():
581 581 if a in self.__dict__:
582 582 delattr(self, a)
583 583 self.applieddirty = False
584 584 self.seriesdirty = False
585 585 self.guardsdirty = False
586 586 self.activeguards = None
587 587
588 588 def diffopts(self, opts=None, patchfn=None, plain=False):
589 589 """Return diff options tweaked for this mq use, possibly upgrading to
590 590 git format, and possibly plain and without lossy options."""
591 591 diffopts = patchmod.difffeatureopts(
592 592 self.ui,
593 593 opts,
594 594 git=True,
595 595 whitespace=not plain,
596 596 formatchanging=not plain,
597 597 )
598 598 if self.gitmode == b'auto':
599 599 diffopts.upgrade = True
600 600 elif self.gitmode == b'keep':
601 601 pass
602 602 elif self.gitmode in (b'yes', b'no'):
603 603 diffopts.git = self.gitmode == b'yes'
604 604 else:
605 605 raise error.Abort(
606 606 _(b'mq.git option can be auto/keep/yes/no got %s')
607 607 % self.gitmode
608 608 )
609 609 if patchfn:
610 610 diffopts = self.patchopts(diffopts, patchfn)
611 611 return diffopts
612 612
613 613 def patchopts(self, diffopts, *patches):
614 614 """Return a copy of input diff options with git set to true if
615 615 referenced patch is a git patch and should be preserved as such.
616 616 """
617 617 diffopts = diffopts.copy()
618 618 if not diffopts.git and self.gitmode == b'keep':
619 619 for patchfn in patches:
620 620 patchf = self.opener(patchfn, b'r')
621 621 # if the patch was a git patch, refresh it as a git patch
622 622 diffopts.git = any(
623 623 line.startswith(b'diff --git') for line in patchf
624 624 )
625 625 patchf.close()
626 626 return diffopts
627 627
628 628 def join(self, *p):
629 629 return os.path.join(self.path, *p)
630 630
631 631 def findseries(self, patch):
632 632 def matchpatch(l):
633 633 l = l.split(b'#', 1)[0]
634 634 return l.strip() == patch
635 635
636 636 for index, l in enumerate(self.fullseries):
637 637 if matchpatch(l):
638 638 return index
639 639 return None
640 640
641 641 guard_re = re.compile(br'\s?#([-+][^-+# \t\r\n\f][^# \t\r\n\f]*)')
642 642
643 643 def parseseries(self):
644 644 self.series = []
645 645 self.seriesguards = []
646 646 for l in self.fullseries:
647 647 h = l.find(b'#')
648 648 if h == -1:
649 649 patch = l
650 650 comment = b''
651 651 elif h == 0:
652 652 continue
653 653 else:
654 654 patch = l[:h]
655 655 comment = l[h:]
656 656 patch = patch.strip()
657 657 if patch:
658 658 if patch in self.series:
659 659 raise error.Abort(
660 660 _(b'%s appears more than once in %s')
661 661 % (patch, self.join(self.seriespath))
662 662 )
663 663 self.series.append(patch)
664 664 self.seriesguards.append(self.guard_re.findall(comment))
665 665
666 666 def checkguard(self, guard):
667 667 if not guard:
668 668 return _(b'guard cannot be an empty string')
669 669 bad_chars = b'# \t\r\n\f'
670 670 first = guard[0]
671 671 if first in b'-+':
672 672 return _(b'guard %r starts with invalid character: %r') % (
673 673 guard,
674 674 first,
675 675 )
676 676 for c in bad_chars:
677 677 if c in guard:
678 678 return _(b'invalid character in guard %r: %r') % (guard, c)
679 679
680 680 def setactive(self, guards):
681 681 for guard in guards:
682 682 bad = self.checkguard(guard)
683 683 if bad:
684 684 raise error.Abort(bad)
685 685 guards = sorted(set(guards))
686 686 self.ui.debug(b'active guards: %s\n' % b' '.join(guards))
687 687 self.activeguards = guards
688 688 self.guardsdirty = True
689 689
690 690 def active(self):
691 691 if self.activeguards is None:
692 692 self.activeguards = []
693 693 try:
694 694 guards = self.opener.read(self.guardspath).split()
695 695 except IOError as err:
696 696 if err.errno != errno.ENOENT:
697 697 raise
698 698 guards = []
699 699 for i, guard in enumerate(guards):
700 700 bad = self.checkguard(guard)
701 701 if bad:
702 702 self.ui.warn(
703 703 b'%s:%d: %s\n'
704 704 % (self.join(self.guardspath), i + 1, bad)
705 705 )
706 706 else:
707 707 self.activeguards.append(guard)
708 708 return self.activeguards
709 709
710 710 def setguards(self, idx, guards):
711 711 for g in guards:
712 712 if len(g) < 2:
713 713 raise error.Abort(_(b'guard %r too short') % g)
714 714 if g[0] not in b'-+':
715 715 raise error.Abort(_(b'guard %r starts with invalid char') % g)
716 716 bad = self.checkguard(g[1:])
717 717 if bad:
718 718 raise error.Abort(bad)
719 719 drop = self.guard_re.sub(b'', self.fullseries[idx])
720 720 self.fullseries[idx] = drop + b''.join([b' #' + g for g in guards])
721 721 self.parseseries()
722 722 self.seriesdirty = True
723 723
724 724 def pushable(self, idx):
725 725 if isinstance(idx, bytes):
726 726 idx = self.series.index(idx)
727 727 patchguards = self.seriesguards[idx]
728 728 if not patchguards:
729 729 return True, None
730 730 guards = self.active()
731 731 exactneg = [
732 732 g for g in patchguards if g.startswith(b'-') and g[1:] in guards
733 733 ]
734 734 if exactneg:
735 735 return False, stringutil.pprint(exactneg[0])
736 736 pos = [g for g in patchguards if g.startswith(b'+')]
737 737 exactpos = [g for g in pos if g[1:] in guards]
738 738 if pos:
739 739 if exactpos:
740 740 return True, stringutil.pprint(exactpos[0])
741 741 return False, b' '.join([stringutil.pprint(p) for p in pos])
742 742 return True, b''
743 743
744 744 def explainpushable(self, idx, all_patches=False):
745 745 if all_patches:
746 746 write = self.ui.write
747 747 else:
748 748 write = self.ui.warn
749 749
750 750 if all_patches or self.ui.verbose:
751 751 if isinstance(idx, bytes):
752 752 idx = self.series.index(idx)
753 753 pushable, why = self.pushable(idx)
754 754 if all_patches and pushable:
755 755 if why is None:
756 756 write(
757 757 _(b'allowing %s - no guards in effect\n')
758 758 % self.series[idx]
759 759 )
760 760 else:
761 761 if not why:
762 762 write(
763 763 _(b'allowing %s - no matching negative guards\n')
764 764 % self.series[idx]
765 765 )
766 766 else:
767 767 write(
768 768 _(b'allowing %s - guarded by %s\n')
769 769 % (self.series[idx], why)
770 770 )
771 771 if not pushable:
772 772 if why:
773 773 write(
774 774 _(b'skipping %s - guarded by %s\n')
775 775 % (self.series[idx], why)
776 776 )
777 777 else:
778 778 write(
779 779 _(b'skipping %s - no matching guards\n')
780 780 % self.series[idx]
781 781 )
782 782
783 783 def savedirty(self):
784 784 def writelist(items, path):
785 785 fp = self.opener(path, b'wb')
786 786 for i in items:
787 787 fp.write(b"%s\n" % i)
788 788 fp.close()
789 789
790 790 if self.applieddirty:
791 791 writelist(map(bytes, self.applied), self.statuspath)
792 792 self.applieddirty = False
793 793 if self.seriesdirty:
794 794 writelist(self.fullseries, self.seriespath)
795 795 self.seriesdirty = False
796 796 if self.guardsdirty:
797 797 writelist(self.activeguards, self.guardspath)
798 798 self.guardsdirty = False
799 799 if self.added:
800 800 qrepo = self.qrepo()
801 801 if qrepo:
802 802 qrepo[None].add(f for f in self.added if f not in qrepo[None])
803 803 self.added = []
804 804
805 805 def removeundo(self, repo):
806 806 undo = repo.sjoin(b'undo')
807 807 if not os.path.exists(undo):
808 808 return
809 809 try:
810 810 os.unlink(undo)
811 811 except OSError as inst:
812 812 self.ui.warn(
813 813 _(b'error removing undo: %s\n') % stringutil.forcebytestr(inst)
814 814 )
815 815
816 816 def backup(self, repo, files, copy=False):
817 817 # backup local changes in --force case
818 818 for f in sorted(files):
819 819 absf = repo.wjoin(f)
820 820 if os.path.lexists(absf):
821 821 absorig = scmutil.backuppath(self.ui, repo, f)
822 822 self.ui.note(
823 823 _(b'saving current version of %s as %s\n')
824 824 % (f, os.path.relpath(absorig))
825 825 )
826 826
827 827 if copy:
828 828 util.copyfile(absf, absorig)
829 829 else:
830 830 util.rename(absf, absorig)
831 831
832 832 def printdiff(
833 833 self,
834 834 repo,
835 835 diffopts,
836 836 node1,
837 837 node2=None,
838 838 files=None,
839 839 fp=None,
840 840 changes=None,
841 841 opts=None,
842 842 ):
843 843 if opts is None:
844 844 opts = {}
845 845 stat = opts.get(b'stat')
846 846 m = scmutil.match(repo[node1], files, opts)
847 847 logcmdutil.diffordiffstat(
848 848 self.ui,
849 849 repo,
850 850 diffopts,
851 851 repo[node1],
852 852 repo[node2],
853 853 m,
854 854 changes,
855 855 stat,
856 856 fp,
857 857 )
858 858
859 859 def mergeone(self, repo, mergeq, head, patch, rev, diffopts):
860 860 # first try just applying the patch
861 861 (err, n) = self.apply(
862 862 repo, [patch], update_status=False, strict=True, merge=rev
863 863 )
864 864
865 865 if err == 0:
866 866 return (err, n)
867 867
868 868 if n is None:
869 869 raise error.Abort(_(b"apply failed for patch %s") % patch)
870 870
871 871 self.ui.warn(_(b"patch didn't work out, merging %s\n") % patch)
872 872
873 873 # apply failed, strip away that rev and merge.
874 874 hg.clean(repo, head)
875 875 strip(self.ui, repo, [n], update=False, backup=False)
876 876
877 877 ctx = repo[rev]
878 878 ret = hg.merge(ctx, remind=False)
879 879 if ret:
880 880 raise error.Abort(_(b"update returned %d") % ret)
881 881 n = newcommit(repo, None, ctx.description(), ctx.user(), force=True)
882 882 if n is None:
883 883 raise error.Abort(_(b"repo commit failed"))
884 884 try:
885 885 ph = patchheader(mergeq.join(patch), self.plainmode)
886 886 except Exception:
887 887 raise error.Abort(_(b"unable to read %s") % patch)
888 888
889 889 diffopts = self.patchopts(diffopts, patch)
890 890 patchf = self.opener(patch, b"w")
891 891 comments = bytes(ph)
892 892 if comments:
893 893 patchf.write(comments)
894 894 self.printdiff(repo, diffopts, head, n, fp=patchf)
895 895 patchf.close()
896 896 self.removeundo(repo)
897 897 return (0, n)
898 898
899 899 def qparents(self, repo, rev=None):
900 900 """return the mq handled parent or p1
901 901
902 902 In some case where mq get himself in being the parent of a merge the
903 903 appropriate parent may be p2.
904 904 (eg: an in progress merge started with mq disabled)
905 905
906 906 If no parent are managed by mq, p1 is returned.
907 907 """
908 908 if rev is None:
909 909 (p1, p2) = repo.dirstate.parents()
910 910 if p2 == repo.nullid:
911 911 return p1
912 912 if not self.applied:
913 913 return None
914 914 return self.applied[-1].node
915 915 p1, p2 = repo.changelog.parents(rev)
916 916 if p2 != repo.nullid and p2 in [x.node for x in self.applied]:
917 917 return p2
918 918 return p1
919 919
920 920 def mergepatch(self, repo, mergeq, series, diffopts):
921 921 if not self.applied:
922 922 # each of the patches merged in will have two parents. This
923 923 # can confuse the qrefresh, qdiff, and strip code because it
924 924 # needs to know which parent is actually in the patch queue.
925 925 # so, we insert a merge marker with only one parent. This way
926 926 # the first patch in the queue is never a merge patch
927 927 #
928 928 pname = b".hg.patches.merge.marker"
929 929 n = newcommit(repo, None, b'[mq]: merge marker', force=True)
930 930 self.removeundo(repo)
931 931 self.applied.append(statusentry(n, pname))
932 932 self.applieddirty = True
933 933
934 934 head = self.qparents(repo)
935 935
936 936 for patch in series:
937 937 patch = mergeq.lookup(patch, strict=True)
938 938 if not patch:
939 939 self.ui.warn(_(b"patch %s does not exist\n") % patch)
940 940 return (1, None)
941 941 pushable, reason = self.pushable(patch)
942 942 if not pushable:
943 943 self.explainpushable(patch, all_patches=True)
944 944 continue
945 945 info = mergeq.isapplied(patch)
946 946 if not info:
947 947 self.ui.warn(_(b"patch %s is not applied\n") % patch)
948 948 return (1, None)
949 949 rev = info[1]
950 950 err, head = self.mergeone(repo, mergeq, head, patch, rev, diffopts)
951 951 if head:
952 952 self.applied.append(statusentry(head, patch))
953 953 self.applieddirty = True
954 954 if err:
955 955 return (err, head)
956 956 self.savedirty()
957 957 return (0, head)
958 958
959 959 def patch(self, repo, patchfile):
960 960 """Apply patchfile to the working directory.
961 961 patchfile: name of patch file"""
962 962 files = set()
963 963 try:
964 964 fuzz = patchmod.patch(
965 965 self.ui, repo, patchfile, strip=1, files=files, eolmode=None
966 966 )
967 967 return (True, list(files), fuzz)
968 968 except Exception as inst:
969 969 self.ui.note(stringutil.forcebytestr(inst) + b'\n')
970 970 if not self.ui.verbose:
971 971 self.ui.warn(_(b"patch failed, unable to continue (try -v)\n"))
972 972 self.ui.traceback()
973 973 return (False, list(files), False)
974 974
975 975 def apply(
976 976 self,
977 977 repo,
978 978 series,
979 979 list=False,
980 980 update_status=True,
981 981 strict=False,
982 982 patchdir=None,
983 983 merge=None,
984 984 all_files=None,
985 985 tobackup=None,
986 986 keepchanges=False,
987 987 ):
988 988 wlock = lock = tr = None
989 989 try:
990 990 wlock = repo.wlock()
991 991 lock = repo.lock()
992 992 tr = repo.transaction(b"qpush")
993 993 try:
994 994 ret = self._apply(
995 995 repo,
996 996 series,
997 997 list,
998 998 update_status,
999 999 strict,
1000 1000 patchdir,
1001 1001 merge,
1002 1002 all_files=all_files,
1003 1003 tobackup=tobackup,
1004 1004 keepchanges=keepchanges,
1005 1005 )
1006 1006 tr.close()
1007 1007 self.savedirty()
1008 1008 return ret
1009 1009 except AbortNoCleanup:
1010 1010 tr.close()
1011 1011 self.savedirty()
1012 1012 raise
1013 1013 except: # re-raises
1014 1014 try:
1015 1015 tr.abort()
1016 1016 finally:
1017 1017 self.invalidate()
1018 1018 raise
1019 1019 finally:
1020 1020 release(tr, lock, wlock)
1021 1021 self.removeundo(repo)
1022 1022
1023 1023 def _apply(
1024 1024 self,
1025 1025 repo,
1026 1026 series,
1027 1027 list=False,
1028 1028 update_status=True,
1029 1029 strict=False,
1030 1030 patchdir=None,
1031 1031 merge=None,
1032 1032 all_files=None,
1033 1033 tobackup=None,
1034 1034 keepchanges=False,
1035 1035 ):
1036 1036 """returns (error, hash)
1037 1037
1038 1038 error = 1 for unable to read, 2 for patch failed, 3 for patch
1039 1039 fuzz. tobackup is None or a set of files to backup before they
1040 1040 are modified by a patch.
1041 1041 """
1042 1042 # TODO unify with commands.py
1043 1043 if not patchdir:
1044 1044 patchdir = self.path
1045 1045 err = 0
1046 1046 n = None
1047 1047 for patchname in series:
1048 1048 pushable, reason = self.pushable(patchname)
1049 1049 if not pushable:
1050 1050 self.explainpushable(patchname, all_patches=True)
1051 1051 continue
1052 1052 self.ui.status(_(b"applying %s\n") % patchname)
1053 1053 pf = os.path.join(patchdir, patchname)
1054 1054
1055 1055 try:
1056 1056 ph = patchheader(self.join(patchname), self.plainmode)
1057 1057 except IOError:
1058 1058 self.ui.warn(_(b"unable to read %s\n") % patchname)
1059 1059 err = 1
1060 1060 break
1061 1061
1062 1062 message = ph.message
1063 1063 if not message:
1064 1064 # The commit message should not be translated
1065 1065 message = b"imported patch %s\n" % patchname
1066 1066 else:
1067 1067 if list:
1068 1068 # The commit message should not be translated
1069 1069 message.append(b"\nimported patch %s" % patchname)
1070 1070 message = b'\n'.join(message)
1071 1071
1072 1072 if ph.haspatch:
1073 1073 if tobackup:
1074 1074 touched = patchmod.changedfiles(self.ui, repo, pf)
1075 1075 touched = set(touched) & tobackup
1076 1076 if touched and keepchanges:
1077 1077 raise AbortNoCleanup(
1078 1078 _(b"conflicting local changes found"),
1079 1079 hint=_(b"did you forget to qrefresh?"),
1080 1080 )
1081 1081 self.backup(repo, touched, copy=True)
1082 1082 tobackup = tobackup - touched
1083 1083 (patcherr, files, fuzz) = self.patch(repo, pf)
1084 1084 if all_files is not None:
1085 1085 all_files.update(files)
1086 1086 patcherr = not patcherr
1087 1087 else:
1088 1088 self.ui.warn(_(b"patch %s is empty\n") % patchname)
1089 1089 patcherr, files, fuzz = 0, [], 0
1090 1090
1091 1091 if merge and files:
1092 1092 # Mark as removed/merged and update dirstate parent info
1093 1093 with repo.dirstate.parentchange():
1094 1094 for f in files:
1095 1095 repo.dirstate.update_file_p1(f, p1_tracked=True)
1096 1096 p1 = repo.dirstate.p1()
1097 1097 repo.setparents(p1, merge)
1098 1098
1099 1099 if all_files and b'.hgsubstate' in all_files:
1100 1100 wctx = repo[None]
1101 1101 pctx = repo[b'.']
1102 1102 overwrite = False
1103 1103 mergedsubstate = subrepoutil.submerge(
1104 1104 repo, pctx, wctx, wctx, overwrite
1105 1105 )
1106 1106 files += mergedsubstate.keys()
1107 1107
1108 1108 match = scmutil.matchfiles(repo, files or [])
1109 1109 oldtip = repo.changelog.tip()
1110 1110 n = newcommit(
1111 1111 repo, None, message, ph.user, ph.date, match=match, force=True
1112 1112 )
1113 1113 if repo.changelog.tip() == oldtip:
1114 1114 raise error.Abort(
1115 1115 _(b"qpush exactly duplicates child changeset")
1116 1116 )
1117 1117 if n is None:
1118 1118 raise error.Abort(_(b"repository commit failed"))
1119 1119
1120 1120 if update_status:
1121 1121 self.applied.append(statusentry(n, patchname))
1122 1122
1123 1123 if patcherr:
1124 1124 self.ui.warn(
1125 1125 _(b"patch failed, rejects left in working directory\n")
1126 1126 )
1127 1127 err = 2
1128 1128 break
1129 1129
1130 1130 if fuzz and strict:
1131 1131 self.ui.warn(_(b"fuzz found when applying patch, stopping\n"))
1132 1132 err = 3
1133 1133 break
1134 1134 return (err, n)
1135 1135
1136 1136 def _cleanup(self, patches, numrevs, keep=False):
1137 1137 if not keep:
1138 1138 r = self.qrepo()
1139 1139 if r:
1140 1140 r[None].forget(patches)
1141 1141 for p in patches:
1142 1142 try:
1143 1143 os.unlink(self.join(p))
1144 1144 except OSError as inst:
1145 1145 if inst.errno != errno.ENOENT:
1146 1146 raise
1147 1147
1148 1148 qfinished = []
1149 1149 if numrevs:
1150 1150 qfinished = self.applied[:numrevs]
1151 1151 del self.applied[:numrevs]
1152 1152 self.applieddirty = True
1153 1153
1154 1154 unknown = []
1155 1155
1156 1156 sortedseries = []
1157 1157 for p in patches:
1158 1158 idx = self.findseries(p)
1159 1159 if idx is None:
1160 1160 sortedseries.append((-1, p))
1161 1161 else:
1162 1162 sortedseries.append((idx, p))
1163 1163
1164 1164 sortedseries.sort(reverse=True)
1165 1165 for (i, p) in sortedseries:
1166 1166 if i != -1:
1167 1167 del self.fullseries[i]
1168 1168 else:
1169 1169 unknown.append(p)
1170 1170
1171 1171 if unknown:
1172 1172 if numrevs:
1173 1173 rev = {entry.name: entry.node for entry in qfinished}
1174 1174 for p in unknown:
1175 1175 msg = _(b'revision %s refers to unknown patches: %s\n')
1176 1176 self.ui.warn(msg % (short(rev[p]), p))
1177 1177 else:
1178 1178 msg = _(b'unknown patches: %s\n')
1179 1179 raise error.Abort(b''.join(msg % p for p in unknown))
1180 1180
1181 1181 self.parseseries()
1182 1182 self.seriesdirty = True
1183 1183 return [entry.node for entry in qfinished]
1184 1184
1185 1185 def _revpatches(self, repo, revs):
1186 1186 firstrev = repo[self.applied[0].node].rev()
1187 1187 patches = []
1188 1188 for i, rev in enumerate(revs):
1189 1189
1190 1190 if rev < firstrev:
1191 1191 raise error.Abort(_(b'revision %d is not managed') % rev)
1192 1192
1193 1193 ctx = repo[rev]
1194 1194 base = self.applied[i].node
1195 1195 if ctx.node() != base:
1196 1196 msg = _(b'cannot delete revision %d above applied patches')
1197 1197 raise error.Abort(msg % rev)
1198 1198
1199 1199 patch = self.applied[i].name
1200 1200 for fmt in (b'[mq]: %s', b'imported patch %s'):
1201 1201 if ctx.description() == fmt % patch:
1202 1202 msg = _(b'patch %s finalized without changeset message\n')
1203 1203 repo.ui.status(msg % patch)
1204 1204 break
1205 1205
1206 1206 patches.append(patch)
1207 1207 return patches
1208 1208
1209 1209 def finish(self, repo, revs):
1210 1210 # Manually trigger phase computation to ensure phasedefaults is
1211 1211 # executed before we remove the patches.
1212 1212 repo._phasecache
1213 1213 patches = self._revpatches(repo, sorted(revs))
1214 1214 qfinished = self._cleanup(patches, len(patches))
1215 1215 if qfinished and repo.ui.configbool(b'mq', b'secret'):
1216 1216 # only use this logic when the secret option is added
1217 1217 oldqbase = repo[qfinished[0]]
1218 1218 tphase = phases.newcommitphase(repo.ui)
1219 1219 if oldqbase.phase() > tphase and oldqbase.p1().phase() <= tphase:
1220 1220 with repo.transaction(b'qfinish') as tr:
1221 1221 phases.advanceboundary(repo, tr, tphase, qfinished)
1222 1222
1223 1223 def delete(self, repo, patches, opts):
1224 1224 if not patches and not opts.get(b'rev'):
1225 1225 raise error.Abort(
1226 1226 _(b'qdelete requires at least one revision or patch name')
1227 1227 )
1228 1228
1229 1229 realpatches = []
1230 1230 for patch in patches:
1231 1231 patch = self.lookup(patch, strict=True)
1232 1232 info = self.isapplied(patch)
1233 1233 if info:
1234 1234 raise error.Abort(_(b"cannot delete applied patch %s") % patch)
1235 1235 if patch not in self.series:
1236 1236 raise error.Abort(_(b"patch %s not in series file") % patch)
1237 1237 if patch not in realpatches:
1238 1238 realpatches.append(patch)
1239 1239
1240 1240 numrevs = 0
1241 1241 if opts.get(b'rev'):
1242 1242 if not self.applied:
1243 1243 raise error.Abort(_(b'no patches applied'))
1244 1244 revs = scmutil.revrange(repo, opts.get(b'rev'))
1245 1245 revs.sort()
1246 1246 revpatches = self._revpatches(repo, revs)
1247 1247 realpatches += revpatches
1248 1248 numrevs = len(revpatches)
1249 1249
1250 1250 self._cleanup(realpatches, numrevs, opts.get(b'keep'))
1251 1251
1252 1252 def checktoppatch(self, repo):
1253 1253 '''check that working directory is at qtip'''
1254 1254 if self.applied:
1255 1255 top = self.applied[-1].node
1256 1256 patch = self.applied[-1].name
1257 1257 if repo.dirstate.p1() != top:
1258 1258 raise error.Abort(_(b"working directory revision is not qtip"))
1259 1259 return top, patch
1260 1260 return None, None
1261 1261
1262 1262 def putsubstate2changes(self, substatestate, changes):
1263 1263 if isinstance(changes, list):
1264 1264 mar = changes[:3]
1265 1265 else:
1266 1266 mar = (changes.modified, changes.added, changes.removed)
1267 1267 if any((b'.hgsubstate' in files for files in mar)):
1268 1268 return # already listed up
1269 1269 # not yet listed up
1270 1270 if substatestate in b'a?':
1271 1271 mar[1].append(b'.hgsubstate')
1272 1272 elif substatestate in b'r':
1273 1273 mar[2].append(b'.hgsubstate')
1274 1274 else: # modified
1275 1275 mar[0].append(b'.hgsubstate')
1276 1276
1277 1277 def checklocalchanges(self, repo, force=False, refresh=True):
1278 1278 excsuffix = b''
1279 1279 if refresh:
1280 1280 excsuffix = b', qrefresh first'
1281 1281 # plain versions for i18n tool to detect them
1282 1282 _(b"local changes found, qrefresh first")
1283 1283 _(b"local changed subrepos found, qrefresh first")
1284 1284
1285 1285 s = repo.status()
1286 1286 if not force:
1287 1287 cmdutil.checkunfinished(repo)
1288 1288 if s.modified or s.added or s.removed or s.deleted:
1289 1289 _(b"local changes found") # i18n tool detection
1290 1290 raise error.Abort(_(b"local changes found" + excsuffix))
1291 1291 if checksubstate(repo):
1292 1292 _(b"local changed subrepos found") # i18n tool detection
1293 1293 raise error.Abort(
1294 1294 _(b"local changed subrepos found" + excsuffix)
1295 1295 )
1296 1296 else:
1297 1297 cmdutil.checkunfinished(repo, skipmerge=True)
1298 1298 return s
1299 1299
1300 1300 _reserved = (b'series', b'status', b'guards', b'.', b'..')
1301 1301
1302 1302 def checkreservedname(self, name):
1303 1303 if name in self._reserved:
1304 1304 raise error.Abort(
1305 1305 _(b'"%s" cannot be used as the name of a patch') % name
1306 1306 )
1307 1307 if name != name.strip():
1308 1308 # whitespace is stripped by parseseries()
1309 1309 raise error.Abort(
1310 1310 _(b'patch name cannot begin or end with whitespace')
1311 1311 )
1312 1312 for prefix in (b'.hg', b'.mq'):
1313 1313 if name.startswith(prefix):
1314 1314 raise error.Abort(
1315 1315 _(b'patch name cannot begin with "%s"') % prefix
1316 1316 )
1317 1317 for c in (b'#', b':', b'\r', b'\n'):
1318 1318 if c in name:
1319 1319 raise error.Abort(
1320 1320 _(b'%r cannot be used in the name of a patch')
1321 1321 % pycompat.bytestr(c)
1322 1322 )
1323 1323
1324 1324 def checkpatchname(self, name, force=False):
1325 1325 self.checkreservedname(name)
1326 1326 if not force and os.path.exists(self.join(name)):
1327 1327 if os.path.isdir(self.join(name)):
1328 1328 raise error.Abort(
1329 1329 _(b'"%s" already exists as a directory') % name
1330 1330 )
1331 1331 else:
1332 1332 raise error.Abort(_(b'patch "%s" already exists') % name)
1333 1333
1334 1334 def makepatchname(self, title, fallbackname):
1335 1335 """Return a suitable filename for title, adding a suffix to make
1336 1336 it unique in the existing list"""
1337 1337 namebase = re.sub(br'[\s\W_]+', b'_', title.lower()).strip(b'_')
1338 1338 namebase = namebase[:75] # avoid too long name (issue5117)
1339 1339 if namebase:
1340 1340 try:
1341 1341 self.checkreservedname(namebase)
1342 1342 except error.Abort:
1343 1343 namebase = fallbackname
1344 1344 else:
1345 1345 namebase = fallbackname
1346 1346 name = namebase
1347 1347 i = 0
1348 1348 while True:
1349 1349 if name not in self.fullseries:
1350 1350 try:
1351 1351 self.checkpatchname(name)
1352 1352 break
1353 1353 except error.Abort:
1354 1354 pass
1355 1355 i += 1
1356 1356 name = b'%s__%d' % (namebase, i)
1357 1357 return name
1358 1358
1359 1359 def checkkeepchanges(self, keepchanges, force):
1360 1360 if force and keepchanges:
1361 1361 raise error.Abort(_(b'cannot use both --force and --keep-changes'))
1362 1362
1363 1363 def new(self, repo, patchfn, *pats, **opts):
1364 1364 """options:
1365 1365 msg: a string or a no-argument function returning a string
1366 1366 """
1367 1367 opts = pycompat.byteskwargs(opts)
1368 1368 msg = opts.get(b'msg')
1369 1369 edit = opts.get(b'edit')
1370 1370 editform = opts.get(b'editform', b'mq.qnew')
1371 1371 user = opts.get(b'user')
1372 1372 date = opts.get(b'date')
1373 1373 if date:
1374 1374 date = dateutil.parsedate(date)
1375 1375 diffopts = self.diffopts({b'git': opts.get(b'git')}, plain=True)
1376 1376 if opts.get(b'checkname', True):
1377 1377 self.checkpatchname(patchfn)
1378 1378 inclsubs = checksubstate(repo)
1379 1379 if inclsubs:
1380 1380 substatestate = repo.dirstate[b'.hgsubstate']
1381 1381 if opts.get(b'include') or opts.get(b'exclude') or pats:
1382 1382 # detect missing files in pats
1383 1383 def badfn(f, msg):
1384 1384 if f != b'.hgsubstate': # .hgsubstate is auto-created
1385 1385 raise error.Abort(b'%s: %s' % (f, msg))
1386 1386
1387 1387 match = scmutil.match(repo[None], pats, opts, badfn=badfn)
1388 1388 changes = repo.status(match=match)
1389 1389 else:
1390 1390 changes = self.checklocalchanges(repo, force=True)
1391 1391 commitfiles = list(inclsubs)
1392 1392 commitfiles.extend(changes.modified)
1393 1393 commitfiles.extend(changes.added)
1394 1394 commitfiles.extend(changes.removed)
1395 1395 match = scmutil.matchfiles(repo, commitfiles)
1396 1396 if len(repo[None].parents()) > 1:
1397 1397 raise error.Abort(_(b'cannot manage merge changesets'))
1398 1398 self.checktoppatch(repo)
1399 1399 insert = self.fullseriesend()
1400 1400 with repo.wlock():
1401 1401 try:
1402 1402 # if patch file write fails, abort early
1403 1403 p = self.opener(patchfn, b"w")
1404 1404 except IOError as e:
1405 1405 raise error.Abort(
1406 1406 _(b'cannot write patch "%s": %s')
1407 1407 % (patchfn, encoding.strtolocal(e.strerror))
1408 1408 )
1409 1409 try:
1410 1410 defaultmsg = b"[mq]: %s" % patchfn
1411 1411 editor = cmdutil.getcommiteditor(editform=editform)
1412 1412 if edit:
1413 1413
1414 1414 def finishdesc(desc):
1415 1415 if desc.rstrip():
1416 1416 return desc
1417 1417 else:
1418 1418 return defaultmsg
1419 1419
1420 1420 # i18n: this message is shown in editor with "HG: " prefix
1421 1421 extramsg = _(b'Leave message empty to use default message.')
1422 1422 editor = cmdutil.getcommiteditor(
1423 1423 finishdesc=finishdesc,
1424 1424 extramsg=extramsg,
1425 1425 editform=editform,
1426 1426 )
1427 1427 commitmsg = msg
1428 1428 else:
1429 1429 commitmsg = msg or defaultmsg
1430 1430
1431 1431 n = newcommit(
1432 1432 repo,
1433 1433 None,
1434 1434 commitmsg,
1435 1435 user,
1436 1436 date,
1437 1437 match=match,
1438 1438 force=True,
1439 1439 editor=editor,
1440 1440 )
1441 1441 if n is None:
1442 1442 raise error.Abort(_(b"repo commit failed"))
1443 1443 try:
1444 1444 self.fullseries[insert:insert] = [patchfn]
1445 1445 self.applied.append(statusentry(n, patchfn))
1446 1446 self.parseseries()
1447 1447 self.seriesdirty = True
1448 1448 self.applieddirty = True
1449 1449 nctx = repo[n]
1450 1450 ph = patchheader(self.join(patchfn), self.plainmode)
1451 1451 if user:
1452 1452 ph.setuser(user)
1453 1453 if date:
1454 1454 ph.setdate(b'%d %d' % date)
1455 1455 ph.setparent(hex(nctx.p1().node()))
1456 1456 msg = nctx.description().strip()
1457 1457 if msg == defaultmsg.strip():
1458 1458 msg = b''
1459 1459 ph.setmessage(msg)
1460 1460 p.write(bytes(ph))
1461 1461 if commitfiles:
1462 1462 parent = self.qparents(repo, n)
1463 1463 if inclsubs:
1464 1464 self.putsubstate2changes(substatestate, changes)
1465 1465 chunks = patchmod.diff(
1466 1466 repo,
1467 1467 node1=parent,
1468 1468 node2=n,
1469 1469 changes=changes,
1470 1470 opts=diffopts,
1471 1471 )
1472 1472 for chunk in chunks:
1473 1473 p.write(chunk)
1474 1474 p.close()
1475 1475 r = self.qrepo()
1476 1476 if r:
1477 1477 r[None].add([patchfn])
1478 1478 except: # re-raises
1479 1479 repo.rollback()
1480 1480 raise
1481 1481 except Exception:
1482 1482 patchpath = self.join(patchfn)
1483 1483 try:
1484 1484 os.unlink(patchpath)
1485 1485 except OSError:
1486 1486 self.ui.warn(_(b'error unlinking %s\n') % patchpath)
1487 1487 raise
1488 1488 self.removeundo(repo)
1489 1489
1490 1490 def isapplied(self, patch):
1491 1491 """returns (index, rev, patch)"""
1492 1492 for i, a in enumerate(self.applied):
1493 1493 if a.name == patch:
1494 1494 return (i, a.node, a.name)
1495 1495 return None
1496 1496
1497 1497 # if the exact patch name does not exist, we try a few
1498 1498 # variations. If strict is passed, we try only #1
1499 1499 #
1500 1500 # 1) a number (as string) to indicate an offset in the series file
1501 1501 # 2) a unique substring of the patch name was given
1502 1502 # 3) patchname[-+]num to indicate an offset in the series file
1503 1503 def lookup(self, patch, strict=False):
1504 1504 def partialname(s):
1505 1505 if s in self.series:
1506 1506 return s
1507 1507 matches = [x for x in self.series if s in x]
1508 1508 if len(matches) > 1:
1509 1509 self.ui.warn(_(b'patch name "%s" is ambiguous:\n') % s)
1510 1510 for m in matches:
1511 1511 self.ui.warn(b' %s\n' % m)
1512 1512 return None
1513 1513 if matches:
1514 1514 return matches[0]
1515 1515 if self.series and self.applied:
1516 1516 if s == b'qtip':
1517 1517 return self.series[self.seriesend(True) - 1]
1518 1518 if s == b'qbase':
1519 1519 return self.series[0]
1520 1520 return None
1521 1521
1522 1522 if patch in self.series:
1523 1523 return patch
1524 1524
1525 1525 if not os.path.isfile(self.join(patch)):
1526 1526 try:
1527 1527 sno = int(patch)
1528 1528 except (ValueError, OverflowError):
1529 1529 pass
1530 1530 else:
1531 1531 if -len(self.series) <= sno < len(self.series):
1532 1532 return self.series[sno]
1533 1533
1534 1534 if not strict:
1535 1535 res = partialname(patch)
1536 1536 if res:
1537 1537 return res
1538 1538 minus = patch.rfind(b'-')
1539 1539 if minus >= 0:
1540 1540 res = partialname(patch[:minus])
1541 1541 if res:
1542 1542 i = self.series.index(res)
1543 1543 try:
1544 1544 off = int(patch[minus + 1 :] or 1)
1545 1545 except (ValueError, OverflowError):
1546 1546 pass
1547 1547 else:
1548 1548 if i - off >= 0:
1549 1549 return self.series[i - off]
1550 1550 plus = patch.rfind(b'+')
1551 1551 if plus >= 0:
1552 1552 res = partialname(patch[:plus])
1553 1553 if res:
1554 1554 i = self.series.index(res)
1555 1555 try:
1556 1556 off = int(patch[plus + 1 :] or 1)
1557 1557 except (ValueError, OverflowError):
1558 1558 pass
1559 1559 else:
1560 1560 if i + off < len(self.series):
1561 1561 return self.series[i + off]
1562 1562 raise error.Abort(_(b"patch %s not in series") % patch)
1563 1563
1564 1564 def push(
1565 1565 self,
1566 1566 repo,
1567 1567 patch=None,
1568 1568 force=False,
1569 1569 list=False,
1570 1570 mergeq=None,
1571 1571 all=False,
1572 1572 move=False,
1573 1573 exact=False,
1574 1574 nobackup=False,
1575 1575 keepchanges=False,
1576 1576 ):
1577 1577 self.checkkeepchanges(keepchanges, force)
1578 1578 diffopts = self.diffopts()
1579 1579 with repo.wlock():
1580 1580 heads = []
1581 1581 for hs in repo.branchmap().iterheads():
1582 1582 heads.extend(hs)
1583 1583 if not heads:
1584 1584 heads = [repo.nullid]
1585 1585 if repo.dirstate.p1() not in heads and not exact:
1586 1586 self.ui.status(_(b"(working directory not at a head)\n"))
1587 1587
1588 1588 if not self.series:
1589 1589 self.ui.warn(_(b'no patches in series\n'))
1590 1590 return 0
1591 1591
1592 1592 # Suppose our series file is: A B C and the current 'top'
1593 1593 # patch is B. qpush C should be performed (moving forward)
1594 1594 # qpush B is a NOP (no change) qpush A is an error (can't
1595 1595 # go backwards with qpush)
1596 1596 if patch:
1597 1597 patch = self.lookup(patch)
1598 1598 info = self.isapplied(patch)
1599 1599 if info and info[0] >= len(self.applied) - 1:
1600 1600 self.ui.warn(
1601 1601 _(b'qpush: %s is already at the top\n') % patch
1602 1602 )
1603 1603 return 0
1604 1604
1605 1605 pushable, reason = self.pushable(patch)
1606 1606 if pushable:
1607 1607 if self.series.index(patch) < self.seriesend():
1608 1608 raise error.Abort(
1609 1609 _(b"cannot push to a previous patch: %s") % patch
1610 1610 )
1611 1611 else:
1612 1612 if reason:
1613 1613 reason = _(b'guarded by %s') % reason
1614 1614 else:
1615 1615 reason = _(b'no matching guards')
1616 1616 self.ui.warn(
1617 1617 _(b"cannot push '%s' - %s\n") % (patch, reason)
1618 1618 )
1619 1619 return 1
1620 1620 elif all:
1621 1621 patch = self.series[-1]
1622 1622 if self.isapplied(patch):
1623 1623 self.ui.warn(_(b'all patches are currently applied\n'))
1624 1624 return 0
1625 1625
1626 1626 # Following the above example, starting at 'top' of B:
1627 1627 # qpush should be performed (pushes C), but a subsequent
1628 1628 # qpush without an argument is an error (nothing to
1629 1629 # apply). This allows a loop of "...while hg qpush..." to
1630 1630 # work as it detects an error when done
1631 1631 start = self.seriesend()
1632 1632 if start == len(self.series):
1633 1633 self.ui.warn(_(b'patch series already fully applied\n'))
1634 1634 return 1
1635 1635 if not force and not keepchanges:
1636 1636 self.checklocalchanges(repo, refresh=self.applied)
1637 1637
1638 1638 if exact:
1639 1639 if keepchanges:
1640 1640 raise error.Abort(
1641 1641 _(b"cannot use --exact and --keep-changes together")
1642 1642 )
1643 1643 if move:
1644 1644 raise error.Abort(
1645 1645 _(b'cannot use --exact and --move together')
1646 1646 )
1647 1647 if self.applied:
1648 1648 raise error.Abort(
1649 1649 _(b'cannot push --exact with applied patches')
1650 1650 )
1651 1651 root = self.series[start]
1652 1652 target = patchheader(self.join(root), self.plainmode).parent
1653 1653 if not target:
1654 1654 raise error.Abort(
1655 1655 _(b"%s does not have a parent recorded") % root
1656 1656 )
1657 1657 if not repo[target] == repo[b'.']:
1658 1658 hg.update(repo, target)
1659 1659
1660 1660 if move:
1661 1661 if not patch:
1662 1662 raise error.Abort(_(b"please specify the patch to move"))
1663 1663 for fullstart, rpn in enumerate(self.fullseries):
1664 1664 # strip markers for patch guards
1665 1665 if self.guard_re.split(rpn, 1)[0] == self.series[start]:
1666 1666 break
1667 1667 for i, rpn in enumerate(self.fullseries[fullstart:]):
1668 1668 # strip markers for patch guards
1669 1669 if self.guard_re.split(rpn, 1)[0] == patch:
1670 1670 break
1671 1671 index = fullstart + i
1672 1672 assert index < len(self.fullseries)
1673 1673 fullpatch = self.fullseries[index]
1674 1674 del self.fullseries[index]
1675 1675 self.fullseries.insert(fullstart, fullpatch)
1676 1676 self.parseseries()
1677 1677 self.seriesdirty = True
1678 1678
1679 1679 self.applieddirty = True
1680 1680 if start > 0:
1681 1681 self.checktoppatch(repo)
1682 1682 if not patch:
1683 1683 patch = self.series[start]
1684 1684 end = start + 1
1685 1685 else:
1686 1686 end = self.series.index(patch, start) + 1
1687 1687
1688 1688 tobackup = set()
1689 1689 if (not nobackup and force) or keepchanges:
1690 1690 status = self.checklocalchanges(repo, force=True)
1691 1691 if keepchanges:
1692 1692 tobackup.update(
1693 1693 status.modified
1694 1694 + status.added
1695 1695 + status.removed
1696 1696 + status.deleted
1697 1697 )
1698 1698 else:
1699 1699 tobackup.update(status.modified + status.added)
1700 1700
1701 1701 s = self.series[start:end]
1702 1702 all_files = set()
1703 1703 try:
1704 1704 if mergeq:
1705 1705 ret = self.mergepatch(repo, mergeq, s, diffopts)
1706 1706 else:
1707 1707 ret = self.apply(
1708 1708 repo,
1709 1709 s,
1710 1710 list,
1711 1711 all_files=all_files,
1712 1712 tobackup=tobackup,
1713 1713 keepchanges=keepchanges,
1714 1714 )
1715 1715 except AbortNoCleanup:
1716 1716 raise
1717 1717 except: # re-raises
1718 1718 self.ui.warn(_(b'cleaning up working directory...\n'))
1719 1719 cmdutil.revert(
1720 1720 self.ui,
1721 1721 repo,
1722 1722 repo[b'.'],
1723 1723 no_backup=True,
1724 1724 )
1725 1725 # only remove unknown files that we know we touched or
1726 1726 # created while patching
1727 1727 for f in all_files:
1728 1728 if f not in repo.dirstate:
1729 1729 repo.wvfs.unlinkpath(f, ignoremissing=True)
1730 1730 self.ui.warn(_(b'done\n'))
1731 1731 raise
1732 1732
1733 1733 if not self.applied:
1734 1734 return ret[0]
1735 1735 top = self.applied[-1].name
1736 1736 if ret[0] and ret[0] > 1:
1737 1737 msg = _(b"errors during apply, please fix and qrefresh %s\n")
1738 1738 self.ui.write(msg % top)
1739 1739 else:
1740 1740 self.ui.write(_(b"now at: %s\n") % top)
1741 1741 return ret[0]
1742 1742
1743 1743 def pop(
1744 1744 self,
1745 1745 repo,
1746 1746 patch=None,
1747 1747 force=False,
1748 1748 update=True,
1749 1749 all=False,
1750 1750 nobackup=False,
1751 1751 keepchanges=False,
1752 1752 ):
1753 1753 self.checkkeepchanges(keepchanges, force)
1754 1754 with repo.wlock():
1755 1755 if patch:
1756 1756 # index, rev, patch
1757 1757 info = self.isapplied(patch)
1758 1758 if not info:
1759 1759 patch = self.lookup(patch)
1760 1760 info = self.isapplied(patch)
1761 1761 if not info:
1762 1762 raise error.Abort(_(b"patch %s is not applied") % patch)
1763 1763
1764 1764 if not self.applied:
1765 1765 # Allow qpop -a to work repeatedly,
1766 1766 # but not qpop without an argument
1767 1767 self.ui.warn(_(b"no patches applied\n"))
1768 1768 return not all
1769 1769
1770 1770 if all:
1771 1771 start = 0
1772 1772 elif patch:
1773 1773 start = info[0] + 1
1774 1774 else:
1775 1775 start = len(self.applied) - 1
1776 1776
1777 1777 if start >= len(self.applied):
1778 1778 self.ui.warn(_(b"qpop: %s is already at the top\n") % patch)
1779 1779 return
1780 1780
1781 1781 if not update:
1782 1782 parents = repo.dirstate.parents()
1783 1783 rr = [x.node for x in self.applied]
1784 1784 for p in parents:
1785 1785 if p in rr:
1786 1786 self.ui.warn(_(b"qpop: forcing dirstate update\n"))
1787 1787 update = True
1788 1788 else:
1789 1789 parents = [p.node() for p in repo[None].parents()]
1790 1790 update = any(
1791 1791 entry.node in parents for entry in self.applied[start:]
1792 1792 )
1793 1793
1794 1794 tobackup = set()
1795 1795 if update:
1796 1796 s = self.checklocalchanges(repo, force=force or keepchanges)
1797 1797 if force:
1798 1798 if not nobackup:
1799 1799 tobackup.update(s.modified + s.added)
1800 1800 elif keepchanges:
1801 1801 tobackup.update(
1802 1802 s.modified + s.added + s.removed + s.deleted
1803 1803 )
1804 1804
1805 1805 self.applieddirty = True
1806 1806 end = len(self.applied)
1807 1807 rev = self.applied[start].node
1808 1808
1809 1809 try:
1810 1810 heads = repo.changelog.heads(rev)
1811 1811 except error.LookupError:
1812 1812 node = short(rev)
1813 1813 raise error.Abort(_(b'trying to pop unknown node %s') % node)
1814 1814
1815 1815 if heads != [self.applied[-1].node]:
1816 1816 raise error.Abort(
1817 1817 _(
1818 1818 b"popping would remove a revision not "
1819 1819 b"managed by this patch queue"
1820 1820 )
1821 1821 )
1822 1822 if not repo[self.applied[-1].node].mutable():
1823 1823 raise error.Abort(
1824 1824 _(b"popping would remove a public revision"),
1825 1825 hint=_(b"see 'hg help phases' for details"),
1826 1826 )
1827 1827
1828 1828 # we know there are no local changes, so we can make a simplified
1829 1829 # form of hg.update.
1830 1830 if update:
1831 1831 qp = self.qparents(repo, rev)
1832 1832 ctx = repo[qp]
1833 1833 st = repo.status(qp, b'.')
1834 1834 m, a, r, d = st.modified, st.added, st.removed, st.deleted
1835 1835 if d:
1836 1836 raise error.Abort(_(b"deletions found between repo revs"))
1837 1837
1838 1838 tobackup = set(a + m + r) & tobackup
1839 1839 if keepchanges and tobackup:
1840 1840 raise error.Abort(_(b"local changes found, qrefresh first"))
1841 1841 self.backup(repo, tobackup)
1842 1842 with repo.dirstate.parentchange():
1843 1843 for f in a:
1844 1844 repo.wvfs.unlinkpath(f, ignoremissing=True)
1845 1845 repo.dirstate.update_file(
1846 1846 f, p1_tracked=False, wc_tracked=False
1847 1847 )
1848 1848 for f in m + r:
1849 1849 fctx = ctx[f]
1850 1850 repo.wwrite(f, fctx.data(), fctx.flags())
1851 1851 repo.dirstate.update_file(
1852 1852 f, p1_tracked=True, wc_tracked=True
1853 1853 )
1854 1854 repo.setparents(qp, repo.nullid)
1855 1855 for patch in reversed(self.applied[start:end]):
1856 1856 self.ui.status(_(b"popping %s\n") % patch.name)
1857 1857 del self.applied[start:end]
1858 1858 strip(self.ui, repo, [rev], update=False, backup=False)
1859 1859 for s, state in repo[b'.'].substate.items():
1860 1860 repo[b'.'].sub(s).get(state)
1861 1861 if self.applied:
1862 1862 self.ui.write(_(b"now at: %s\n") % self.applied[-1].name)
1863 1863 else:
1864 1864 self.ui.write(_(b"patch queue now empty\n"))
1865 1865
1866 1866 def diff(self, repo, pats, opts):
1867 1867 top, patch = self.checktoppatch(repo)
1868 1868 if not top:
1869 1869 self.ui.write(_(b"no patches applied\n"))
1870 1870 return
1871 1871 qp = self.qparents(repo, top)
1872 1872 if opts.get(b'reverse'):
1873 1873 node1, node2 = None, qp
1874 1874 else:
1875 1875 node1, node2 = qp, None
1876 1876 diffopts = self.diffopts(opts, patch)
1877 1877 self.printdiff(repo, diffopts, node1, node2, files=pats, opts=opts)
1878 1878
1879 1879 def refresh(self, repo, pats=None, **opts):
1880 1880 opts = pycompat.byteskwargs(opts)
1881 1881 if not self.applied:
1882 1882 self.ui.write(_(b"no patches applied\n"))
1883 1883 return 1
1884 1884 msg = opts.get(b'msg', b'').rstrip()
1885 1885 edit = opts.get(b'edit')
1886 1886 editform = opts.get(b'editform', b'mq.qrefresh')
1887 1887 newuser = opts.get(b'user')
1888 1888 newdate = opts.get(b'date')
1889 1889 if newdate:
1890 1890 newdate = b'%d %d' % dateutil.parsedate(newdate)
1891 1891 wlock = repo.wlock()
1892 1892
1893 1893 try:
1894 1894 self.checktoppatch(repo)
1895 1895 (top, patchfn) = (self.applied[-1].node, self.applied[-1].name)
1896 1896 if repo.changelog.heads(top) != [top]:
1897 1897 raise error.Abort(
1898 1898 _(b"cannot qrefresh a revision with children")
1899 1899 )
1900 1900 if not repo[top].mutable():
1901 1901 raise error.Abort(
1902 1902 _(b"cannot qrefresh public revision"),
1903 1903 hint=_(b"see 'hg help phases' for details"),
1904 1904 )
1905 1905
1906 1906 cparents = repo.changelog.parents(top)
1907 1907 patchparent = self.qparents(repo, top)
1908 1908
1909 1909 inclsubs = checksubstate(repo, patchparent)
1910 1910 if inclsubs:
1911 1911 substatestate = repo.dirstate[b'.hgsubstate']
1912 1912
1913 1913 ph = patchheader(self.join(patchfn), self.plainmode)
1914 1914 diffopts = self.diffopts(
1915 1915 {b'git': opts.get(b'git')}, patchfn, plain=True
1916 1916 )
1917 1917 if newuser:
1918 1918 ph.setuser(newuser)
1919 1919 if newdate:
1920 1920 ph.setdate(newdate)
1921 1921 ph.setparent(hex(patchparent))
1922 1922
1923 1923 # only commit new patch when write is complete
1924 1924 patchf = self.opener(patchfn, b'w', atomictemp=True)
1925 1925
1926 1926 # update the dirstate in place, strip off the qtip commit
1927 1927 # and then commit.
1928 1928 #
1929 1929 # this should really read:
1930 1930 # st = repo.status(top, patchparent)
1931 1931 # but we do it backwards to take advantage of manifest/changelog
1932 1932 # caching against the next repo.status call
1933 1933 st = repo.status(patchparent, top)
1934 1934 mm, aa, dd = st.modified, st.added, st.removed
1935 1935 ctx = repo[top]
1936 1936 aaa = aa[:]
1937 1937 match1 = scmutil.match(repo[None], pats, opts)
1938 1938 # in short mode, we only diff the files included in the
1939 1939 # patch already plus specified files
1940 1940 if opts.get(b'short'):
1941 1941 # if amending a patch, we start with existing
1942 1942 # files plus specified files - unfiltered
1943 1943 match = scmutil.matchfiles(repo, mm + aa + dd + match1.files())
1944 1944 # filter with include/exclude options
1945 1945 match1 = scmutil.match(repo[None], opts=opts)
1946 1946 else:
1947 1947 match = scmutil.matchall(repo)
1948 1948 stb = repo.status(match=match)
1949 1949 m, a, r, d = stb.modified, stb.added, stb.removed, stb.deleted
1950 1950 mm = set(mm)
1951 1951 aa = set(aa)
1952 1952 dd = set(dd)
1953 1953
1954 1954 # we might end up with files that were added between
1955 1955 # qtip and the dirstate parent, but then changed in the
1956 1956 # local dirstate. in this case, we want them to only
1957 1957 # show up in the added section
1958 1958 for x in m:
1959 1959 if x not in aa:
1960 1960 mm.add(x)
1961 1961 # we might end up with files added by the local dirstate that
1962 1962 # were deleted by the patch. In this case, they should only
1963 1963 # show up in the changed section.
1964 1964 for x in a:
1965 1965 if x in dd:
1966 1966 dd.remove(x)
1967 1967 mm.add(x)
1968 1968 else:
1969 1969 aa.add(x)
1970 1970 # make sure any files deleted in the local dirstate
1971 1971 # are not in the add or change column of the patch
1972 1972 forget = []
1973 1973 for x in d + r:
1974 1974 if x in aa:
1975 1975 aa.remove(x)
1976 1976 forget.append(x)
1977 1977 continue
1978 1978 else:
1979 1979 mm.discard(x)
1980 1980 dd.add(x)
1981 1981
1982 1982 m = list(mm)
1983 1983 r = list(dd)
1984 1984 a = list(aa)
1985 1985
1986 1986 # create 'match' that includes the files to be recommitted.
1987 1987 # apply match1 via repo.status to ensure correct case handling.
1988 1988 st = repo.status(patchparent, match=match1)
1989 1989 cm, ca, cr, cd = st.modified, st.added, st.removed, st.deleted
1990 1990 allmatches = set(cm + ca + cr + cd)
1991 1991 refreshchanges = [x.intersection(allmatches) for x in (mm, aa, dd)]
1992 1992
1993 1993 files = set(inclsubs)
1994 1994 for x in refreshchanges:
1995 1995 files.update(x)
1996 1996 match = scmutil.matchfiles(repo, files)
1997 1997
1998 1998 bmlist = repo[top].bookmarks()
1999 1999
2000 2000 with repo.dirstate.parentchange():
2001 2001 # XXX do we actually need the dirstateguard
2002 2002 dsguard = None
2003 2003 try:
2004 2004 dsguard = dirstateguard.dirstateguard(repo, b'mq.refresh')
2005 2005 if diffopts.git or diffopts.upgrade:
2006 2006 copies = {}
2007 2007 for dst in a:
2008 2008 src = repo.dirstate.copied(dst)
2009 2009 # during qfold, the source file for copies may
2010 2010 # be removed. Treat this as a simple add.
2011 2011 if src is not None and src in repo.dirstate:
2012 2012 copies.setdefault(src, []).append(dst)
2013 repo.dirstate.add(dst)
2013 repo.dirstate.update_file(
2014 dst, p1_tracked=False, wc_tracked=True
2015 )
2014 2016 # remember the copies between patchparent and qtip
2015 2017 for dst in aaa:
2016 2018 src = ctx[dst].copysource()
2017 2019 if src:
2018 2020 copies.setdefault(src, []).extend(
2019 2021 copies.get(dst, [])
2020 2022 )
2021 2023 if dst in a:
2022 2024 copies[src].append(dst)
2023 2025 # we can't copy a file created by the patch itself
2024 2026 if dst in copies:
2025 2027 del copies[dst]
2026 2028 for src, dsts in pycompat.iteritems(copies):
2027 2029 for dst in dsts:
2028 2030 repo.dirstate.copy(src, dst)
2029 2031 else:
2030 2032 for dst in a:
2031 repo.dirstate.add(dst)
2033 repo.dirstate.update_file(
2034 dst, p1_tracked=False, wc_tracked=True
2035 )
2032 2036 # Drop useless copy information
2033 2037 for f in list(repo.dirstate.copies()):
2034 2038 repo.dirstate.copy(None, f)
2035 2039 for f in r:
2036 2040 repo.dirstate.update_file_p1(f, p1_tracked=True)
2037 2041 # if the patch excludes a modified file, mark that
2038 2042 # file with mtime=0 so status can see it.
2039 2043 mm = []
2040 2044 for i in pycompat.xrange(len(m) - 1, -1, -1):
2041 2045 if not match1(m[i]):
2042 2046 mm.append(m[i])
2043 2047 del m[i]
2044 2048 for f in m:
2045 2049 repo.dirstate.update_file_p1(f, p1_tracked=True)
2046 2050 for f in mm:
2047 2051 repo.dirstate.update_file_p1(f, p1_tracked=True)
2048 2052 for f in forget:
2049 2053 repo.dirstate.update_file_p1(f, p1_tracked=False)
2050 2054
2051 2055 user = ph.user or ctx.user()
2052 2056
2053 2057 oldphase = repo[top].phase()
2054 2058
2055 2059 # assumes strip can roll itself back if interrupted
2056 2060 repo.setparents(*cparents)
2057 2061 self.applied.pop()
2058 2062 self.applieddirty = True
2059 2063 strip(self.ui, repo, [top], update=False, backup=False)
2060 2064 dsguard.close()
2061 2065 finally:
2062 2066 release(dsguard)
2063 2067
2064 2068 try:
2065 2069 # might be nice to attempt to roll back strip after this
2066 2070
2067 2071 defaultmsg = b"[mq]: %s" % patchfn
2068 2072 editor = cmdutil.getcommiteditor(editform=editform)
2069 2073 if edit:
2070 2074
2071 2075 def finishdesc(desc):
2072 2076 if desc.rstrip():
2073 2077 ph.setmessage(desc)
2074 2078 return desc
2075 2079 return defaultmsg
2076 2080
2077 2081 # i18n: this message is shown in editor with "HG: " prefix
2078 2082 extramsg = _(b'Leave message empty to use default message.')
2079 2083 editor = cmdutil.getcommiteditor(
2080 2084 finishdesc=finishdesc,
2081 2085 extramsg=extramsg,
2082 2086 editform=editform,
2083 2087 )
2084 2088 message = msg or b"\n".join(ph.message)
2085 2089 elif not msg:
2086 2090 if not ph.message:
2087 2091 message = defaultmsg
2088 2092 else:
2089 2093 message = b"\n".join(ph.message)
2090 2094 else:
2091 2095 message = msg
2092 2096 ph.setmessage(msg)
2093 2097
2094 2098 # Ensure we create a new changeset in the same phase than
2095 2099 # the old one.
2096 2100 lock = tr = None
2097 2101 try:
2098 2102 lock = repo.lock()
2099 2103 tr = repo.transaction(b'mq')
2100 2104 n = newcommit(
2101 2105 repo,
2102 2106 oldphase,
2103 2107 message,
2104 2108 user,
2105 2109 ph.date,
2106 2110 match=match,
2107 2111 force=True,
2108 2112 editor=editor,
2109 2113 )
2110 2114 # only write patch after a successful commit
2111 2115 c = [list(x) for x in refreshchanges]
2112 2116 if inclsubs:
2113 2117 self.putsubstate2changes(substatestate, c)
2114 2118 chunks = patchmod.diff(
2115 2119 repo, patchparent, changes=c, opts=diffopts
2116 2120 )
2117 2121 comments = bytes(ph)
2118 2122 if comments:
2119 2123 patchf.write(comments)
2120 2124 for chunk in chunks:
2121 2125 patchf.write(chunk)
2122 2126 patchf.close()
2123 2127
2124 2128 marks = repo._bookmarks
2125 2129 marks.applychanges(repo, tr, [(bm, n) for bm in bmlist])
2126 2130 tr.close()
2127 2131
2128 2132 self.applied.append(statusentry(n, patchfn))
2129 2133 finally:
2130 2134 lockmod.release(tr, lock)
2131 2135 except: # re-raises
2132 2136 ctx = repo[cparents[0]]
2133 2137 repo.dirstate.rebuild(ctx.node(), ctx.manifest())
2134 2138 self.savedirty()
2135 2139 self.ui.warn(
2136 2140 _(
2137 2141 b'qrefresh interrupted while patch was popped! '
2138 2142 b'(revert --all, qpush to recover)\n'
2139 2143 )
2140 2144 )
2141 2145 raise
2142 2146 finally:
2143 2147 wlock.release()
2144 2148 self.removeundo(repo)
2145 2149
2146 2150 def init(self, repo, create=False):
2147 2151 if not create and os.path.isdir(self.path):
2148 2152 raise error.Abort(_(b"patch queue directory already exists"))
2149 2153 try:
2150 2154 os.mkdir(self.path)
2151 2155 except OSError as inst:
2152 2156 if inst.errno != errno.EEXIST or not create:
2153 2157 raise
2154 2158 if create:
2155 2159 return self.qrepo(create=True)
2156 2160
2157 2161 def unapplied(self, repo, patch=None):
2158 2162 if patch and patch not in self.series:
2159 2163 raise error.Abort(_(b"patch %s is not in series file") % patch)
2160 2164 if not patch:
2161 2165 start = self.seriesend()
2162 2166 else:
2163 2167 start = self.series.index(patch) + 1
2164 2168 unapplied = []
2165 2169 for i in pycompat.xrange(start, len(self.series)):
2166 2170 pushable, reason = self.pushable(i)
2167 2171 if pushable:
2168 2172 unapplied.append((i, self.series[i]))
2169 2173 self.explainpushable(i)
2170 2174 return unapplied
2171 2175
2172 2176 def qseries(
2173 2177 self,
2174 2178 repo,
2175 2179 missing=None,
2176 2180 start=0,
2177 2181 length=None,
2178 2182 status=None,
2179 2183 summary=False,
2180 2184 ):
2181 2185 def displayname(pfx, patchname, state):
2182 2186 if pfx:
2183 2187 self.ui.write(pfx)
2184 2188 if summary:
2185 2189 ph = patchheader(self.join(patchname), self.plainmode)
2186 2190 if ph.message:
2187 2191 msg = ph.message[0]
2188 2192 else:
2189 2193 msg = b''
2190 2194
2191 2195 if self.ui.formatted():
2192 2196 width = self.ui.termwidth() - len(pfx) - len(patchname) - 2
2193 2197 if width > 0:
2194 2198 msg = stringutil.ellipsis(msg, width)
2195 2199 else:
2196 2200 msg = b''
2197 2201 self.ui.write(patchname, label=b'qseries.' + state)
2198 2202 self.ui.write(b': ')
2199 2203 self.ui.write(msg, label=b'qseries.message.' + state)
2200 2204 else:
2201 2205 self.ui.write(patchname, label=b'qseries.' + state)
2202 2206 self.ui.write(b'\n')
2203 2207
2204 2208 applied = {p.name for p in self.applied}
2205 2209 if length is None:
2206 2210 length = len(self.series) - start
2207 2211 if not missing:
2208 2212 if self.ui.verbose:
2209 2213 idxwidth = len(b"%d" % (start + length - 1))
2210 2214 for i in pycompat.xrange(start, start + length):
2211 2215 patch = self.series[i]
2212 2216 if patch in applied:
2213 2217 char, state = b'A', b'applied'
2214 2218 elif self.pushable(i)[0]:
2215 2219 char, state = b'U', b'unapplied'
2216 2220 else:
2217 2221 char, state = b'G', b'guarded'
2218 2222 pfx = b''
2219 2223 if self.ui.verbose:
2220 2224 pfx = b'%*d %s ' % (idxwidth, i, char)
2221 2225 elif status and status != char:
2222 2226 continue
2223 2227 displayname(pfx, patch, state)
2224 2228 else:
2225 2229 msng_list = []
2226 2230 for root, dirs, files in os.walk(self.path):
2227 2231 d = root[len(self.path) + 1 :]
2228 2232 for f in files:
2229 2233 fl = os.path.join(d, f)
2230 2234 if (
2231 2235 fl not in self.series
2232 2236 and fl
2233 2237 not in (
2234 2238 self.statuspath,
2235 2239 self.seriespath,
2236 2240 self.guardspath,
2237 2241 )
2238 2242 and not fl.startswith(b'.')
2239 2243 ):
2240 2244 msng_list.append(fl)
2241 2245 for x in sorted(msng_list):
2242 2246 pfx = self.ui.verbose and b'D ' or b''
2243 2247 displayname(pfx, x, b'missing')
2244 2248
2245 2249 def issaveline(self, l):
2246 2250 if l.name == b'.hg.patches.save.line':
2247 2251 return True
2248 2252
2249 2253 def qrepo(self, create=False):
2250 2254 ui = self.baseui.copy()
2251 2255 # copy back attributes set by ui.pager()
2252 2256 if self.ui.pageractive and not ui.pageractive:
2253 2257 ui.pageractive = self.ui.pageractive
2254 2258 # internal config: ui.formatted
2255 2259 ui.setconfig(
2256 2260 b'ui',
2257 2261 b'formatted',
2258 2262 self.ui.config(b'ui', b'formatted'),
2259 2263 b'mqpager',
2260 2264 )
2261 2265 ui.setconfig(
2262 2266 b'ui',
2263 2267 b'interactive',
2264 2268 self.ui.config(b'ui', b'interactive'),
2265 2269 b'mqpager',
2266 2270 )
2267 2271 if create or os.path.isdir(self.join(b".hg")):
2268 2272 return hg.repository(ui, path=self.path, create=create)
2269 2273
2270 2274 def restore(self, repo, rev, delete=None, qupdate=None):
2271 2275 desc = repo[rev].description().strip()
2272 2276 lines = desc.splitlines()
2273 2277 datastart = None
2274 2278 series = []
2275 2279 applied = []
2276 2280 qpp = None
2277 2281 for i, line in enumerate(lines):
2278 2282 if line == b'Patch Data:':
2279 2283 datastart = i + 1
2280 2284 elif line.startswith(b'Dirstate:'):
2281 2285 l = line.rstrip()
2282 2286 l = l[10:].split(b' ')
2283 2287 qpp = [bin(x) for x in l]
2284 2288 elif datastart is not None:
2285 2289 l = line.rstrip()
2286 2290 n, name = l.split(b':', 1)
2287 2291 if n:
2288 2292 applied.append(statusentry(bin(n), name))
2289 2293 else:
2290 2294 series.append(l)
2291 2295 if datastart is None:
2292 2296 self.ui.warn(_(b"no saved patch data found\n"))
2293 2297 return 1
2294 2298 self.ui.warn(_(b"restoring status: %s\n") % lines[0])
2295 2299 self.fullseries = series
2296 2300 self.applied = applied
2297 2301 self.parseseries()
2298 2302 self.seriesdirty = True
2299 2303 self.applieddirty = True
2300 2304 heads = repo.changelog.heads()
2301 2305 if delete:
2302 2306 if rev not in heads:
2303 2307 self.ui.warn(_(b"save entry has children, leaving it alone\n"))
2304 2308 else:
2305 2309 self.ui.warn(_(b"removing save entry %s\n") % short(rev))
2306 2310 pp = repo.dirstate.parents()
2307 2311 if rev in pp:
2308 2312 update = True
2309 2313 else:
2310 2314 update = False
2311 2315 strip(self.ui, repo, [rev], update=update, backup=False)
2312 2316 if qpp:
2313 2317 self.ui.warn(
2314 2318 _(b"saved queue repository parents: %s %s\n")
2315 2319 % (short(qpp[0]), short(qpp[1]))
2316 2320 )
2317 2321 if qupdate:
2318 2322 self.ui.status(_(b"updating queue directory\n"))
2319 2323 r = self.qrepo()
2320 2324 if not r:
2321 2325 self.ui.warn(_(b"unable to load queue repository\n"))
2322 2326 return 1
2323 2327 hg.clean(r, qpp[0])
2324 2328
2325 2329 def save(self, repo, msg=None):
2326 2330 if not self.applied:
2327 2331 self.ui.warn(_(b"save: no patches applied, exiting\n"))
2328 2332 return 1
2329 2333 if self.issaveline(self.applied[-1]):
2330 2334 self.ui.warn(_(b"status is already saved\n"))
2331 2335 return 1
2332 2336
2333 2337 if not msg:
2334 2338 msg = _(b"hg patches saved state")
2335 2339 else:
2336 2340 msg = b"hg patches: " + msg.rstrip(b'\r\n')
2337 2341 r = self.qrepo()
2338 2342 if r:
2339 2343 pp = r.dirstate.parents()
2340 2344 msg += b"\nDirstate: %s %s" % (hex(pp[0]), hex(pp[1]))
2341 2345 msg += b"\n\nPatch Data:\n"
2342 2346 msg += b''.join(b'%s\n' % x for x in self.applied)
2343 2347 msg += b''.join(b':%s\n' % x for x in self.fullseries)
2344 2348 n = repo.commit(msg, force=True)
2345 2349 if not n:
2346 2350 self.ui.warn(_(b"repo commit failed\n"))
2347 2351 return 1
2348 2352 self.applied.append(statusentry(n, b'.hg.patches.save.line'))
2349 2353 self.applieddirty = True
2350 2354 self.removeundo(repo)
2351 2355
2352 2356 def fullseriesend(self):
2353 2357 if self.applied:
2354 2358 p = self.applied[-1].name
2355 2359 end = self.findseries(p)
2356 2360 if end is None:
2357 2361 return len(self.fullseries)
2358 2362 return end + 1
2359 2363 return 0
2360 2364
2361 2365 def seriesend(self, all_patches=False):
2362 2366 """If all_patches is False, return the index of the next pushable patch
2363 2367 in the series, or the series length. If all_patches is True, return the
2364 2368 index of the first patch past the last applied one.
2365 2369 """
2366 2370 end = 0
2367 2371
2368 2372 def nextpatch(start):
2369 2373 if all_patches or start >= len(self.series):
2370 2374 return start
2371 2375 for i in pycompat.xrange(start, len(self.series)):
2372 2376 p, reason = self.pushable(i)
2373 2377 if p:
2374 2378 return i
2375 2379 self.explainpushable(i)
2376 2380 return len(self.series)
2377 2381
2378 2382 if self.applied:
2379 2383 p = self.applied[-1].name
2380 2384 try:
2381 2385 end = self.series.index(p)
2382 2386 except ValueError:
2383 2387 return 0
2384 2388 return nextpatch(end + 1)
2385 2389 return nextpatch(end)
2386 2390
2387 2391 def appliedname(self, index):
2388 2392 pname = self.applied[index].name
2389 2393 if not self.ui.verbose:
2390 2394 p = pname
2391 2395 else:
2392 2396 p = (b"%d" % self.series.index(pname)) + b" " + pname
2393 2397 return p
2394 2398
2395 2399 def qimport(
2396 2400 self,
2397 2401 repo,
2398 2402 files,
2399 2403 patchname=None,
2400 2404 rev=None,
2401 2405 existing=None,
2402 2406 force=None,
2403 2407 git=False,
2404 2408 ):
2405 2409 def checkseries(patchname):
2406 2410 if patchname in self.series:
2407 2411 raise error.Abort(
2408 2412 _(b'patch %s is already in the series file') % patchname
2409 2413 )
2410 2414
2411 2415 if rev:
2412 2416 if files:
2413 2417 raise error.Abort(
2414 2418 _(b'option "-r" not valid when importing files')
2415 2419 )
2416 2420 rev = scmutil.revrange(repo, rev)
2417 2421 rev.sort(reverse=True)
2418 2422 elif not files:
2419 2423 raise error.Abort(_(b'no files or revisions specified'))
2420 2424 if (len(files) > 1 or len(rev) > 1) and patchname:
2421 2425 raise error.Abort(
2422 2426 _(b'option "-n" not valid when importing multiple patches')
2423 2427 )
2424 2428 imported = []
2425 2429 if rev:
2426 2430 # If mq patches are applied, we can only import revisions
2427 2431 # that form a linear path to qbase.
2428 2432 # Otherwise, they should form a linear path to a head.
2429 2433 heads = repo.changelog.heads(repo.changelog.node(rev.first()))
2430 2434 if len(heads) > 1:
2431 2435 raise error.Abort(
2432 2436 _(b'revision %d is the root of more than one branch')
2433 2437 % rev.last()
2434 2438 )
2435 2439 if self.applied:
2436 2440 base = repo.changelog.node(rev.first())
2437 2441 if base in [n.node for n in self.applied]:
2438 2442 raise error.Abort(
2439 2443 _(b'revision %d is already managed') % rev.first()
2440 2444 )
2441 2445 if heads != [self.applied[-1].node]:
2442 2446 raise error.Abort(
2443 2447 _(b'revision %d is not the parent of the queue')
2444 2448 % rev.first()
2445 2449 )
2446 2450 base = repo.changelog.rev(self.applied[0].node)
2447 2451 lastparent = repo.changelog.parentrevs(base)[0]
2448 2452 else:
2449 2453 if heads != [repo.changelog.node(rev.first())]:
2450 2454 raise error.Abort(
2451 2455 _(b'revision %d has unmanaged children') % rev.first()
2452 2456 )
2453 2457 lastparent = None
2454 2458
2455 2459 diffopts = self.diffopts({b'git': git})
2456 2460 with repo.transaction(b'qimport') as tr:
2457 2461 for r in rev:
2458 2462 if not repo[r].mutable():
2459 2463 raise error.Abort(
2460 2464 _(b'revision %d is not mutable') % r,
2461 2465 hint=_(b"see 'hg help phases' " b'for details'),
2462 2466 )
2463 2467 p1, p2 = repo.changelog.parentrevs(r)
2464 2468 n = repo.changelog.node(r)
2465 2469 if p2 != nullrev:
2466 2470 raise error.Abort(
2467 2471 _(b'cannot import merge revision %d') % r
2468 2472 )
2469 2473 if lastparent and lastparent != r:
2470 2474 raise error.Abort(
2471 2475 _(b'revision %d is not the parent of %d')
2472 2476 % (r, lastparent)
2473 2477 )
2474 2478 lastparent = p1
2475 2479
2476 2480 if not patchname:
2477 2481 patchname = self.makepatchname(
2478 2482 repo[r].description().split(b'\n', 1)[0],
2479 2483 b'%d.diff' % r,
2480 2484 )
2481 2485 checkseries(patchname)
2482 2486 self.checkpatchname(patchname, force)
2483 2487 self.fullseries.insert(0, patchname)
2484 2488
2485 2489 with self.opener(patchname, b"w") as fp:
2486 2490 cmdutil.exportfile(repo, [n], fp, opts=diffopts)
2487 2491
2488 2492 se = statusentry(n, patchname)
2489 2493 self.applied.insert(0, se)
2490 2494
2491 2495 self.added.append(patchname)
2492 2496 imported.append(patchname)
2493 2497 patchname = None
2494 2498 if rev and repo.ui.configbool(b'mq', b'secret'):
2495 2499 # if we added anything with --rev, move the secret root
2496 2500 phases.retractboundary(repo, tr, phases.secret, [n])
2497 2501 self.parseseries()
2498 2502 self.applieddirty = True
2499 2503 self.seriesdirty = True
2500 2504
2501 2505 for i, filename in enumerate(files):
2502 2506 if existing:
2503 2507 if filename == b'-':
2504 2508 raise error.Abort(
2505 2509 _(b'-e is incompatible with import from -')
2506 2510 )
2507 2511 filename = normname(filename)
2508 2512 self.checkreservedname(filename)
2509 2513 if urlutil.url(filename).islocal():
2510 2514 originpath = self.join(filename)
2511 2515 if not os.path.isfile(originpath):
2512 2516 raise error.Abort(
2513 2517 _(b"patch %s does not exist") % filename
2514 2518 )
2515 2519
2516 2520 if patchname:
2517 2521 self.checkpatchname(patchname, force)
2518 2522
2519 2523 self.ui.write(
2520 2524 _(b'renaming %s to %s\n') % (filename, patchname)
2521 2525 )
2522 2526 util.rename(originpath, self.join(patchname))
2523 2527 else:
2524 2528 patchname = filename
2525 2529
2526 2530 else:
2527 2531 if filename == b'-' and not patchname:
2528 2532 raise error.Abort(
2529 2533 _(b'need --name to import a patch from -')
2530 2534 )
2531 2535 elif not patchname:
2532 2536 patchname = normname(
2533 2537 os.path.basename(filename.rstrip(b'/'))
2534 2538 )
2535 2539 self.checkpatchname(patchname, force)
2536 2540 try:
2537 2541 if filename == b'-':
2538 2542 text = self.ui.fin.read()
2539 2543 else:
2540 2544 fp = hg.openpath(self.ui, filename)
2541 2545 text = fp.read()
2542 2546 fp.close()
2543 2547 except (OSError, IOError):
2544 2548 raise error.Abort(_(b"unable to read file %s") % filename)
2545 2549 patchf = self.opener(patchname, b"w")
2546 2550 patchf.write(text)
2547 2551 patchf.close()
2548 2552 if not force:
2549 2553 checkseries(patchname)
2550 2554 if patchname not in self.series:
2551 2555 index = self.fullseriesend() + i
2552 2556 self.fullseries[index:index] = [patchname]
2553 2557 self.parseseries()
2554 2558 self.seriesdirty = True
2555 2559 self.ui.warn(_(b"adding %s to series file\n") % patchname)
2556 2560 self.added.append(patchname)
2557 2561 imported.append(patchname)
2558 2562 patchname = None
2559 2563
2560 2564 self.removeundo(repo)
2561 2565 return imported
2562 2566
2563 2567
2564 2568 def fixkeepchangesopts(ui, opts):
2565 2569 if (
2566 2570 not ui.configbool(b'mq', b'keepchanges')
2567 2571 or opts.get(b'force')
2568 2572 or opts.get(b'exact')
2569 2573 ):
2570 2574 return opts
2571 2575 opts = dict(opts)
2572 2576 opts[b'keep_changes'] = True
2573 2577 return opts
2574 2578
2575 2579
2576 2580 @command(
2577 2581 b"qdelete|qremove|qrm",
2578 2582 [
2579 2583 (b'k', b'keep', None, _(b'keep patch file')),
2580 2584 (
2581 2585 b'r',
2582 2586 b'rev',
2583 2587 [],
2584 2588 _(b'stop managing a revision (DEPRECATED)'),
2585 2589 _(b'REV'),
2586 2590 ),
2587 2591 ],
2588 2592 _(b'hg qdelete [-k] [PATCH]...'),
2589 2593 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
2590 2594 )
2591 2595 def delete(ui, repo, *patches, **opts):
2592 2596 """remove patches from queue
2593 2597
2594 2598 The patches must not be applied, and at least one patch is required. Exact
2595 2599 patch identifiers must be given. With -k/--keep, the patch files are
2596 2600 preserved in the patch directory.
2597 2601
2598 2602 To stop managing a patch and move it into permanent history,
2599 2603 use the :hg:`qfinish` command."""
2600 2604 q = repo.mq
2601 2605 q.delete(repo, patches, pycompat.byteskwargs(opts))
2602 2606 q.savedirty()
2603 2607 return 0
2604 2608
2605 2609
2606 2610 @command(
2607 2611 b"qapplied",
2608 2612 [(b'1', b'last', None, _(b'show only the preceding applied patch'))]
2609 2613 + seriesopts,
2610 2614 _(b'hg qapplied [-1] [-s] [PATCH]'),
2611 2615 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
2612 2616 )
2613 2617 def applied(ui, repo, patch=None, **opts):
2614 2618 """print the patches already applied
2615 2619
2616 2620 Returns 0 on success."""
2617 2621
2618 2622 q = repo.mq
2619 2623 opts = pycompat.byteskwargs(opts)
2620 2624
2621 2625 if patch:
2622 2626 if patch not in q.series:
2623 2627 raise error.Abort(_(b"patch %s is not in series file") % patch)
2624 2628 end = q.series.index(patch) + 1
2625 2629 else:
2626 2630 end = q.seriesend(True)
2627 2631
2628 2632 if opts.get(b'last') and not end:
2629 2633 ui.write(_(b"no patches applied\n"))
2630 2634 return 1
2631 2635 elif opts.get(b'last') and end == 1:
2632 2636 ui.write(_(b"only one patch applied\n"))
2633 2637 return 1
2634 2638 elif opts.get(b'last'):
2635 2639 start = end - 2
2636 2640 end = 1
2637 2641 else:
2638 2642 start = 0
2639 2643
2640 2644 q.qseries(
2641 2645 repo, length=end, start=start, status=b'A', summary=opts.get(b'summary')
2642 2646 )
2643 2647
2644 2648
2645 2649 @command(
2646 2650 b"qunapplied",
2647 2651 [(b'1', b'first', None, _(b'show only the first patch'))] + seriesopts,
2648 2652 _(b'hg qunapplied [-1] [-s] [PATCH]'),
2649 2653 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
2650 2654 )
2651 2655 def unapplied(ui, repo, patch=None, **opts):
2652 2656 """print the patches not yet applied
2653 2657
2654 2658 Returns 0 on success."""
2655 2659
2656 2660 q = repo.mq
2657 2661 opts = pycompat.byteskwargs(opts)
2658 2662 if patch:
2659 2663 if patch not in q.series:
2660 2664 raise error.Abort(_(b"patch %s is not in series file") % patch)
2661 2665 start = q.series.index(patch) + 1
2662 2666 else:
2663 2667 start = q.seriesend(True)
2664 2668
2665 2669 if start == len(q.series) and opts.get(b'first'):
2666 2670 ui.write(_(b"all patches applied\n"))
2667 2671 return 1
2668 2672
2669 2673 if opts.get(b'first'):
2670 2674 length = 1
2671 2675 else:
2672 2676 length = None
2673 2677 q.qseries(
2674 2678 repo,
2675 2679 start=start,
2676 2680 length=length,
2677 2681 status=b'U',
2678 2682 summary=opts.get(b'summary'),
2679 2683 )
2680 2684
2681 2685
2682 2686 @command(
2683 2687 b"qimport",
2684 2688 [
2685 2689 (b'e', b'existing', None, _(b'import file in patch directory')),
2686 2690 (b'n', b'name', b'', _(b'name of patch file'), _(b'NAME')),
2687 2691 (b'f', b'force', None, _(b'overwrite existing files')),
2688 2692 (
2689 2693 b'r',
2690 2694 b'rev',
2691 2695 [],
2692 2696 _(b'place existing revisions under mq control'),
2693 2697 _(b'REV'),
2694 2698 ),
2695 2699 (b'g', b'git', None, _(b'use git extended diff format')),
2696 2700 (b'P', b'push', None, _(b'qpush after importing')),
2697 2701 ],
2698 2702 _(b'hg qimport [-e] [-n NAME] [-f] [-g] [-P] [-r REV]... [FILE]...'),
2699 2703 helpcategory=command.CATEGORY_IMPORT_EXPORT,
2700 2704 )
2701 2705 def qimport(ui, repo, *filename, **opts):
2702 2706 """import a patch or existing changeset
2703 2707
2704 2708 The patch is inserted into the series after the last applied
2705 2709 patch. If no patches have been applied, qimport prepends the patch
2706 2710 to the series.
2707 2711
2708 2712 The patch will have the same name as its source file unless you
2709 2713 give it a new one with -n/--name.
2710 2714
2711 2715 You can register an existing patch inside the patch directory with
2712 2716 the -e/--existing flag.
2713 2717
2714 2718 With -f/--force, an existing patch of the same name will be
2715 2719 overwritten.
2716 2720
2717 2721 An existing changeset may be placed under mq control with -r/--rev
2718 2722 (e.g. qimport --rev . -n patch will place the current revision
2719 2723 under mq control). With -g/--git, patches imported with --rev will
2720 2724 use the git diff format. See the diffs help topic for information
2721 2725 on why this is important for preserving rename/copy information
2722 2726 and permission changes. Use :hg:`qfinish` to remove changesets
2723 2727 from mq control.
2724 2728
2725 2729 To import a patch from standard input, pass - as the patch file.
2726 2730 When importing from standard input, a patch name must be specified
2727 2731 using the --name flag.
2728 2732
2729 2733 To import an existing patch while renaming it::
2730 2734
2731 2735 hg qimport -e existing-patch -n new-name
2732 2736
2733 2737 Returns 0 if import succeeded.
2734 2738 """
2735 2739 opts = pycompat.byteskwargs(opts)
2736 2740 with repo.lock(): # cause this may move phase
2737 2741 q = repo.mq
2738 2742 try:
2739 2743 imported = q.qimport(
2740 2744 repo,
2741 2745 filename,
2742 2746 patchname=opts.get(b'name'),
2743 2747 existing=opts.get(b'existing'),
2744 2748 force=opts.get(b'force'),
2745 2749 rev=opts.get(b'rev'),
2746 2750 git=opts.get(b'git'),
2747 2751 )
2748 2752 finally:
2749 2753 q.savedirty()
2750 2754
2751 2755 if imported and opts.get(b'push') and not opts.get(b'rev'):
2752 2756 return q.push(repo, imported[-1])
2753 2757 return 0
2754 2758
2755 2759
2756 2760 def qinit(ui, repo, create):
2757 2761 """initialize a new queue repository
2758 2762
2759 2763 This command also creates a series file for ordering patches, and
2760 2764 an mq-specific .hgignore file in the queue repository, to exclude
2761 2765 the status and guards files (these contain mostly transient state).
2762 2766
2763 2767 Returns 0 if initialization succeeded."""
2764 2768 q = repo.mq
2765 2769 r = q.init(repo, create)
2766 2770 q.savedirty()
2767 2771 if r:
2768 2772 if not os.path.exists(r.wjoin(b'.hgignore')):
2769 2773 fp = r.wvfs(b'.hgignore', b'w')
2770 2774 fp.write(b'^\\.hg\n')
2771 2775 fp.write(b'^\\.mq\n')
2772 2776 fp.write(b'syntax: glob\n')
2773 2777 fp.write(b'status\n')
2774 2778 fp.write(b'guards\n')
2775 2779 fp.close()
2776 2780 if not os.path.exists(r.wjoin(b'series')):
2777 2781 r.wvfs(b'series', b'w').close()
2778 2782 r[None].add([b'.hgignore', b'series'])
2779 2783 commands.add(ui, r)
2780 2784 return 0
2781 2785
2782 2786
2783 2787 @command(
2784 2788 b"qinit",
2785 2789 [(b'c', b'create-repo', None, _(b'create queue repository'))],
2786 2790 _(b'hg qinit [-c]'),
2787 2791 helpcategory=command.CATEGORY_REPO_CREATION,
2788 2792 helpbasic=True,
2789 2793 )
2790 2794 def init(ui, repo, **opts):
2791 2795 """init a new queue repository (DEPRECATED)
2792 2796
2793 2797 The queue repository is unversioned by default. If
2794 2798 -c/--create-repo is specified, qinit will create a separate nested
2795 2799 repository for patches (qinit -c may also be run later to convert
2796 2800 an unversioned patch repository into a versioned one). You can use
2797 2801 qcommit to commit changes to this queue repository.
2798 2802
2799 2803 This command is deprecated. Without -c, it's implied by other relevant
2800 2804 commands. With -c, use :hg:`init --mq` instead."""
2801 2805 return qinit(ui, repo, create=opts.get('create_repo'))
2802 2806
2803 2807
2804 2808 @command(
2805 2809 b"qclone",
2806 2810 [
2807 2811 (b'', b'pull', None, _(b'use pull protocol to copy metadata')),
2808 2812 (
2809 2813 b'U',
2810 2814 b'noupdate',
2811 2815 None,
2812 2816 _(b'do not update the new working directories'),
2813 2817 ),
2814 2818 (
2815 2819 b'',
2816 2820 b'uncompressed',
2817 2821 None,
2818 2822 _(b'use uncompressed transfer (fast over LAN)'),
2819 2823 ),
2820 2824 (
2821 2825 b'p',
2822 2826 b'patches',
2823 2827 b'',
2824 2828 _(b'location of source patch repository'),
2825 2829 _(b'REPO'),
2826 2830 ),
2827 2831 ]
2828 2832 + cmdutil.remoteopts,
2829 2833 _(b'hg qclone [OPTION]... SOURCE [DEST]'),
2830 2834 helpcategory=command.CATEGORY_REPO_CREATION,
2831 2835 norepo=True,
2832 2836 )
2833 2837 def clone(ui, source, dest=None, **opts):
2834 2838 """clone main and patch repository at same time
2835 2839
2836 2840 If source is local, destination will have no patches applied. If
2837 2841 source is remote, this command can not check if patches are
2838 2842 applied in source, so cannot guarantee that patches are not
2839 2843 applied in destination. If you clone remote repository, be sure
2840 2844 before that it has no patches applied.
2841 2845
2842 2846 Source patch repository is looked for in <src>/.hg/patches by
2843 2847 default. Use -p <url> to change.
2844 2848
2845 2849 The patch directory must be a nested Mercurial repository, as
2846 2850 would be created by :hg:`init --mq`.
2847 2851
2848 2852 Return 0 on success.
2849 2853 """
2850 2854 opts = pycompat.byteskwargs(opts)
2851 2855
2852 2856 def patchdir(repo):
2853 2857 """compute a patch repo url from a repo object"""
2854 2858 url = repo.url()
2855 2859 if url.endswith(b'/'):
2856 2860 url = url[:-1]
2857 2861 return url + b'/.hg/patches'
2858 2862
2859 2863 # main repo (destination and sources)
2860 2864 if dest is None:
2861 2865 dest = hg.defaultdest(source)
2862 2866 __, source_path, __ = urlutil.get_clone_path(ui, source)
2863 2867 sr = hg.peer(ui, opts, source_path)
2864 2868
2865 2869 # patches repo (source only)
2866 2870 if opts.get(b'patches'):
2867 2871 __, patchespath, __ = urlutil.get_clone_path(ui, opts.get(b'patches'))
2868 2872 else:
2869 2873 patchespath = patchdir(sr)
2870 2874 try:
2871 2875 hg.peer(ui, opts, patchespath)
2872 2876 except error.RepoError:
2873 2877 raise error.Abort(
2874 2878 _(b'versioned patch repository not found (see init --mq)')
2875 2879 )
2876 2880 qbase, destrev = None, None
2877 2881 if sr.local():
2878 2882 repo = sr.local()
2879 2883 if repo.mq.applied and repo[qbase].phase() != phases.secret:
2880 2884 qbase = repo.mq.applied[0].node
2881 2885 if not hg.islocal(dest):
2882 2886 heads = set(repo.heads())
2883 2887 destrev = list(heads.difference(repo.heads(qbase)))
2884 2888 destrev.append(repo.changelog.parents(qbase)[0])
2885 2889 elif sr.capable(b'lookup'):
2886 2890 try:
2887 2891 qbase = sr.lookup(b'qbase')
2888 2892 except error.RepoError:
2889 2893 pass
2890 2894
2891 2895 ui.note(_(b'cloning main repository\n'))
2892 2896 sr, dr = hg.clone(
2893 2897 ui,
2894 2898 opts,
2895 2899 sr.url(),
2896 2900 dest,
2897 2901 pull=opts.get(b'pull'),
2898 2902 revs=destrev,
2899 2903 update=False,
2900 2904 stream=opts.get(b'uncompressed'),
2901 2905 )
2902 2906
2903 2907 ui.note(_(b'cloning patch repository\n'))
2904 2908 hg.clone(
2905 2909 ui,
2906 2910 opts,
2907 2911 opts.get(b'patches') or patchdir(sr),
2908 2912 patchdir(dr),
2909 2913 pull=opts.get(b'pull'),
2910 2914 update=not opts.get(b'noupdate'),
2911 2915 stream=opts.get(b'uncompressed'),
2912 2916 )
2913 2917
2914 2918 if dr.local():
2915 2919 repo = dr.local()
2916 2920 if qbase:
2917 2921 ui.note(
2918 2922 _(
2919 2923 b'stripping applied patches from destination '
2920 2924 b'repository\n'
2921 2925 )
2922 2926 )
2923 2927 strip(ui, repo, [qbase], update=False, backup=None)
2924 2928 if not opts.get(b'noupdate'):
2925 2929 ui.note(_(b'updating destination repository\n'))
2926 2930 hg.update(repo, repo.changelog.tip())
2927 2931
2928 2932
2929 2933 @command(
2930 2934 b"qcommit|qci",
2931 2935 commands.table[b"commit|ci"][1],
2932 2936 _(b'hg qcommit [OPTION]... [FILE]...'),
2933 2937 helpcategory=command.CATEGORY_COMMITTING,
2934 2938 inferrepo=True,
2935 2939 )
2936 2940 def commit(ui, repo, *pats, **opts):
2937 2941 """commit changes in the queue repository (DEPRECATED)
2938 2942
2939 2943 This command is deprecated; use :hg:`commit --mq` instead."""
2940 2944 q = repo.mq
2941 2945 r = q.qrepo()
2942 2946 if not r:
2943 2947 raise error.Abort(b'no queue repository')
2944 2948 commands.commit(r.ui, r, *pats, **opts)
2945 2949
2946 2950
2947 2951 @command(
2948 2952 b"qseries",
2949 2953 [
2950 2954 (b'm', b'missing', None, _(b'print patches not in series')),
2951 2955 ]
2952 2956 + seriesopts,
2953 2957 _(b'hg qseries [-ms]'),
2954 2958 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
2955 2959 )
2956 2960 def series(ui, repo, **opts):
2957 2961 """print the entire series file
2958 2962
2959 2963 Returns 0 on success."""
2960 2964 repo.mq.qseries(
2961 2965 repo, missing=opts.get('missing'), summary=opts.get('summary')
2962 2966 )
2963 2967 return 0
2964 2968
2965 2969
2966 2970 @command(
2967 2971 b"qtop",
2968 2972 seriesopts,
2969 2973 _(b'hg qtop [-s]'),
2970 2974 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
2971 2975 )
2972 2976 def top(ui, repo, **opts):
2973 2977 """print the name of the current patch
2974 2978
2975 2979 Returns 0 on success."""
2976 2980 q = repo.mq
2977 2981 if q.applied:
2978 2982 t = q.seriesend(True)
2979 2983 else:
2980 2984 t = 0
2981 2985
2982 2986 if t:
2983 2987 q.qseries(
2984 2988 repo,
2985 2989 start=t - 1,
2986 2990 length=1,
2987 2991 status=b'A',
2988 2992 summary=opts.get('summary'),
2989 2993 )
2990 2994 else:
2991 2995 ui.write(_(b"no patches applied\n"))
2992 2996 return 1
2993 2997
2994 2998
2995 2999 @command(
2996 3000 b"qnext",
2997 3001 seriesopts,
2998 3002 _(b'hg qnext [-s]'),
2999 3003 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3000 3004 )
3001 3005 def next(ui, repo, **opts):
3002 3006 """print the name of the next pushable patch
3003 3007
3004 3008 Returns 0 on success."""
3005 3009 q = repo.mq
3006 3010 end = q.seriesend()
3007 3011 if end == len(q.series):
3008 3012 ui.write(_(b"all patches applied\n"))
3009 3013 return 1
3010 3014 q.qseries(repo, start=end, length=1, summary=opts.get('summary'))
3011 3015
3012 3016
3013 3017 @command(
3014 3018 b"qprev",
3015 3019 seriesopts,
3016 3020 _(b'hg qprev [-s]'),
3017 3021 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3018 3022 )
3019 3023 def prev(ui, repo, **opts):
3020 3024 """print the name of the preceding applied patch
3021 3025
3022 3026 Returns 0 on success."""
3023 3027 q = repo.mq
3024 3028 l = len(q.applied)
3025 3029 if l == 1:
3026 3030 ui.write(_(b"only one patch applied\n"))
3027 3031 return 1
3028 3032 if not l:
3029 3033 ui.write(_(b"no patches applied\n"))
3030 3034 return 1
3031 3035 idx = q.series.index(q.applied[-2].name)
3032 3036 q.qseries(
3033 3037 repo, start=idx, length=1, status=b'A', summary=opts.get('summary')
3034 3038 )
3035 3039
3036 3040
3037 3041 def setupheaderopts(ui, opts):
3038 3042 if not opts.get(b'user') and opts.get(b'currentuser'):
3039 3043 opts[b'user'] = ui.username()
3040 3044 if not opts.get(b'date') and opts.get(b'currentdate'):
3041 3045 opts[b'date'] = b"%d %d" % dateutil.makedate()
3042 3046
3043 3047
3044 3048 @command(
3045 3049 b"qnew",
3046 3050 [
3047 3051 (b'e', b'edit', None, _(b'invoke editor on commit messages')),
3048 3052 (b'f', b'force', None, _(b'import uncommitted changes (DEPRECATED)')),
3049 3053 (b'g', b'git', None, _(b'use git extended diff format')),
3050 3054 (b'U', b'currentuser', None, _(b'add "From: <current user>" to patch')),
3051 3055 (b'u', b'user', b'', _(b'add "From: <USER>" to patch'), _(b'USER')),
3052 3056 (b'D', b'currentdate', None, _(b'add "Date: <current date>" to patch')),
3053 3057 (b'd', b'date', b'', _(b'add "Date: <DATE>" to patch'), _(b'DATE')),
3054 3058 ]
3055 3059 + cmdutil.walkopts
3056 3060 + cmdutil.commitopts,
3057 3061 _(b'hg qnew [-e] [-m TEXT] [-l FILE] PATCH [FILE]...'),
3058 3062 helpcategory=command.CATEGORY_COMMITTING,
3059 3063 helpbasic=True,
3060 3064 inferrepo=True,
3061 3065 )
3062 3066 def new(ui, repo, patch, *args, **opts):
3063 3067 """create a new patch
3064 3068
3065 3069 qnew creates a new patch on top of the currently-applied patch (if
3066 3070 any). The patch will be initialized with any outstanding changes
3067 3071 in the working directory. You may also use -I/--include,
3068 3072 -X/--exclude, and/or a list of files after the patch name to add
3069 3073 only changes to matching files to the new patch, leaving the rest
3070 3074 as uncommitted modifications.
3071 3075
3072 3076 -u/--user and -d/--date can be used to set the (given) user and
3073 3077 date, respectively. -U/--currentuser and -D/--currentdate set user
3074 3078 to current user and date to current date.
3075 3079
3076 3080 -e/--edit, -m/--message or -l/--logfile set the patch header as
3077 3081 well as the commit message. If none is specified, the header is
3078 3082 empty and the commit message is '[mq]: PATCH'.
3079 3083
3080 3084 Use the -g/--git option to keep the patch in the git extended diff
3081 3085 format. Read the diffs help topic for more information on why this
3082 3086 is important for preserving permission changes and copy/rename
3083 3087 information.
3084 3088
3085 3089 Returns 0 on successful creation of a new patch.
3086 3090 """
3087 3091 opts = pycompat.byteskwargs(opts)
3088 3092 msg = cmdutil.logmessage(ui, opts)
3089 3093 q = repo.mq
3090 3094 opts[b'msg'] = msg
3091 3095 setupheaderopts(ui, opts)
3092 3096 q.new(repo, patch, *args, **pycompat.strkwargs(opts))
3093 3097 q.savedirty()
3094 3098 return 0
3095 3099
3096 3100
3097 3101 @command(
3098 3102 b"qrefresh",
3099 3103 [
3100 3104 (b'e', b'edit', None, _(b'invoke editor on commit messages')),
3101 3105 (b'g', b'git', None, _(b'use git extended diff format')),
3102 3106 (
3103 3107 b's',
3104 3108 b'short',
3105 3109 None,
3106 3110 _(b'refresh only files already in the patch and specified files'),
3107 3111 ),
3108 3112 (
3109 3113 b'U',
3110 3114 b'currentuser',
3111 3115 None,
3112 3116 _(b'add/update author field in patch with current user'),
3113 3117 ),
3114 3118 (
3115 3119 b'u',
3116 3120 b'user',
3117 3121 b'',
3118 3122 _(b'add/update author field in patch with given user'),
3119 3123 _(b'USER'),
3120 3124 ),
3121 3125 (
3122 3126 b'D',
3123 3127 b'currentdate',
3124 3128 None,
3125 3129 _(b'add/update date field in patch with current date'),
3126 3130 ),
3127 3131 (
3128 3132 b'd',
3129 3133 b'date',
3130 3134 b'',
3131 3135 _(b'add/update date field in patch with given date'),
3132 3136 _(b'DATE'),
3133 3137 ),
3134 3138 ]
3135 3139 + cmdutil.walkopts
3136 3140 + cmdutil.commitopts,
3137 3141 _(b'hg qrefresh [-I] [-X] [-e] [-m TEXT] [-l FILE] [-s] [FILE]...'),
3138 3142 helpcategory=command.CATEGORY_COMMITTING,
3139 3143 helpbasic=True,
3140 3144 inferrepo=True,
3141 3145 )
3142 3146 def refresh(ui, repo, *pats, **opts):
3143 3147 """update the current patch
3144 3148
3145 3149 If any file patterns are provided, the refreshed patch will
3146 3150 contain only the modifications that match those patterns; the
3147 3151 remaining modifications will remain in the working directory.
3148 3152
3149 3153 If -s/--short is specified, files currently included in the patch
3150 3154 will be refreshed just like matched files and remain in the patch.
3151 3155
3152 3156 If -e/--edit is specified, Mercurial will start your configured editor for
3153 3157 you to enter a message. In case qrefresh fails, you will find a backup of
3154 3158 your message in ``.hg/last-message.txt``.
3155 3159
3156 3160 hg add/remove/copy/rename work as usual, though you might want to
3157 3161 use git-style patches (-g/--git or [diff] git=1) to track copies
3158 3162 and renames. See the diffs help topic for more information on the
3159 3163 git diff format.
3160 3164
3161 3165 Returns 0 on success.
3162 3166 """
3163 3167 opts = pycompat.byteskwargs(opts)
3164 3168 q = repo.mq
3165 3169 message = cmdutil.logmessage(ui, opts)
3166 3170 setupheaderopts(ui, opts)
3167 3171 with repo.wlock():
3168 3172 ret = q.refresh(repo, pats, msg=message, **pycompat.strkwargs(opts))
3169 3173 q.savedirty()
3170 3174 return ret
3171 3175
3172 3176
3173 3177 @command(
3174 3178 b"qdiff",
3175 3179 cmdutil.diffopts + cmdutil.diffopts2 + cmdutil.walkopts,
3176 3180 _(b'hg qdiff [OPTION]... [FILE]...'),
3177 3181 helpcategory=command.CATEGORY_FILE_CONTENTS,
3178 3182 helpbasic=True,
3179 3183 inferrepo=True,
3180 3184 )
3181 3185 def diff(ui, repo, *pats, **opts):
3182 3186 """diff of the current patch and subsequent modifications
3183 3187
3184 3188 Shows a diff which includes the current patch as well as any
3185 3189 changes which have been made in the working directory since the
3186 3190 last refresh (thus showing what the current patch would become
3187 3191 after a qrefresh).
3188 3192
3189 3193 Use :hg:`diff` if you only want to see the changes made since the
3190 3194 last qrefresh, or :hg:`export qtip` if you want to see changes
3191 3195 made by the current patch without including changes made since the
3192 3196 qrefresh.
3193 3197
3194 3198 Returns 0 on success.
3195 3199 """
3196 3200 ui.pager(b'qdiff')
3197 3201 repo.mq.diff(repo, pats, pycompat.byteskwargs(opts))
3198 3202 return 0
3199 3203
3200 3204
3201 3205 @command(
3202 3206 b'qfold',
3203 3207 [
3204 3208 (b'e', b'edit', None, _(b'invoke editor on commit messages')),
3205 3209 (b'k', b'keep', None, _(b'keep folded patch files')),
3206 3210 ]
3207 3211 + cmdutil.commitopts,
3208 3212 _(b'hg qfold [-e] [-k] [-m TEXT] [-l FILE] PATCH...'),
3209 3213 helpcategory=command.CATEGORY_CHANGE_MANAGEMENT,
3210 3214 )
3211 3215 def fold(ui, repo, *files, **opts):
3212 3216 """fold the named patches into the current patch
3213 3217
3214 3218 Patches must not yet be applied. Each patch will be successively
3215 3219 applied to the current patch in the order given. If all the
3216 3220 patches apply successfully, the current patch will be refreshed
3217 3221 with the new cumulative patch, and the folded patches will be
3218 3222 deleted. With -k/--keep, the folded patch files will not be
3219 3223 removed afterwards.
3220 3224
3221 3225 The header for each folded patch will be concatenated with the
3222 3226 current patch header, separated by a line of ``* * *``.
3223 3227
3224 3228 Returns 0 on success."""
3225 3229 opts = pycompat.byteskwargs(opts)
3226 3230 q = repo.mq
3227 3231 if not files:
3228 3232 raise error.Abort(_(b'qfold requires at least one patch name'))
3229 3233 if not q.checktoppatch(repo)[0]:
3230 3234 raise error.Abort(_(b'no patches applied'))
3231 3235 q.checklocalchanges(repo)
3232 3236
3233 3237 message = cmdutil.logmessage(ui, opts)
3234 3238
3235 3239 parent = q.lookup(b'qtip')
3236 3240 patches = []
3237 3241 messages = []
3238 3242 for f in files:
3239 3243 p = q.lookup(f)
3240 3244 if p in patches or p == parent:
3241 3245 ui.warn(_(b'skipping already folded patch %s\n') % p)
3242 3246 if q.isapplied(p):
3243 3247 raise error.Abort(
3244 3248 _(b'qfold cannot fold already applied patch %s') % p
3245 3249 )
3246 3250 patches.append(p)
3247 3251
3248 3252 for p in patches:
3249 3253 if not message:
3250 3254 ph = patchheader(q.join(p), q.plainmode)
3251 3255 if ph.message:
3252 3256 messages.append(ph.message)
3253 3257 pf = q.join(p)
3254 3258 (patchsuccess, files, fuzz) = q.patch(repo, pf)
3255 3259 if not patchsuccess:
3256 3260 raise error.Abort(_(b'error folding patch %s') % p)
3257 3261
3258 3262 if not message:
3259 3263 ph = patchheader(q.join(parent), q.plainmode)
3260 3264 message = ph.message
3261 3265 for msg in messages:
3262 3266 if msg:
3263 3267 if message:
3264 3268 message.append(b'* * *')
3265 3269 message.extend(msg)
3266 3270 message = b'\n'.join(message)
3267 3271
3268 3272 diffopts = q.patchopts(q.diffopts(), *patches)
3269 3273 with repo.wlock():
3270 3274 q.refresh(
3271 3275 repo,
3272 3276 msg=message,
3273 3277 git=diffopts.git,
3274 3278 edit=opts.get(b'edit'),
3275 3279 editform=b'mq.qfold',
3276 3280 )
3277 3281 q.delete(repo, patches, opts)
3278 3282 q.savedirty()
3279 3283
3280 3284
3281 3285 @command(
3282 3286 b"qgoto",
3283 3287 [
3284 3288 (
3285 3289 b'',
3286 3290 b'keep-changes',
3287 3291 None,
3288 3292 _(b'tolerate non-conflicting local changes'),
3289 3293 ),
3290 3294 (b'f', b'force', None, _(b'overwrite any local changes')),
3291 3295 (b'', b'no-backup', None, _(b'do not save backup copies of files')),
3292 3296 ],
3293 3297 _(b'hg qgoto [OPTION]... PATCH'),
3294 3298 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3295 3299 )
3296 3300 def goto(ui, repo, patch, **opts):
3297 3301 """push or pop patches until named patch is at top of stack
3298 3302
3299 3303 Returns 0 on success."""
3300 3304 opts = pycompat.byteskwargs(opts)
3301 3305 opts = fixkeepchangesopts(ui, opts)
3302 3306 q = repo.mq
3303 3307 patch = q.lookup(patch)
3304 3308 nobackup = opts.get(b'no_backup')
3305 3309 keepchanges = opts.get(b'keep_changes')
3306 3310 if q.isapplied(patch):
3307 3311 ret = q.pop(
3308 3312 repo,
3309 3313 patch,
3310 3314 force=opts.get(b'force'),
3311 3315 nobackup=nobackup,
3312 3316 keepchanges=keepchanges,
3313 3317 )
3314 3318 else:
3315 3319 ret = q.push(
3316 3320 repo,
3317 3321 patch,
3318 3322 force=opts.get(b'force'),
3319 3323 nobackup=nobackup,
3320 3324 keepchanges=keepchanges,
3321 3325 )
3322 3326 q.savedirty()
3323 3327 return ret
3324 3328
3325 3329
3326 3330 @command(
3327 3331 b"qguard",
3328 3332 [
3329 3333 (b'l', b'list', None, _(b'list all patches and guards')),
3330 3334 (b'n', b'none', None, _(b'drop all guards')),
3331 3335 ],
3332 3336 _(b'hg qguard [-l] [-n] [PATCH] [-- [+GUARD]... [-GUARD]...]'),
3333 3337 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3334 3338 )
3335 3339 def guard(ui, repo, *args, **opts):
3336 3340 """set or print guards for a patch
3337 3341
3338 3342 Guards control whether a patch can be pushed. A patch with no
3339 3343 guards is always pushed. A patch with a positive guard ("+foo") is
3340 3344 pushed only if the :hg:`qselect` command has activated it. A patch with
3341 3345 a negative guard ("-foo") is never pushed if the :hg:`qselect` command
3342 3346 has activated it.
3343 3347
3344 3348 With no arguments, print the currently active guards.
3345 3349 With arguments, set guards for the named patch.
3346 3350
3347 3351 .. note::
3348 3352
3349 3353 Specifying negative guards now requires '--'.
3350 3354
3351 3355 To set guards on another patch::
3352 3356
3353 3357 hg qguard other.patch -- +2.6.17 -stable
3354 3358
3355 3359 Returns 0 on success.
3356 3360 """
3357 3361
3358 3362 def status(idx):
3359 3363 guards = q.seriesguards[idx] or [b'unguarded']
3360 3364 if q.series[idx] in applied:
3361 3365 state = b'applied'
3362 3366 elif q.pushable(idx)[0]:
3363 3367 state = b'unapplied'
3364 3368 else:
3365 3369 state = b'guarded'
3366 3370 label = b'qguard.patch qguard.%s qseries.%s' % (state, state)
3367 3371 ui.write(b'%s: ' % ui.label(q.series[idx], label))
3368 3372
3369 3373 for i, guard in enumerate(guards):
3370 3374 if guard.startswith(b'+'):
3371 3375 ui.write(guard, label=b'qguard.positive')
3372 3376 elif guard.startswith(b'-'):
3373 3377 ui.write(guard, label=b'qguard.negative')
3374 3378 else:
3375 3379 ui.write(guard, label=b'qguard.unguarded')
3376 3380 if i != len(guards) - 1:
3377 3381 ui.write(b' ')
3378 3382 ui.write(b'\n')
3379 3383
3380 3384 q = repo.mq
3381 3385 applied = {p.name for p in q.applied}
3382 3386 patch = None
3383 3387 args = list(args)
3384 3388 if opts.get('list'):
3385 3389 if args or opts.get('none'):
3386 3390 raise error.Abort(
3387 3391 _(b'cannot mix -l/--list with options or arguments')
3388 3392 )
3389 3393 for i in pycompat.xrange(len(q.series)):
3390 3394 status(i)
3391 3395 return
3392 3396 if not args or args[0][0:1] in b'-+':
3393 3397 if not q.applied:
3394 3398 raise error.Abort(_(b'no patches applied'))
3395 3399 patch = q.applied[-1].name
3396 3400 if patch is None and args[0][0:1] not in b'-+':
3397 3401 patch = args.pop(0)
3398 3402 if patch is None:
3399 3403 raise error.Abort(_(b'no patch to work with'))
3400 3404 if args or opts.get('none'):
3401 3405 idx = q.findseries(patch)
3402 3406 if idx is None:
3403 3407 raise error.Abort(_(b'no patch named %s') % patch)
3404 3408 q.setguards(idx, args)
3405 3409 q.savedirty()
3406 3410 else:
3407 3411 status(q.series.index(q.lookup(patch)))
3408 3412
3409 3413
3410 3414 @command(
3411 3415 b"qheader",
3412 3416 [],
3413 3417 _(b'hg qheader [PATCH]'),
3414 3418 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3415 3419 )
3416 3420 def header(ui, repo, patch=None):
3417 3421 """print the header of the topmost or specified patch
3418 3422
3419 3423 Returns 0 on success."""
3420 3424 q = repo.mq
3421 3425
3422 3426 if patch:
3423 3427 patch = q.lookup(patch)
3424 3428 else:
3425 3429 if not q.applied:
3426 3430 ui.write(_(b'no patches applied\n'))
3427 3431 return 1
3428 3432 patch = q.lookup(b'qtip')
3429 3433 ph = patchheader(q.join(patch), q.plainmode)
3430 3434
3431 3435 ui.write(b'\n'.join(ph.message) + b'\n')
3432 3436
3433 3437
3434 3438 def lastsavename(path):
3435 3439 (directory, base) = os.path.split(path)
3436 3440 names = os.listdir(directory)
3437 3441 namere = re.compile(b"%s.([0-9]+)" % base)
3438 3442 maxindex = None
3439 3443 maxname = None
3440 3444 for f in names:
3441 3445 m = namere.match(f)
3442 3446 if m:
3443 3447 index = int(m.group(1))
3444 3448 if maxindex is None or index > maxindex:
3445 3449 maxindex = index
3446 3450 maxname = f
3447 3451 if maxname:
3448 3452 return (os.path.join(directory, maxname), maxindex)
3449 3453 return (None, None)
3450 3454
3451 3455
3452 3456 def savename(path):
3453 3457 (last, index) = lastsavename(path)
3454 3458 if last is None:
3455 3459 index = 0
3456 3460 newpath = path + b".%d" % (index + 1)
3457 3461 return newpath
3458 3462
3459 3463
3460 3464 @command(
3461 3465 b"qpush",
3462 3466 [
3463 3467 (
3464 3468 b'',
3465 3469 b'keep-changes',
3466 3470 None,
3467 3471 _(b'tolerate non-conflicting local changes'),
3468 3472 ),
3469 3473 (b'f', b'force', None, _(b'apply on top of local changes')),
3470 3474 (
3471 3475 b'e',
3472 3476 b'exact',
3473 3477 None,
3474 3478 _(b'apply the target patch to its recorded parent'),
3475 3479 ),
3476 3480 (b'l', b'list', None, _(b'list patch name in commit text')),
3477 3481 (b'a', b'all', None, _(b'apply all patches')),
3478 3482 (b'm', b'merge', None, _(b'merge from another queue (DEPRECATED)')),
3479 3483 (b'n', b'name', b'', _(b'merge queue name (DEPRECATED)'), _(b'NAME')),
3480 3484 (
3481 3485 b'',
3482 3486 b'move',
3483 3487 None,
3484 3488 _(b'reorder patch series and apply only the patch'),
3485 3489 ),
3486 3490 (b'', b'no-backup', None, _(b'do not save backup copies of files')),
3487 3491 ],
3488 3492 _(b'hg qpush [-f] [-l] [-a] [--move] [PATCH | INDEX]'),
3489 3493 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3490 3494 helpbasic=True,
3491 3495 )
3492 3496 def push(ui, repo, patch=None, **opts):
3493 3497 """push the next patch onto the stack
3494 3498
3495 3499 By default, abort if the working directory contains uncommitted
3496 3500 changes. With --keep-changes, abort only if the uncommitted files
3497 3501 overlap with patched files. With -f/--force, backup and patch over
3498 3502 uncommitted changes.
3499 3503
3500 3504 Return 0 on success.
3501 3505 """
3502 3506 q = repo.mq
3503 3507 mergeq = None
3504 3508
3505 3509 opts = pycompat.byteskwargs(opts)
3506 3510 opts = fixkeepchangesopts(ui, opts)
3507 3511 if opts.get(b'merge'):
3508 3512 if opts.get(b'name'):
3509 3513 newpath = repo.vfs.join(opts.get(b'name'))
3510 3514 else:
3511 3515 newpath, i = lastsavename(q.path)
3512 3516 if not newpath:
3513 3517 ui.warn(_(b"no saved queues found, please use -n\n"))
3514 3518 return 1
3515 3519 mergeq = queue(ui, repo.baseui, repo.path, newpath)
3516 3520 ui.warn(_(b"merging with queue at: %s\n") % mergeq.path)
3517 3521 ret = q.push(
3518 3522 repo,
3519 3523 patch,
3520 3524 force=opts.get(b'force'),
3521 3525 list=opts.get(b'list'),
3522 3526 mergeq=mergeq,
3523 3527 all=opts.get(b'all'),
3524 3528 move=opts.get(b'move'),
3525 3529 exact=opts.get(b'exact'),
3526 3530 nobackup=opts.get(b'no_backup'),
3527 3531 keepchanges=opts.get(b'keep_changes'),
3528 3532 )
3529 3533 return ret
3530 3534
3531 3535
3532 3536 @command(
3533 3537 b"qpop",
3534 3538 [
3535 3539 (b'a', b'all', None, _(b'pop all patches')),
3536 3540 (b'n', b'name', b'', _(b'queue name to pop (DEPRECATED)'), _(b'NAME')),
3537 3541 (
3538 3542 b'',
3539 3543 b'keep-changes',
3540 3544 None,
3541 3545 _(b'tolerate non-conflicting local changes'),
3542 3546 ),
3543 3547 (b'f', b'force', None, _(b'forget any local changes to patched files')),
3544 3548 (b'', b'no-backup', None, _(b'do not save backup copies of files')),
3545 3549 ],
3546 3550 _(b'hg qpop [-a] [-f] [PATCH | INDEX]'),
3547 3551 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3548 3552 helpbasic=True,
3549 3553 )
3550 3554 def pop(ui, repo, patch=None, **opts):
3551 3555 """pop the current patch off the stack
3552 3556
3553 3557 Without argument, pops off the top of the patch stack. If given a
3554 3558 patch name, keeps popping off patches until the named patch is at
3555 3559 the top of the stack.
3556 3560
3557 3561 By default, abort if the working directory contains uncommitted
3558 3562 changes. With --keep-changes, abort only if the uncommitted files
3559 3563 overlap with patched files. With -f/--force, backup and discard
3560 3564 changes made to such files.
3561 3565
3562 3566 Return 0 on success.
3563 3567 """
3564 3568 opts = pycompat.byteskwargs(opts)
3565 3569 opts = fixkeepchangesopts(ui, opts)
3566 3570 localupdate = True
3567 3571 if opts.get(b'name'):
3568 3572 q = queue(ui, repo.baseui, repo.path, repo.vfs.join(opts.get(b'name')))
3569 3573 ui.warn(_(b'using patch queue: %s\n') % q.path)
3570 3574 localupdate = False
3571 3575 else:
3572 3576 q = repo.mq
3573 3577 ret = q.pop(
3574 3578 repo,
3575 3579 patch,
3576 3580 force=opts.get(b'force'),
3577 3581 update=localupdate,
3578 3582 all=opts.get(b'all'),
3579 3583 nobackup=opts.get(b'no_backup'),
3580 3584 keepchanges=opts.get(b'keep_changes'),
3581 3585 )
3582 3586 q.savedirty()
3583 3587 return ret
3584 3588
3585 3589
3586 3590 @command(
3587 3591 b"qrename|qmv",
3588 3592 [],
3589 3593 _(b'hg qrename PATCH1 [PATCH2]'),
3590 3594 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3591 3595 )
3592 3596 def rename(ui, repo, patch, name=None, **opts):
3593 3597 """rename a patch
3594 3598
3595 3599 With one argument, renames the current patch to PATCH1.
3596 3600 With two arguments, renames PATCH1 to PATCH2.
3597 3601
3598 3602 Returns 0 on success."""
3599 3603 q = repo.mq
3600 3604 if not name:
3601 3605 name = patch
3602 3606 patch = None
3603 3607
3604 3608 if patch:
3605 3609 patch = q.lookup(patch)
3606 3610 else:
3607 3611 if not q.applied:
3608 3612 ui.write(_(b'no patches applied\n'))
3609 3613 return
3610 3614 patch = q.lookup(b'qtip')
3611 3615 absdest = q.join(name)
3612 3616 if os.path.isdir(absdest):
3613 3617 name = normname(os.path.join(name, os.path.basename(patch)))
3614 3618 absdest = q.join(name)
3615 3619 q.checkpatchname(name)
3616 3620
3617 3621 ui.note(_(b'renaming %s to %s\n') % (patch, name))
3618 3622 i = q.findseries(patch)
3619 3623 guards = q.guard_re.findall(q.fullseries[i])
3620 3624 q.fullseries[i] = name + b''.join([b' #' + g for g in guards])
3621 3625 q.parseseries()
3622 3626 q.seriesdirty = True
3623 3627
3624 3628 info = q.isapplied(patch)
3625 3629 if info:
3626 3630 q.applied[info[0]] = statusentry(info[1], name)
3627 3631 q.applieddirty = True
3628 3632
3629 3633 destdir = os.path.dirname(absdest)
3630 3634 if not os.path.isdir(destdir):
3631 3635 os.makedirs(destdir)
3632 3636 util.rename(q.join(patch), absdest)
3633 3637 r = q.qrepo()
3634 3638 if r and patch in r.dirstate:
3635 3639 wctx = r[None]
3636 3640 with r.wlock():
3637 3641 if r.dirstate[patch] == b'a':
3638 3642 r.dirstate.set_untracked(patch)
3639 3643 r.dirstate.set_tracked(name)
3640 3644 else:
3641 3645 wctx.copy(patch, name)
3642 3646 wctx.forget([patch])
3643 3647
3644 3648 q.savedirty()
3645 3649
3646 3650
3647 3651 @command(
3648 3652 b"qrestore",
3649 3653 [
3650 3654 (b'd', b'delete', None, _(b'delete save entry')),
3651 3655 (b'u', b'update', None, _(b'update queue working directory')),
3652 3656 ],
3653 3657 _(b'hg qrestore [-d] [-u] REV'),
3654 3658 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3655 3659 )
3656 3660 def restore(ui, repo, rev, **opts):
3657 3661 """restore the queue state saved by a revision (DEPRECATED)
3658 3662
3659 3663 This command is deprecated, use :hg:`rebase` instead."""
3660 3664 rev = repo.lookup(rev)
3661 3665 q = repo.mq
3662 3666 q.restore(repo, rev, delete=opts.get('delete'), qupdate=opts.get('update'))
3663 3667 q.savedirty()
3664 3668 return 0
3665 3669
3666 3670
3667 3671 @command(
3668 3672 b"qsave",
3669 3673 [
3670 3674 (b'c', b'copy', None, _(b'copy patch directory')),
3671 3675 (b'n', b'name', b'', _(b'copy directory name'), _(b'NAME')),
3672 3676 (b'e', b'empty', None, _(b'clear queue status file')),
3673 3677 (b'f', b'force', None, _(b'force copy')),
3674 3678 ]
3675 3679 + cmdutil.commitopts,
3676 3680 _(b'hg qsave [-m TEXT] [-l FILE] [-c] [-n NAME] [-e] [-f]'),
3677 3681 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3678 3682 )
3679 3683 def save(ui, repo, **opts):
3680 3684 """save current queue state (DEPRECATED)
3681 3685
3682 3686 This command is deprecated, use :hg:`rebase` instead."""
3683 3687 q = repo.mq
3684 3688 opts = pycompat.byteskwargs(opts)
3685 3689 message = cmdutil.logmessage(ui, opts)
3686 3690 ret = q.save(repo, msg=message)
3687 3691 if ret:
3688 3692 return ret
3689 3693 q.savedirty() # save to .hg/patches before copying
3690 3694 if opts.get(b'copy'):
3691 3695 path = q.path
3692 3696 if opts.get(b'name'):
3693 3697 newpath = os.path.join(q.basepath, opts.get(b'name'))
3694 3698 if os.path.exists(newpath):
3695 3699 if not os.path.isdir(newpath):
3696 3700 raise error.Abort(
3697 3701 _(b'destination %s exists and is not a directory')
3698 3702 % newpath
3699 3703 )
3700 3704 if not opts.get(b'force'):
3701 3705 raise error.Abort(
3702 3706 _(b'destination %s exists, use -f to force') % newpath
3703 3707 )
3704 3708 else:
3705 3709 newpath = savename(path)
3706 3710 ui.warn(_(b"copy %s to %s\n") % (path, newpath))
3707 3711 util.copyfiles(path, newpath)
3708 3712 if opts.get(b'empty'):
3709 3713 del q.applied[:]
3710 3714 q.applieddirty = True
3711 3715 q.savedirty()
3712 3716 return 0
3713 3717
3714 3718
3715 3719 @command(
3716 3720 b"qselect",
3717 3721 [
3718 3722 (b'n', b'none', None, _(b'disable all guards')),
3719 3723 (b's', b'series', None, _(b'list all guards in series file')),
3720 3724 (b'', b'pop', None, _(b'pop to before first guarded applied patch')),
3721 3725 (b'', b'reapply', None, _(b'pop, then reapply patches')),
3722 3726 ],
3723 3727 _(b'hg qselect [OPTION]... [GUARD]...'),
3724 3728 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3725 3729 )
3726 3730 def select(ui, repo, *args, **opts):
3727 3731 """set or print guarded patches to push
3728 3732
3729 3733 Use the :hg:`qguard` command to set or print guards on patch, then use
3730 3734 qselect to tell mq which guards to use. A patch will be pushed if
3731 3735 it has no guards or any positive guards match the currently
3732 3736 selected guard, but will not be pushed if any negative guards
3733 3737 match the current guard. For example::
3734 3738
3735 3739 qguard foo.patch -- -stable (negative guard)
3736 3740 qguard bar.patch +stable (positive guard)
3737 3741 qselect stable
3738 3742
3739 3743 This activates the "stable" guard. mq will skip foo.patch (because
3740 3744 it has a negative match) but push bar.patch (because it has a
3741 3745 positive match).
3742 3746
3743 3747 With no arguments, prints the currently active guards.
3744 3748 With one argument, sets the active guard.
3745 3749
3746 3750 Use -n/--none to deactivate guards (no other arguments needed).
3747 3751 When no guards are active, patches with positive guards are
3748 3752 skipped and patches with negative guards are pushed.
3749 3753
3750 3754 qselect can change the guards on applied patches. It does not pop
3751 3755 guarded patches by default. Use --pop to pop back to the last
3752 3756 applied patch that is not guarded. Use --reapply (which implies
3753 3757 --pop) to push back to the current patch afterwards, but skip
3754 3758 guarded patches.
3755 3759
3756 3760 Use -s/--series to print a list of all guards in the series file
3757 3761 (no other arguments needed). Use -v for more information.
3758 3762
3759 3763 Returns 0 on success."""
3760 3764
3761 3765 q = repo.mq
3762 3766 opts = pycompat.byteskwargs(opts)
3763 3767 guards = q.active()
3764 3768 pushable = lambda i: q.pushable(q.applied[i].name)[0]
3765 3769 if args or opts.get(b'none'):
3766 3770 old_unapplied = q.unapplied(repo)
3767 3771 old_guarded = [
3768 3772 i for i in pycompat.xrange(len(q.applied)) if not pushable(i)
3769 3773 ]
3770 3774 q.setactive(args)
3771 3775 q.savedirty()
3772 3776 if not args:
3773 3777 ui.status(_(b'guards deactivated\n'))
3774 3778 if not opts.get(b'pop') and not opts.get(b'reapply'):
3775 3779 unapplied = q.unapplied(repo)
3776 3780 guarded = [
3777 3781 i for i in pycompat.xrange(len(q.applied)) if not pushable(i)
3778 3782 ]
3779 3783 if len(unapplied) != len(old_unapplied):
3780 3784 ui.status(
3781 3785 _(
3782 3786 b'number of unguarded, unapplied patches has '
3783 3787 b'changed from %d to %d\n'
3784 3788 )
3785 3789 % (len(old_unapplied), len(unapplied))
3786 3790 )
3787 3791 if len(guarded) != len(old_guarded):
3788 3792 ui.status(
3789 3793 _(
3790 3794 b'number of guarded, applied patches has changed '
3791 3795 b'from %d to %d\n'
3792 3796 )
3793 3797 % (len(old_guarded), len(guarded))
3794 3798 )
3795 3799 elif opts.get(b'series'):
3796 3800 guards = {}
3797 3801 noguards = 0
3798 3802 for gs in q.seriesguards:
3799 3803 if not gs:
3800 3804 noguards += 1
3801 3805 for g in gs:
3802 3806 guards.setdefault(g, 0)
3803 3807 guards[g] += 1
3804 3808 if ui.verbose:
3805 3809 guards[b'NONE'] = noguards
3806 3810 guards = list(guards.items())
3807 3811 guards.sort(key=lambda x: x[0][1:])
3808 3812 if guards:
3809 3813 ui.note(_(b'guards in series file:\n'))
3810 3814 for guard, count in guards:
3811 3815 ui.note(b'%2d ' % count)
3812 3816 ui.write(guard, b'\n')
3813 3817 else:
3814 3818 ui.note(_(b'no guards in series file\n'))
3815 3819 else:
3816 3820 if guards:
3817 3821 ui.note(_(b'active guards:\n'))
3818 3822 for g in guards:
3819 3823 ui.write(g, b'\n')
3820 3824 else:
3821 3825 ui.write(_(b'no active guards\n'))
3822 3826 reapply = opts.get(b'reapply') and q.applied and q.applied[-1].name
3823 3827 popped = False
3824 3828 if opts.get(b'pop') or opts.get(b'reapply'):
3825 3829 for i in pycompat.xrange(len(q.applied)):
3826 3830 if not pushable(i):
3827 3831 ui.status(_(b'popping guarded patches\n'))
3828 3832 popped = True
3829 3833 if i == 0:
3830 3834 q.pop(repo, all=True)
3831 3835 else:
3832 3836 q.pop(repo, q.applied[i - 1].name)
3833 3837 break
3834 3838 if popped:
3835 3839 try:
3836 3840 if reapply:
3837 3841 ui.status(_(b'reapplying unguarded patches\n'))
3838 3842 q.push(repo, reapply)
3839 3843 finally:
3840 3844 q.savedirty()
3841 3845
3842 3846
3843 3847 @command(
3844 3848 b"qfinish",
3845 3849 [(b'a', b'applied', None, _(b'finish all applied changesets'))],
3846 3850 _(b'hg qfinish [-a] [REV]...'),
3847 3851 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3848 3852 )
3849 3853 def finish(ui, repo, *revrange, **opts):
3850 3854 """move applied patches into repository history
3851 3855
3852 3856 Finishes the specified revisions (corresponding to applied
3853 3857 patches) by moving them out of mq control into regular repository
3854 3858 history.
3855 3859
3856 3860 Accepts a revision range or the -a/--applied option. If --applied
3857 3861 is specified, all applied mq revisions are removed from mq
3858 3862 control. Otherwise, the given revisions must be at the base of the
3859 3863 stack of applied patches.
3860 3864
3861 3865 This can be especially useful if your changes have been applied to
3862 3866 an upstream repository, or if you are about to push your changes
3863 3867 to upstream.
3864 3868
3865 3869 Returns 0 on success.
3866 3870 """
3867 3871 if not opts.get('applied') and not revrange:
3868 3872 raise error.Abort(_(b'no revisions specified'))
3869 3873 elif opts.get('applied'):
3870 3874 revrange = (b'qbase::qtip',) + revrange
3871 3875
3872 3876 q = repo.mq
3873 3877 if not q.applied:
3874 3878 ui.status(_(b'no patches applied\n'))
3875 3879 return 0
3876 3880
3877 3881 revs = scmutil.revrange(repo, revrange)
3878 3882 if repo[b'.'].rev() in revs and repo[None].files():
3879 3883 ui.warn(_(b'warning: uncommitted changes in the working directory\n'))
3880 3884 # queue.finish may changes phases but leave the responsibility to lock the
3881 3885 # repo to the caller to avoid deadlock with wlock. This command code is
3882 3886 # responsibility for this locking.
3883 3887 with repo.lock():
3884 3888 q.finish(repo, revs)
3885 3889 q.savedirty()
3886 3890 return 0
3887 3891
3888 3892
3889 3893 @command(
3890 3894 b"qqueue",
3891 3895 [
3892 3896 (b'l', b'list', False, _(b'list all available queues')),
3893 3897 (b'', b'active', False, _(b'print name of active queue')),
3894 3898 (b'c', b'create', False, _(b'create new queue')),
3895 3899 (b'', b'rename', False, _(b'rename active queue')),
3896 3900 (b'', b'delete', False, _(b'delete reference to queue')),
3897 3901 (b'', b'purge', False, _(b'delete queue, and remove patch dir')),
3898 3902 ],
3899 3903 _(b'[OPTION] [QUEUE]'),
3900 3904 helpcategory=command.CATEGORY_CHANGE_ORGANIZATION,
3901 3905 )
3902 3906 def qqueue(ui, repo, name=None, **opts):
3903 3907 """manage multiple patch queues
3904 3908
3905 3909 Supports switching between different patch queues, as well as creating
3906 3910 new patch queues and deleting existing ones.
3907 3911
3908 3912 Omitting a queue name or specifying -l/--list will show you the registered
3909 3913 queues - by default the "normal" patches queue is registered. The currently
3910 3914 active queue will be marked with "(active)". Specifying --active will print
3911 3915 only the name of the active queue.
3912 3916
3913 3917 To create a new queue, use -c/--create. The queue is automatically made
3914 3918 active, except in the case where there are applied patches from the
3915 3919 currently active queue in the repository. Then the queue will only be
3916 3920 created and switching will fail.
3917 3921
3918 3922 To delete an existing queue, use --delete. You cannot delete the currently
3919 3923 active queue.
3920 3924
3921 3925 Returns 0 on success.
3922 3926 """
3923 3927 q = repo.mq
3924 3928 _defaultqueue = b'patches'
3925 3929 _allqueues = b'patches.queues'
3926 3930 _activequeue = b'patches.queue'
3927 3931
3928 3932 def _getcurrent():
3929 3933 cur = os.path.basename(q.path)
3930 3934 if cur.startswith(b'patches-'):
3931 3935 cur = cur[8:]
3932 3936 return cur
3933 3937
3934 3938 def _noqueues():
3935 3939 try:
3936 3940 fh = repo.vfs(_allqueues, b'r')
3937 3941 fh.close()
3938 3942 except IOError:
3939 3943 return True
3940 3944
3941 3945 return False
3942 3946
3943 3947 def _getqueues():
3944 3948 current = _getcurrent()
3945 3949
3946 3950 try:
3947 3951 fh = repo.vfs(_allqueues, b'r')
3948 3952 queues = [queue.strip() for queue in fh if queue.strip()]
3949 3953 fh.close()
3950 3954 if current not in queues:
3951 3955 queues.append(current)
3952 3956 except IOError:
3953 3957 queues = [_defaultqueue]
3954 3958
3955 3959 return sorted(queues)
3956 3960
3957 3961 def _setactive(name):
3958 3962 if q.applied:
3959 3963 raise error.Abort(
3960 3964 _(
3961 3965 b'new queue created, but cannot make active '
3962 3966 b'as patches are applied'
3963 3967 )
3964 3968 )
3965 3969 _setactivenocheck(name)
3966 3970
3967 3971 def _setactivenocheck(name):
3968 3972 fh = repo.vfs(_activequeue, b'w')
3969 3973 if name != b'patches':
3970 3974 fh.write(name)
3971 3975 fh.close()
3972 3976
3973 3977 def _addqueue(name):
3974 3978 fh = repo.vfs(_allqueues, b'a')
3975 3979 fh.write(b'%s\n' % (name,))
3976 3980 fh.close()
3977 3981
3978 3982 def _queuedir(name):
3979 3983 if name == b'patches':
3980 3984 return repo.vfs.join(b'patches')
3981 3985 else:
3982 3986 return repo.vfs.join(b'patches-' + name)
3983 3987
3984 3988 def _validname(name):
3985 3989 for n in name:
3986 3990 if n in b':\\/.':
3987 3991 return False
3988 3992 return True
3989 3993
3990 3994 def _delete(name):
3991 3995 if name not in existing:
3992 3996 raise error.Abort(_(b'cannot delete queue that does not exist'))
3993 3997
3994 3998 current = _getcurrent()
3995 3999
3996 4000 if name == current:
3997 4001 raise error.Abort(_(b'cannot delete currently active queue'))
3998 4002
3999 4003 fh = repo.vfs(b'patches.queues.new', b'w')
4000 4004 for queue in existing:
4001 4005 if queue == name:
4002 4006 continue
4003 4007 fh.write(b'%s\n' % (queue,))
4004 4008 fh.close()
4005 4009 repo.vfs.rename(b'patches.queues.new', _allqueues)
4006 4010
4007 4011 opts = pycompat.byteskwargs(opts)
4008 4012 if not name or opts.get(b'list') or opts.get(b'active'):
4009 4013 current = _getcurrent()
4010 4014 if opts.get(b'active'):
4011 4015 ui.write(b'%s\n' % (current,))
4012 4016 return
4013 4017 for queue in _getqueues():
4014 4018 ui.write(b'%s' % (queue,))
4015 4019 if queue == current and not ui.quiet:
4016 4020 ui.write(_(b' (active)\n'))
4017 4021 else:
4018 4022 ui.write(b'\n')
4019 4023 return
4020 4024
4021 4025 if not _validname(name):
4022 4026 raise error.Abort(
4023 4027 _(b'invalid queue name, may not contain the characters ":\\/."')
4024 4028 )
4025 4029
4026 4030 with repo.wlock():
4027 4031 existing = _getqueues()
4028 4032
4029 4033 if opts.get(b'create'):
4030 4034 if name in existing:
4031 4035 raise error.Abort(_(b'queue "%s" already exists') % name)
4032 4036 if _noqueues():
4033 4037 _addqueue(_defaultqueue)
4034 4038 _addqueue(name)
4035 4039 _setactive(name)
4036 4040 elif opts.get(b'rename'):
4037 4041 current = _getcurrent()
4038 4042 if name == current:
4039 4043 raise error.Abort(
4040 4044 _(b'can\'t rename "%s" to its current name') % name
4041 4045 )
4042 4046 if name in existing:
4043 4047 raise error.Abort(_(b'queue "%s" already exists') % name)
4044 4048
4045 4049 olddir = _queuedir(current)
4046 4050 newdir = _queuedir(name)
4047 4051
4048 4052 if os.path.exists(newdir):
4049 4053 raise error.Abort(
4050 4054 _(b'non-queue directory "%s" already exists') % newdir
4051 4055 )
4052 4056
4053 4057 fh = repo.vfs(b'patches.queues.new', b'w')
4054 4058 for queue in existing:
4055 4059 if queue == current:
4056 4060 fh.write(b'%s\n' % (name,))
4057 4061 if os.path.exists(olddir):
4058 4062 util.rename(olddir, newdir)
4059 4063 else:
4060 4064 fh.write(b'%s\n' % (queue,))
4061 4065 fh.close()
4062 4066 repo.vfs.rename(b'patches.queues.new', _allqueues)
4063 4067 _setactivenocheck(name)
4064 4068 elif opts.get(b'delete'):
4065 4069 _delete(name)
4066 4070 elif opts.get(b'purge'):
4067 4071 if name in existing:
4068 4072 _delete(name)
4069 4073 qdir = _queuedir(name)
4070 4074 if os.path.exists(qdir):
4071 4075 shutil.rmtree(qdir)
4072 4076 else:
4073 4077 if name not in existing:
4074 4078 raise error.Abort(_(b'use --create to create a new queue'))
4075 4079 _setactive(name)
4076 4080
4077 4081
4078 4082 def mqphasedefaults(repo, roots):
4079 4083 """callback used to set mq changeset as secret when no phase data exists"""
4080 4084 if repo.mq.applied:
4081 4085 if repo.ui.configbool(b'mq', b'secret'):
4082 4086 mqphase = phases.secret
4083 4087 else:
4084 4088 mqphase = phases.draft
4085 4089 qbase = repo[repo.mq.applied[0].node]
4086 4090 roots[mqphase].add(qbase.node())
4087 4091 return roots
4088 4092
4089 4093
4090 4094 def reposetup(ui, repo):
4091 4095 class mqrepo(repo.__class__):
4092 4096 @localrepo.unfilteredpropertycache
4093 4097 def mq(self):
4094 4098 return queue(self.ui, self.baseui, self.path)
4095 4099
4096 4100 def invalidateall(self):
4097 4101 super(mqrepo, self).invalidateall()
4098 4102 if localrepo.hasunfilteredcache(self, 'mq'):
4099 4103 # recreate mq in case queue path was changed
4100 4104 delattr(self.unfiltered(), 'mq')
4101 4105
4102 4106 def abortifwdirpatched(self, errmsg, force=False):
4103 4107 if self.mq.applied and self.mq.checkapplied and not force:
4104 4108 parents = self.dirstate.parents()
4105 4109 patches = [s.node for s in self.mq.applied]
4106 4110 if any(p in patches for p in parents):
4107 4111 raise error.Abort(errmsg)
4108 4112
4109 4113 def commit(
4110 4114 self,
4111 4115 text=b"",
4112 4116 user=None,
4113 4117 date=None,
4114 4118 match=None,
4115 4119 force=False,
4116 4120 editor=False,
4117 4121 extra=None,
4118 4122 ):
4119 4123 if extra is None:
4120 4124 extra = {}
4121 4125 self.abortifwdirpatched(
4122 4126 _(b'cannot commit over an applied mq patch'), force
4123 4127 )
4124 4128
4125 4129 return super(mqrepo, self).commit(
4126 4130 text, user, date, match, force, editor, extra
4127 4131 )
4128 4132
4129 4133 def checkpush(self, pushop):
4130 4134 if self.mq.applied and self.mq.checkapplied and not pushop.force:
4131 4135 outapplied = [e.node for e in self.mq.applied]
4132 4136 if pushop.revs:
4133 4137 # Assume applied patches have no non-patch descendants and
4134 4138 # are not on remote already. Filtering any changeset not
4135 4139 # pushed.
4136 4140 heads = set(pushop.revs)
4137 4141 for node in reversed(outapplied):
4138 4142 if node in heads:
4139 4143 break
4140 4144 else:
4141 4145 outapplied.pop()
4142 4146 # looking for pushed and shared changeset
4143 4147 for node in outapplied:
4144 4148 if self[node].phase() < phases.secret:
4145 4149 raise error.Abort(_(b'source has mq patches applied'))
4146 4150 # no non-secret patches pushed
4147 4151 super(mqrepo, self).checkpush(pushop)
4148 4152
4149 4153 def _findtags(self):
4150 4154 '''augment tags from base class with patch tags'''
4151 4155 result = super(mqrepo, self)._findtags()
4152 4156
4153 4157 q = self.mq
4154 4158 if not q.applied:
4155 4159 return result
4156 4160
4157 4161 mqtags = [(patch.node, patch.name) for patch in q.applied]
4158 4162
4159 4163 try:
4160 4164 # for now ignore filtering business
4161 4165 self.unfiltered().changelog.rev(mqtags[-1][0])
4162 4166 except error.LookupError:
4163 4167 self.ui.warn(
4164 4168 _(b'mq status file refers to unknown node %s\n')
4165 4169 % short(mqtags[-1][0])
4166 4170 )
4167 4171 return result
4168 4172
4169 4173 # do not add fake tags for filtered revisions
4170 4174 included = self.changelog.hasnode
4171 4175 mqtags = [mqt for mqt in mqtags if included(mqt[0])]
4172 4176 if not mqtags:
4173 4177 return result
4174 4178
4175 4179 mqtags.append((mqtags[-1][0], b'qtip'))
4176 4180 mqtags.append((mqtags[0][0], b'qbase'))
4177 4181 mqtags.append((self.changelog.parents(mqtags[0][0])[0], b'qparent'))
4178 4182 tags = result[0]
4179 4183 for patch in mqtags:
4180 4184 if patch[1] in tags:
4181 4185 self.ui.warn(
4182 4186 _(b'tag %s overrides mq patch of the same name\n')
4183 4187 % patch[1]
4184 4188 )
4185 4189 else:
4186 4190 tags[patch[1]] = patch[0]
4187 4191
4188 4192 return result
4189 4193
4190 4194 if repo.local():
4191 4195 repo.__class__ = mqrepo
4192 4196
4193 4197 repo._phasedefaults.append(mqphasedefaults)
4194 4198
4195 4199
4196 4200 def mqimport(orig, ui, repo, *args, **kwargs):
4197 4201 if util.safehasattr(repo, b'abortifwdirpatched') and not kwargs.get(
4198 4202 'no_commit', False
4199 4203 ):
4200 4204 repo.abortifwdirpatched(
4201 4205 _(b'cannot import over an applied patch'), kwargs.get('force')
4202 4206 )
4203 4207 return orig(ui, repo, *args, **kwargs)
4204 4208
4205 4209
4206 4210 def mqinit(orig, ui, *args, **kwargs):
4207 4211 mq = kwargs.pop('mq', None)
4208 4212
4209 4213 if not mq:
4210 4214 return orig(ui, *args, **kwargs)
4211 4215
4212 4216 if args:
4213 4217 repopath = args[0]
4214 4218 if not hg.islocal(repopath):
4215 4219 raise error.Abort(
4216 4220 _(b'only a local queue repository may be initialized')
4217 4221 )
4218 4222 else:
4219 4223 repopath = cmdutil.findrepo(encoding.getcwd())
4220 4224 if not repopath:
4221 4225 raise error.Abort(
4222 4226 _(b'there is no Mercurial repository here (.hg not found)')
4223 4227 )
4224 4228 repo = hg.repository(ui, repopath)
4225 4229 return qinit(ui, repo, True)
4226 4230
4227 4231
4228 4232 def mqcommand(orig, ui, repo, *args, **kwargs):
4229 4233 """Add --mq option to operate on patch repository instead of main"""
4230 4234
4231 4235 # some commands do not like getting unknown options
4232 4236 mq = kwargs.pop('mq', None)
4233 4237
4234 4238 if not mq:
4235 4239 return orig(ui, repo, *args, **kwargs)
4236 4240
4237 4241 q = repo.mq
4238 4242 r = q.qrepo()
4239 4243 if not r:
4240 4244 raise error.Abort(_(b'no queue repository'))
4241 4245 return orig(r.ui, r, *args, **kwargs)
4242 4246
4243 4247
4244 4248 def summaryhook(ui, repo):
4245 4249 q = repo.mq
4246 4250 m = []
4247 4251 a, u = len(q.applied), len(q.unapplied(repo))
4248 4252 if a:
4249 4253 m.append(ui.label(_(b"%d applied"), b'qseries.applied') % a)
4250 4254 if u:
4251 4255 m.append(ui.label(_(b"%d unapplied"), b'qseries.unapplied') % u)
4252 4256 if m:
4253 4257 # i18n: column positioning for "hg summary"
4254 4258 ui.write(_(b"mq: %s\n") % b', '.join(m))
4255 4259 else:
4256 4260 # i18n: column positioning for "hg summary"
4257 4261 ui.note(_(b"mq: (empty queue)\n"))
4258 4262
4259 4263
4260 4264 revsetpredicate = registrar.revsetpredicate()
4261 4265
4262 4266
4263 4267 @revsetpredicate(b'mq()')
4264 4268 def revsetmq(repo, subset, x):
4265 4269 """Changesets managed by MQ."""
4266 4270 revsetlang.getargs(x, 0, 0, _(b"mq takes no arguments"))
4267 4271 applied = {repo[r.node].rev() for r in repo.mq.applied}
4268 4272 return smartset.baseset([r for r in subset if r in applied])
4269 4273
4270 4274
4271 4275 # tell hggettext to extract docstrings from these functions:
4272 4276 i18nfunctions = [revsetmq]
4273 4277
4274 4278
4275 4279 def extsetup(ui):
4276 4280 # Ensure mq wrappers are called first, regardless of extension load order by
4277 4281 # NOT wrapping in uisetup() and instead deferring to init stage two here.
4278 4282 mqopt = [(b'', b'mq', None, _(b"operate on patch repository"))]
4279 4283
4280 4284 extensions.wrapcommand(commands.table, b'import', mqimport)
4281 4285 cmdutil.summaryhooks.add(b'mq', summaryhook)
4282 4286
4283 4287 entry = extensions.wrapcommand(commands.table, b'init', mqinit)
4284 4288 entry[1].extend(mqopt)
4285 4289
4286 4290 def dotable(cmdtable):
4287 4291 for cmd, entry in pycompat.iteritems(cmdtable):
4288 4292 cmd = cmdutil.parsealiases(cmd)[0]
4289 4293 func = entry[0]
4290 4294 if func.norepo:
4291 4295 continue
4292 4296 entry = extensions.wrapcommand(cmdtable, cmd, mqcommand)
4293 4297 entry[1].extend(mqopt)
4294 4298
4295 4299 dotable(commands.table)
4296 4300
4297 4301 thismodule = sys.modules["hgext.mq"]
4298 4302 for extname, extmodule in extensions.extensions():
4299 4303 if extmodule != thismodule:
4300 4304 dotable(getattr(extmodule, 'cmdtable', {}))
4301 4305
4302 4306
4303 4307 colortable = {
4304 4308 b'qguard.negative': b'red',
4305 4309 b'qguard.positive': b'yellow',
4306 4310 b'qguard.unguarded': b'green',
4307 4311 b'qseries.applied': b'blue bold underline',
4308 4312 b'qseries.guarded': b'black bold',
4309 4313 b'qseries.missing': b'red bold',
4310 4314 b'qseries.unapplied': b'black bold',
4311 4315 }
General Comments 0
You need to be logged in to leave comments. Login now