rebase.py
2282 lines
| 81.9 KiB
| text/x-python
|
PythonLexer
/ hgext / rebase.py
Stefano Tortarolo
|
r6906 | # rebase.py - rebasing feature for mercurial | ||
# | ||||
# Copyright 2008 Stefano Tortarolo <stefano.tortarolo at gmail dot com> | ||||
# | ||||
Martin Geisler
|
r8225 | # This software may be used and distributed according to the terms of the | ||
Matt Mackall
|
r10263 | # GNU General Public License version 2 or any later version. | ||
Stefano Tortarolo
|
r6906 | |||
Dirkjan Ochtman
|
r8934 | '''command to move sets of revisions to a different ancestor | ||
Stefano Tortarolo
|
r6906 | |||
Martin Geisler
|
r7999 | This extension lets you rebase changesets in an existing Mercurial | ||
repository. | ||||
Stefano Tortarolo
|
r6906 | |||
For more information: | ||||
Matt Mackall
|
r26421 | https://mercurial-scm.org/wiki/RebaseExtension | ||
Stefano Tortarolo
|
r6906 | ''' | ||
Pulkit Goyal
|
r29128 | |||
import os | ||||
Yuya Nishihara
|
r29205 | |||
from mercurial.i18n import _ | ||||
from mercurial.node import ( | ||||
nullrev, | ||||
short, | ||||
Joerg Sonnenberger
|
r46729 | wdirrev, | ||
Yuya Nishihara
|
r29205 | ) | ||
Gregory Szorc
|
r43355 | from mercurial.pycompat import open | ||
Pulkit Goyal
|
r29128 | from mercurial import ( | ||
bookmarks, | ||||
cmdutil, | ||||
commands, | ||||
copies, | ||||
destutil, | ||||
error, | ||||
extensions, | ||||
Martin von Zweigbergk
|
r48928 | logcmdutil, | ||
timeless
|
r30271 | merge as mergemod, | ||
Augie Fackler
|
r45383 | mergestate as mergestatemod, | ||
Augie Fackler
|
r30495 | mergeutil, | ||
Pulkit Goyal
|
r29128 | obsolete, | ||
r33146 | obsutil, | |||
Pulkit Goyal
|
r29128 | patch, | ||
phases, | ||||
Pulkit Goyal
|
r35003 | pycompat, | ||
Pulkit Goyal
|
r29128 | registrar, | ||
repair, | ||||
revset, | ||||
Jun Wu
|
r34007 | revsetlang, | ||
Martin von Zweigbergk
|
r44386 | rewriteutil, | ||
Pulkit Goyal
|
r29128 | scmutil, | ||
Yuya Nishihara
|
r31023 | smartset, | ||
Pulkit Goyal
|
r38535 | state as statemod, | ||
Pulkit Goyal
|
r29128 | util, | ||
) | ||||
Christian Delahousse
|
r26669 | # The following constants are used throughout the rebase module. The ordering of | ||
# their values must be maintained. | ||||
# Indicates that a revision needs to be rebased | ||||
Pierre-Yves David
|
r23490 | revtodo = -1 | ||
Augie Fackler
|
r43347 | revtodostr = b'-1' | ||
Jun Wu
|
r33842 | |||
# legacy revstates no longer needed in current code | ||||
Jun Wu
|
r33844 | # -2: nullmerge, -3: revignored, -4: revprecursor, -5: revpruned | ||
Augie Fackler
|
r43347 | legacystates = {b'-2', b'-3', b'-4', b'-5'} | ||
Stefano Tortarolo
|
r10352 | |||
Adrian Buehlmann
|
r14306 | cmdtable = {} | ||
Yuya Nishihara
|
r32337 | command = registrar.command(cmdtable) | ||
Augie Fackler
|
r47071 | |||
configtable = {} | ||||
configitem = registrar.configitem(configtable) | ||||
configitem( | ||||
b'devel', | ||||
b'rebase.force-in-memory-merge', | ||||
default=False, | ||||
) | ||||
Augie Fackler
|
r29841 | # Note for extension authors: ONLY specify testedwith = 'ships-with-hg-core' for | ||
Augie Fackler
|
r25186 | # extensions which SHIP WITH MERCURIAL. Non-mainline extensions should | ||
# be specifying the version(s) of Mercurial they are tested with, or | ||||
# leave the attribute unspecified. | ||||
Augie Fackler
|
r43347 | testedwith = b'ships-with-hg-core' | ||
Adrian Buehlmann
|
r14306 | |||
Augie Fackler
|
r43346 | |||
Ryan McElroy
|
r26671 | def _nothingtorebase(): | ||
return 1 | ||||
Augie Fackler
|
r43346 | |||
Siddharth Agarwal
|
r27976 | def _savegraft(ctx, extra): | ||
Augie Fackler
|
r43347 | s = ctx.extra().get(b'source', None) | ||
Siddharth Agarwal
|
r27976 | if s is not None: | ||
Augie Fackler
|
r43347 | extra[b'source'] = s | ||
s = ctx.extra().get(b'intermediate-source', None) | ||||
Siddharth Agarwal
|
r27976 | if s is not None: | ||
Augie Fackler
|
r43347 | extra[b'intermediate-source'] = s | ||
Siddharth Agarwal
|
r27976 | |||
Augie Fackler
|
r43346 | |||
Siddharth Agarwal
|
r27976 | def _savebranch(ctx, extra): | ||
Augie Fackler
|
r43347 | extra[b'branch'] = ctx.branch() | ||
Siddharth Agarwal
|
r27976 | |||
Augie Fackler
|
r43346 | |||
Pierre-Yves David
|
r29043 | def _destrebase(repo, sourceset, destspace=None): | ||
Pierre-Yves David
|
r28189 | """small wrapper around destmerge to pass the right extra args | ||
Please wrap destutil.destmerge instead.""" | ||||
Augie Fackler
|
r43346 | return destutil.destmerge( | ||
repo, | ||||
Augie Fackler
|
r43347 | action=b'rebase', | ||
Augie Fackler
|
r43346 | sourceset=sourceset, | ||
onheadcheck=False, | ||||
destspace=destspace, | ||||
) | ||||
Pierre-Yves David
|
r26717 | |||
FUJIWARA Katsunori
|
r28394 | revsetpredicate = registrar.revsetpredicate() | ||
FUJIWARA Katsunori
|
r27586 | |||
Augie Fackler
|
r43346 | |||
Augie Fackler
|
r43347 | @revsetpredicate(b'_destrebase') | ||
Pierre-Yves David
|
r26719 | def _revsetdestrebase(repo, subset, x): | ||
Pierre-Yves David
|
r26301 | # ``_rebasedefaultdest()`` | ||
# default destination for rebase. | ||||
# # XXX: Currently private because I expect the signature to change. | ||||
# # XXX: - bailing out in case of ambiguity vs returning all data. | ||||
# i18n: "_rebasedefaultdest" is a keyword | ||||
Pierre-Yves David
|
r28189 | sourceset = None | ||
if x is not None: | ||||
Yuya Nishihara
|
r31023 | sourceset = revset.getset(repo, smartset.fullreposet(repo), x) | ||
return subset & smartset.baseset([_destrebase(repo, sourceset)]) | ||||
Pierre-Yves David
|
r26301 | |||
Augie Fackler
|
r43346 | |||
Augie Fackler
|
r43347 | @revsetpredicate(b'_destautoorphanrebase') | ||
Augie Fackler
|
r37805 | def _revsetdestautoorphanrebase(repo, subset, x): | ||
timeless
|
r42485 | # ``_destautoorphanrebase()`` | ||
# automatic rebase destination for a single orphan revision. | ||||
Augie Fackler
|
r37805 | unfi = repo.unfiltered() | ||
Augie Fackler
|
r43347 | obsoleted = unfi.revs(b'obsolete()') | ||
Augie Fackler
|
r37805 | |||
src = revset.getset(repo, subset, x).first() | ||||
# Empty src or already obsoleted - Do not return a destination | ||||
if not src or src in obsoleted: | ||||
return smartset.baseset() | ||||
dests = destutil.orphanpossibledestination(repo, src) | ||||
if len(dests) > 1: | ||||
Martin von Zweigbergk
|
r47377 | raise error.StateError( | ||
Augie Fackler
|
r43347 | _(b"ambiguous automatic rebase: %r could end up on any of %r") | ||
Augie Fackler
|
r43346 | % (src, dests) | ||
) | ||||
Augie Fackler
|
r37805 | # We have zero or one destination, so we can just return here. | ||
return smartset.baseset(dests) | ||||
Augie Fackler
|
r43346 | |||
Jun Wu
|
r33840 | def _ctxdesc(ctx): | ||
"""short description for a context""" | ||||
Martin von Zweigbergk
|
r46355 | return cmdutil.format_changeset_summary( | ||
Martin von Zweigbergk
|
r46356 | ctx.repo().ui, ctx, command=b'rebase' | ||
Augie Fackler
|
r43347 | ) | ||
Jun Wu
|
r33840 | |||
Augie Fackler
|
r43346 | |||
Gregory Szorc
|
r49801 | class rebaseruntime: | ||
Kostia Balytskyi
|
r29358 | """This class is a container for rebase runtime state""" | ||
Augie Fackler
|
r43346 | |||
Martin von Zweigbergk
|
r46121 | def __init__(self, repo, ui, inmemory=False, dryrun=False, opts=None): | ||
Kostia Balytskyi
|
r29399 | if opts is None: | ||
opts = {} | ||||
Jun Wu
|
r34096 | # prepared: whether we have rebasestate prepared or not. Currently it | ||
# decides whether "self.repo" is unfiltered or not. | ||||
# The rebasestate has explicit hash to hash instructions not depending | ||||
# on visibility. If rebasestate exists (in-memory or on-disk), use | ||||
# unfiltered repo to avoid visibility issues. | ||||
# Before knowing rebasestate (i.e. when starting a new rebase (not | ||||
# --continue or --abort)), the original repo should be used so | ||||
# visibility-dependent revsets are correct. | ||||
self.prepared = False | ||||
Martin von Zweigbergk
|
r44820 | self.resume = False | ||
Jun Wu
|
r34096 | self._repo = repo | ||
Kostia Balytskyi
|
r29399 | self.ui = ui | ||
self.opts = opts | ||||
Kostia Balytskyi
|
r29358 | self.originalwd = None | ||
self.external = nullrev | ||||
# Mapping between the old revision id and either what is the new rebased | ||||
# revision or what needs to be done with the old revision. The state | ||||
# dict will be what contains most of the rebase progress state. | ||||
self.state = {} | ||||
self.activebookmark = None | ||||
Jun Wu
|
r34006 | self.destmap = {} | ||
Kostia Balytskyi
|
r29360 | self.skipped = set() | ||
Kostia Balytskyi
|
r29358 | |||
Martin von Zweigbergk
|
r48253 | self.collapsef = opts.get('collapse', False) | ||
self.collapsemsg = cmdutil.logmessage(ui, pycompat.byteskwargs(opts)) | ||||
self.date = opts.get('date', None) | ||||
Kostia Balytskyi
|
r29401 | |||
Martin von Zweigbergk
|
r48253 | e = opts.get('extrafn') # internal, used by e.g. hgsubversion | ||
Kostia Balytskyi
|
r29401 | self.extrafns = [_savegraft] | ||
if e: | ||||
self.extrafns = [e] | ||||
Kostia Balytskyi
|
r29400 | |||
Augie Fackler
|
r43347 | self.backupf = ui.configbool(b'rewrite', b'backup-bundle') | ||
Martin von Zweigbergk
|
r48253 | self.keepf = opts.get('keep', False) | ||
self.keepbranchesf = opts.get('keepbranches', False) | ||||
Manuel Jacob
|
r45683 | self.skipemptysuccessorf = rewriteutil.skip_empty_successor( | ||
repo.ui, b'rebase' | ||||
) | ||||
Martin von Zweigbergk
|
r47589 | self.obsolete_with_successor_in_destination = {} | ||
self.obsolete_with_successor_in_rebase_set = set() | ||||
Phil Cohen
|
r35389 | self.inmemory = inmemory | ||
Martin von Zweigbergk
|
r46121 | self.dryrun = dryrun | ||
Augie Fackler
|
r43347 | self.stateobj = statemod.cmdstate(repo, b'rebasestate') | ||
Kostia Balytskyi
|
r29402 | |||
Jun Wu
|
r34096 | @property | ||
def repo(self): | ||||
if self.prepared: | ||||
return self._repo.unfiltered() | ||||
else: | ||||
return self._repo | ||||
Durham Goode
|
r31224 | def storestatus(self, tr=None): | ||
Durham Goode
|
r31223 | """Store the current status to allow recovery""" | ||
Durham Goode
|
r31224 | if tr: | ||
Augie Fackler
|
r43346 | tr.addfilegenerator( | ||
Augie Fackler
|
r43347 | b'rebasestate', | ||
(b'rebasestate',), | ||||
Augie Fackler
|
r43346 | self._writestatus, | ||
Augie Fackler
|
r43347 | location=b'plain', | ||
Augie Fackler
|
r43346 | ) | ||
Durham Goode
|
r31224 | else: | ||
Augie Fackler
|
r43347 | with self.repo.vfs(b"rebasestate", b"w") as f: | ||
Durham Goode
|
r31224 | self._writestatus(f) | ||
def _writestatus(self, f): | ||||
Jun Wu
|
r34097 | repo = self.repo | ||
assert repo.filtername is None | ||||
Augie Fackler
|
r43347 | f.write(repo[self.originalwd].hex() + b'\n') | ||
Jun Wu
|
r34006 | # was "dest". we now write dest per src root below. | ||
Augie Fackler
|
r43347 | f.write(b'\n') | ||
f.write(repo[self.external].hex() + b'\n') | ||||
f.write(b'%d\n' % int(self.collapsef)) | ||||
f.write(b'%d\n' % int(self.keepf)) | ||||
f.write(b'%d\n' % int(self.keepbranchesf)) | ||||
f.write(b'%s\n' % (self.activebookmark or b'')) | ||||
Jun Wu
|
r34006 | destmap = self.destmap | ||
Gregory Szorc
|
r49768 | for d, v in self.state.items(): | ||
Durham Goode
|
r31223 | oldrev = repo[d].hex() | ||
if v >= 0: | ||||
newrev = repo[v].hex() | ||||
else: | ||||
Augie Fackler
|
r43347 | newrev = b"%d" % v | ||
Jun Wu
|
r34006 | destnode = repo[destmap[d]].hex() | ||
Augie Fackler
|
r43347 | f.write(b"%s:%s:%s\n" % (oldrev, newrev, destnode)) | ||
repo.ui.debug(b'rebase status stored\n') | ||||
Durham Goode
|
r31223 | |||
Kostia Balytskyi
|
r29403 | def restorestatus(self): | ||
"""Restore a previously stored status""" | ||||
Pulkit Goyal
|
r38537 | if not self.stateobj.exists(): | ||
Augie Fackler
|
r43347 | cmdutil.wrongtooltocontinue(self.repo, _(b'rebase')) | ||
Pulkit Goyal
|
r38537 | |||
Pulkit Goyal
|
r38534 | data = self._read() | ||
Augie Fackler
|
r43347 | self.repo.ui.debug(b'rebase status resumed\n') | ||
Pulkit Goyal
|
r38534 | |||
Augie Fackler
|
r43347 | self.originalwd = data[b'originalwd'] | ||
self.destmap = data[b'destmap'] | ||||
self.state = data[b'state'] | ||||
self.skipped = data[b'skipped'] | ||||
self.collapsef = data[b'collapse'] | ||||
self.keepf = data[b'keep'] | ||||
self.keepbranchesf = data[b'keepbranches'] | ||||
self.external = data[b'external'] | ||||
self.activebookmark = data[b'activebookmark'] | ||||
Pulkit Goyal
|
r38534 | |||
def _read(self): | ||||
Jun Wu
|
r34096 | self.prepared = True | ||
Kostia Balytskyi
|
r29403 | repo = self.repo | ||
Jun Wu
|
r34097 | assert repo.filtername is None | ||
Augie Fackler
|
r43346 | data = { | ||
Augie Fackler
|
r43347 | b'keepbranches': None, | ||
b'collapse': None, | ||||
b'activebookmark': None, | ||||
b'external': nullrev, | ||||
b'keep': None, | ||||
b'originalwd': None, | ||||
Augie Fackler
|
r43346 | } | ||
Jun Wu
|
r34006 | legacydest = None | ||
Kostia Balytskyi
|
r29403 | state = {} | ||
Jun Wu
|
r34006 | destmap = {} | ||
Kostia Balytskyi
|
r29403 | |||
Pulkit Goyal
|
r38537 | if True: | ||
Augie Fackler
|
r43347 | f = repo.vfs(b"rebasestate") | ||
Kostia Balytskyi
|
r29403 | for i, l in enumerate(f.read().splitlines()): | ||
if i == 0: | ||||
Augie Fackler
|
r43347 | data[b'originalwd'] = repo[l].rev() | ||
Kostia Balytskyi
|
r29403 | elif i == 1: | ||
Jun Wu
|
r34006 | # this line should be empty in newer version. but legacy | ||
# clients may still use it | ||||
if l: | ||||
legacydest = repo[l].rev() | ||||
Kostia Balytskyi
|
r29403 | elif i == 2: | ||
Augie Fackler
|
r43347 | data[b'external'] = repo[l].rev() | ||
Kostia Balytskyi
|
r29403 | elif i == 3: | ||
Augie Fackler
|
r43347 | data[b'collapse'] = bool(int(l)) | ||
Kostia Balytskyi
|
r29403 | elif i == 4: | ||
Augie Fackler
|
r43347 | data[b'keep'] = bool(int(l)) | ||
Kostia Balytskyi
|
r29403 | elif i == 5: | ||
Augie Fackler
|
r43347 | data[b'keepbranches'] = bool(int(l)) | ||
elif i == 6 and not (len(l) == 81 and b':' in l): | ||||
Kostia Balytskyi
|
r29403 | # line 6 is a recent addition, so for backwards | ||
# compatibility check that the line doesn't look like the | ||||
# oldrev:newrev lines | ||||
Augie Fackler
|
r43347 | data[b'activebookmark'] = l | ||
Kostia Balytskyi
|
r29403 | else: | ||
Augie Fackler
|
r43347 | args = l.split(b':') | ||
Martin von Zweigbergk
|
r37395 | oldrev = repo[args[0]].rev() | ||
Jun Wu
|
r34006 | newrev = args[1] | ||
Jun Wu
|
r33842 | if newrev in legacystates: | ||
continue | ||||
Jun Wu
|
r34006 | if len(args) > 2: | ||
Martin von Zweigbergk
|
r37394 | destrev = repo[args[2]].rev() | ||
Jun Wu
|
r34006 | else: | ||
Martin von Zweigbergk
|
r37394 | destrev = legacydest | ||
Martin von Zweigbergk
|
r37395 | destmap[oldrev] = destrev | ||
Martin von Zweigbergk
|
r37396 | if newrev == revtodostr: | ||
Martin von Zweigbergk
|
r37395 | state[oldrev] = revtodo | ||
Kostia Balytskyi
|
r29403 | # Legacy compat special case | ||
else: | ||||
Martin von Zweigbergk
|
r37395 | state[oldrev] = repo[newrev].rev() | ||
Kostia Balytskyi
|
r29403 | |||
Augie Fackler
|
r43347 | if data[b'keepbranches'] is None: | ||
raise error.Abort(_(b'.hg/rebasestate is incomplete')) | ||||
Kostia Balytskyi
|
r29403 | |||
Augie Fackler
|
r43347 | data[b'destmap'] = destmap | ||
data[b'state'] = state | ||||
Kostia Balytskyi
|
r29403 | skipped = set() | ||
# recompute the set of skipped revs | ||||
Augie Fackler
|
r43347 | if not data[b'collapse']: | ||
Jun Wu
|
r34006 | seen = set(destmap.values()) | ||
Kostia Balytskyi
|
r29403 | for old, new in sorted(state.items()): | ||
if new != revtodo and new in seen: | ||||
skipped.add(old) | ||||
seen.add(new) | ||||
Augie Fackler
|
r43347 | data[b'skipped'] = skipped | ||
Augie Fackler
|
r43346 | repo.ui.debug( | ||
Augie Fackler
|
r43347 | b'computed skipped revs: %s\n' | ||
% (b' '.join(b'%d' % r for r in sorted(skipped)) or b'') | ||||
Augie Fackler
|
r43346 | ) | ||
Kostia Balytskyi
|
r29403 | |||
Pulkit Goyal
|
r38534 | return data | ||
Kostia Balytskyi
|
r29403 | |||
Martin von Zweigbergk
|
r47587 | def _handleskippingobsolete(self): | ||
"""Compute structures necessary for skipping obsolete revisions""" | ||||
Martin von Zweigbergk
|
r47622 | if self.keepf: | ||
return | ||||
Augie Fackler
|
r43347 | if not self.ui.configbool(b'experimental', b'rebaseskipobsolete'): | ||
Kostia Balytskyi
|
r29479 | return | ||
Martin von Zweigbergk
|
r47587 | obsoleteset = {r for r in self.state if self.repo[r].obsolete()} | ||
Augie Fackler
|
r43346 | ( | ||
Martin von Zweigbergk
|
r47589 | self.obsolete_with_successor_in_destination, | ||
self.obsolete_with_successor_in_rebase_set, | ||||
) = _compute_obsolete_sets(self.repo, obsoleteset, self.destmap) | ||||
skippedset = set(self.obsolete_with_successor_in_destination) | ||||
skippedset.update(self.obsolete_with_successor_in_rebase_set) | ||||
Jun Wu
|
r33845 | _checkobsrebase(self.repo, self.ui, obsoleteset, skippedset) | ||
r48577 | if obsolete.isenabled(self.repo, obsolete.allowdivergenceopt): | |||
Martin von Zweigbergk
|
r47590 | self.obsolete_with_successor_in_rebase_set = set() | ||
else: | ||||
for rev in self.repo.revs( | ||||
b'descendants(%ld) and not %ld', | ||||
self.obsolete_with_successor_in_rebase_set, | ||||
self.obsolete_with_successor_in_rebase_set, | ||||
): | ||||
self.state.pop(rev, None) | ||||
self.destmap.pop(rev, None) | ||||
Kostia Balytskyi
|
r29479 | |||
Matt Harbison
|
r45458 | def _prepareabortorcontinue( | ||
self, isabort, backup=True, suppwarns=False, dryrun=False, confirm=False | ||||
): | ||||
Martin von Zweigbergk
|
r44820 | self.resume = True | ||
Kostia Balytskyi
|
r29472 | try: | ||
self.restorestatus() | ||||
Martin von Zweigbergk
|
r47589 | # Calculate self.obsolete_* sets | ||
Martin von Zweigbergk
|
r47588 | self._handleskippingobsolete() | ||
Durham Goode
|
r31225 | self.collapsemsg = restorecollapsemsg(self.repo, isabort) | ||
Kostia Balytskyi
|
r29472 | except error.RepoLookupError: | ||
if isabort: | ||||
clearstatus(self.repo) | ||||
clearcollapsemsg(self.repo) | ||||
Augie Fackler
|
r43346 | self.repo.ui.warn( | ||
_( | ||||
Augie Fackler
|
r43347 | b'rebase aborted (no revision is removed,' | ||
b' only broken state is cleared)\n' | ||||
Augie Fackler
|
r43346 | ) | ||
) | ||||
Kostia Balytskyi
|
r29472 | return 0 | ||
else: | ||||
Augie Fackler
|
r43347 | msg = _(b'cannot continue inconsistent rebase') | ||
hint = _(b'use "hg rebase --abort" to clear broken state') | ||||
Kostia Balytskyi
|
r29472 | raise error.Abort(msg, hint=hint) | ||
Sushil khanchi
|
r38852 | |||
Kostia Balytskyi
|
r29472 | if isabort: | ||
Sushil khanchi
|
r38852 | backup = backup and self.backupf | ||
Matt Harbison
|
r45458 | return self._abort( | ||
backup=backup, | ||||
suppwarns=suppwarns, | ||||
dryrun=dryrun, | ||||
confirm=confirm, | ||||
) | ||||
Kostia Balytskyi
|
r29472 | |||
Jun Wu
|
r34006 | def _preparenewrebase(self, destmap): | ||
if not destmap: | ||||
Kostia Balytskyi
|
r29473 | return _nothingtorebase() | ||
Jun Wu
|
r34010 | result = buildstate(self.repo, destmap, self.collapsef) | ||
Kostia Balytskyi
|
r29473 | |||
if not result: | ||||
# Empty state built, nothing to rebase | ||||
Augie Fackler
|
r43347 | self.ui.status(_(b'nothing to rebase\n')) | ||
Kostia Balytskyi
|
r29473 | return _nothingtorebase() | ||
Jun Wu
|
r34006 | (self.originalwd, self.destmap, self.state) = result | ||
Kostia Balytskyi
|
r29473 | if self.collapsef: | ||
Jun Wu
|
r34006 | dests = set(self.destmap.values()) | ||
if len(dests) != 1: | ||||
Martin von Zweigbergk
|
r47377 | raise error.InputError( | ||
Augie Fackler
|
r43347 | _(b'--collapse does not work with multiple destinations') | ||
Augie Fackler
|
r43346 | ) | ||
Jun Wu
|
r34006 | destrev = next(iter(dests)) | ||
Augie Fackler
|
r43346 | destancestors = self.repo.changelog.ancestors( | ||
[destrev], inclusive=True | ||||
) | ||||
Jun Wu
|
r33846 | self.external = externalparent(self.repo, self.state, destancestors) | ||
Kostia Balytskyi
|
r29473 | |||
Jun Wu
|
r34006 | for destrev in sorted(set(destmap.values())): | ||
dest = self.repo[destrev] | ||||
if dest.closesbranch() and not self.keepbranchesf: | ||||
Augie Fackler
|
r43347 | self.ui.status(_(b'reopening closed branch head %s\n') % dest) | ||
Kostia Balytskyi
|
r29473 | |||
Martin von Zweigbergk
|
r47589 | # Calculate self.obsolete_* sets | ||
Martin von Zweigbergk
|
r47588 | self._handleskippingobsolete() | ||
Martin von Zweigbergk
|
r47592 | if not self.keepf: | ||
Martin von Zweigbergk
|
r47593 | rebaseset = set(destmap.keys()) | ||
rebaseset -= set(self.obsolete_with_successor_in_destination) | ||||
rebaseset -= self.obsolete_with_successor_in_rebase_set | ||||
Martin von Zweigbergk
|
r47784 | # We have our own divergence-checking in the rebase extension | ||
overrides = {} | ||||
if obsolete.isenabled(self.repo, obsolete.createmarkersopt): | ||||
overrides = { | ||||
(b'experimental', b'evolution.allowdivergence'): b'true' | ||||
} | ||||
Martin von Zweigbergk
|
r47592 | try: | ||
Martin von Zweigbergk
|
r47784 | with self.ui.configoverride(overrides): | ||
rewriteutil.precheck(self.repo, rebaseset, action=b'rebase') | ||||
Martin von Zweigbergk
|
r47592 | except error.Abort as e: | ||
if e.hint is None: | ||||
e.hint = _(b'use --keep to keep original changesets') | ||||
raise e | ||||
Martin von Zweigbergk
|
r47591 | self.prepared = True | ||
Phil Cohen
|
r35334 | def _assignworkingcopy(self): | ||
Phil Cohen
|
r35291 | if self.inmemory: | ||
from mercurial.context import overlayworkingctx | ||||
Augie Fackler
|
r43346 | |||
Phil Cohen
|
r35291 | self.wctx = overlayworkingctx(self.repo) | ||
Martin von Zweigbergk
|
r46082 | self.repo.ui.debug(b"rebasing in memory\n") | ||
Phil Cohen
|
r35291 | else: | ||
self.wctx = self.repo[None] | ||||
Augie Fackler
|
r43347 | self.repo.ui.debug(b"rebasing on disk\n") | ||
Augie Fackler
|
r43346 | self.repo.ui.log( | ||
Augie Fackler
|
r43347 | b"rebase", | ||
b"using in-memory rebase: %r\n", | ||||
Augie Fackler
|
r43346 | self.inmemory, | ||
rebase_imm_used=self.inmemory, | ||||
) | ||||
Phil Cohen
|
r35334 | |||
def _performrebase(self, tr): | ||||
self._assignworkingcopy() | ||||
repo, ui = self.repo, self.ui | ||||
Kostia Balytskyi
|
r29477 | if self.keepbranchesf: | ||
# insert _savebranch at the start of extrafns so if | ||||
# there's a user-provided extrafn it can clobber branch if | ||||
# desired | ||||
self.extrafns.insert(0, _savebranch) | ||||
if self.collapsef: | ||||
branches = set() | ||||
for rev in self.state: | ||||
branches.add(repo[rev].branch()) | ||||
if len(branches) > 1: | ||||
Martin von Zweigbergk
|
r47377 | raise error.InputError( | ||
Martin von Zweigbergk
|
r43387 | _(b'cannot collapse multiple named branches') | ||
Augie Fackler
|
r43346 | ) | ||
Kostia Balytskyi
|
r29477 | |||
Jun Wu
|
r33332 | # Keep track of the active bookmarks in order to reset them later | ||
Kostia Balytskyi
|
r29477 | self.activebookmark = self.activebookmark or repo._activebookmark | ||
if self.activebookmark: | ||||
bookmarks.deactivate(repo) | ||||
Durham Goode
|
r31225 | # Store the state before we begin so users can run 'hg rebase --abort' | ||
# if we fail before the transaction closes. | ||||
self.storestatus() | ||||
Martin von Zweigbergk
|
r37049 | if tr: | ||
# When using single transaction, store state when transaction | ||||
# commits. | ||||
self.storestatus(tr) | ||||
Durham Goode
|
r31225 | |||
Gregory Szorc
|
r49768 | cands = [k for k, v in self.state.items() if v == revtodo] | ||
Augie Fackler
|
r43346 | p = repo.ui.makeprogress( | ||
Augie Fackler
|
r43347 | _(b"rebasing"), unit=_(b'changesets'), total=len(cands) | ||
Augie Fackler
|
r43346 | ) | ||
Martin von Zweigbergk
|
r36951 | def progress(ctx): | ||
Augie Fackler
|
r43347 | p.increment(item=(b"%d:%s" % (ctx.rev(), ctx))) | ||
Augie Fackler
|
r43346 | |||
Jun Wu
|
r34008 | for subset in sortsource(self.destmap): | ||
Augie Fackler
|
r43347 | sortedrevs = self.repo.revs(b'sort(%ld, -topo)', subset) | ||
Martin von Zweigbergk
|
r36950 | for rev in sortedrevs: | ||
Martin von Zweigbergk
|
r47590 | self._rebasenode(tr, rev, progress) | ||
Martin von Zweigbergk
|
r38396 | p.complete() | ||
Augie Fackler
|
r43347 | ui.note(_(b'rebase merging completed\n')) | ||
Jun Wu
|
r34008 | |||
Martin von Zweigbergk
|
r46083 | def _concludenode(self, rev, editor, commitmsg=None): | ||
Augie Fackler
|
r46554 | """Commit the wd changes with parents p1 and p2. | ||
Martin von Zweigbergk
|
r37051 | |||
Reuse commit info from rev but also store useful information in extra. | ||||
Augie Fackler
|
r46554 | Return node of committed revision.""" | ||
Martin von Zweigbergk
|
r37051 | repo = self.repo | ||
Martin von Zweigbergk
|
r37052 | ctx = repo[rev] | ||
Martin von Zweigbergk
|
r37053 | if commitmsg is None: | ||
commitmsg = ctx.description() | ||||
Matt Harbison
|
r46377 | |||
# Skip replacement if collapsing, as that degenerates to p1 for all | ||||
# nodes. | ||||
if not self.collapsef: | ||||
cl = repo.changelog | ||||
commitmsg = rewriteutil.update_hash_refs( | ||||
repo, | ||||
commitmsg, | ||||
{ | ||||
cl.node(oldrev): [cl.node(newrev)] | ||||
for oldrev, newrev in self.state.items() | ||||
if newrev != revtodo | ||||
}, | ||||
) | ||||
Martin von Zweigbergk
|
r37059 | date = self.date | ||
if date is None: | ||||
date = ctx.date() | ||||
C. Masloch
|
r50343 | extra = {} | ||
if repo.ui.configbool(b'rebase', b'store-source'): | ||||
extra = {b'rebase_source': ctx.hex()} | ||||
Martin von Zweigbergk
|
r37055 | for c in self.extrafns: | ||
c(ctx, extra) | ||||
Martin von Zweigbergk
|
r37057 | destphase = max(ctx.phase(), phases.draft) | ||
Manuel Jacob
|
r45683 | overrides = { | ||
(b'phases', b'new-commit'): destphase, | ||||
(b'ui', b'allowemptycommit'): not self.skipemptysuccessorf, | ||||
} | ||||
Augie Fackler
|
r43347 | with repo.ui.configoverride(overrides, b'rebase'): | ||
Martin von Zweigbergk
|
r37058 | if self.inmemory: | ||
Augie Fackler
|
r43346 | newnode = commitmemorynode( | ||
repo, | ||||
Martin von Zweigbergk
|
r37058 | wctx=self.wctx, | ||
extra=extra, | ||||
commitmsg=commitmsg, | ||||
editor=editor, | ||||
Martin von Zweigbergk
|
r37060 | user=ctx.user(), | ||
Augie Fackler
|
r43346 | date=date, | ||
) | ||||
Martin von Zweigbergk
|
r37058 | else: | ||
Augie Fackler
|
r43346 | newnode = commitnode( | ||
repo, | ||||
Martin von Zweigbergk
|
r37058 | extra=extra, | ||
commitmsg=commitmsg, | ||||
editor=editor, | ||||
Martin von Zweigbergk
|
r37060 | user=ctx.user(), | ||
Augie Fackler
|
r43346 | date=date, | ||
) | ||||
Martin von Zweigbergk
|
r37051 | |||
Martin von Zweigbergk
|
r37058 | return newnode | ||
Martin von Zweigbergk
|
r37051 | |||
Martin von Zweigbergk
|
r47590 | def _rebasenode(self, tr, rev, progressfn): | ||
Jun Wu
|
r34008 | repo, ui, opts = self.repo, self.ui, self.opts | ||
Martin von Zweigbergk
|
r36949 | ctx = repo[rev] | ||
desc = _ctxdesc(ctx) | ||||
if self.state[rev] == rev: | ||||
Augie Fackler
|
r43347 | ui.status(_(b'already rebased %s\n') % desc) | ||
Martin von Zweigbergk
|
r47590 | elif rev in self.obsolete_with_successor_in_rebase_set: | ||
Augie Fackler
|
r43346 | msg = ( | ||
_( | ||||
Augie Fackler
|
r43347 | b'note: not rebasing %s and its descendants as ' | ||
b'this would cause divergence\n' | ||||
Augie Fackler
|
r43346 | ) | ||
% desc | ||||
) | ||||
Martin von Zweigbergk
|
r36949 | repo.ui.status(msg) | ||
self.skipped.add(rev) | ||||
Martin von Zweigbergk
|
r47589 | elif rev in self.obsolete_with_successor_in_destination: | ||
succ = self.obsolete_with_successor_in_destination[rev] | ||||
Martin von Zweigbergk
|
r36949 | if succ is None: | ||
Martin von Zweigbergk
|
r43387 | msg = _(b'note: not rebasing %s, it has no successor\n') % desc | ||
Martin von Zweigbergk
|
r36949 | else: | ||
succdesc = _ctxdesc(repo[succ]) | ||||
Augie Fackler
|
r43346 | msg = _( | ||
Martin von Zweigbergk
|
r43387 | b'note: not rebasing %s, already in destination as %s\n' | ||
Augie Fackler
|
r43346 | ) % (desc, succdesc) | ||
Martin von Zweigbergk
|
r36949 | repo.ui.status(msg) | ||
# Make clearrebased aware state[rev] is not a true successor | ||||
self.skipped.add(rev) | ||||
# Record rev as moved to its desired destination in self.state. | ||||
# This helps bookmark and working parent movement. | ||||
Augie Fackler
|
r43346 | dest = max( | ||
adjustdest(repo, rev, self.destmap, self.state, self.skipped) | ||||
) | ||||
Martin von Zweigbergk
|
r36949 | self.state[rev] = dest | ||
elif self.state[rev] == revtodo: | ||||
Augie Fackler
|
r43347 | ui.status(_(b'rebasing %s\n') % desc) | ||
Martin von Zweigbergk
|
r36949 | progressfn(ctx) | ||
Augie Fackler
|
r43346 | p1, p2, base = defineparents( | ||
repo, | ||||
rev, | ||||
self.destmap, | ||||
self.state, | ||||
self.skipped, | ||||
Martin von Zweigbergk
|
r47589 | self.obsolete_with_successor_in_destination, | ||
Augie Fackler
|
r43346 | ) | ||
Martin von Zweigbergk
|
r44820 | if self.resume and self.wctx.p1().rev() == p1: | ||
Augie Fackler
|
r43347 | repo.ui.debug(b'resuming interrupted rebase\n') | ||
Martin von Zweigbergk
|
r44820 | self.resume = False | ||
Martin von Zweigbergk
|
r36949 | else: | ||
Martin von Zweigbergk
|
r48253 | overrides = {(b'ui', b'forcemerge'): opts.get('tool', b'')} | ||
Augie Fackler
|
r43347 | with ui.configoverride(overrides, b'rebase'): | ||
Martin von Zweigbergk
|
r46132 | try: | ||
rebasenode( | ||||
repo, | ||||
rev, | ||||
p1, | ||||
p2, | ||||
base, | ||||
self.collapsef, | ||||
wctx=self.wctx, | ||||
) | ||||
except error.InMemoryMergeConflictsError: | ||||
if self.dryrun: | ||||
raise error.ConflictResolutionRequired(b'rebase') | ||||
if self.collapsef: | ||||
# TODO: Make the overlayworkingctx reflected | ||||
# in the working copy here instead of re-raising | ||||
# so the entire rebase operation is retried. | ||||
raise | ||||
ui.status( | ||||
_( | ||||
b"hit merge conflicts; rebasing that " | ||||
b"commit again in the working copy\n" | ||||
) | ||||
) | ||||
Martin von Zweigbergk
|
r46641 | try: | ||
cmdutil.bailifchanged(repo) | ||||
except error.Abort: | ||||
clearstatus(repo) | ||||
clearcollapsemsg(repo) | ||||
raise | ||||
Martin von Zweigbergk
|
r46132 | self.inmemory = False | ||
self._assignworkingcopy() | ||||
Martin von Zweigbergk
|
r46150 | mergemod.update(repo[p1], wc=self.wctx) | ||
Martin von Zweigbergk
|
r46132 | rebasenode( | ||
repo, | ||||
rev, | ||||
p1, | ||||
p2, | ||||
base, | ||||
self.collapsef, | ||||
wctx=self.wctx, | ||||
) | ||||
Martin von Zweigbergk
|
r36949 | if not self.collapsef: | ||
merging = p2 != nullrev | ||||
Augie Fackler
|
r43347 | editform = cmdutil.mergeeditform(merging, b'rebase') | ||
Martin von Zweigbergk
|
r48253 | editor = cmdutil.getcommiteditor(editform=editform, **opts) | ||
Martin von Zweigbergk
|
r45157 | # We need to set parents again here just in case we're continuing | ||
# a rebase started with an old hg version (before 9c9cfecd4600), | ||||
# because those old versions would have left us with two dirstate | ||||
# parents, and we don't want to create a merge commit here (unless | ||||
# we're rebasing a merge commit). | ||||
self.wctx.setparents(repo[p1].node(), repo[p2].node()) | ||||
Martin von Zweigbergk
|
r46083 | newnode = self._concludenode(rev, editor) | ||
Martin von Zweigbergk
|
r36949 | else: | ||
# Skip commit if we are collapsing | ||||
newnode = None | ||||
# Update the state | ||||
if newnode is not None: | ||||
self.state[rev] = repo[newnode].rev() | ||||
Augie Fackler
|
r43347 | ui.debug(b'rebased as %s\n' % short(newnode)) | ||
Manuel Jacob
|
r45683 | if repo[newnode].isempty(): | ||
ui.warn( | ||||
_( | ||||
b'note: created empty successor for %s, its ' | ||||
b'destination already has all its changes\n' | ||||
) | ||||
% desc | ||||
) | ||||
Martin von Zweigbergk
|
r36949 | else: | ||
Kostia Balytskyi
|
r29477 | if not self.collapsef: | ||
Augie Fackler
|
r43346 | ui.warn( | ||
_( | ||||
Augie Fackler
|
r43347 | b'note: not rebasing %s, its destination already ' | ||
b'has all its changes\n' | ||||
Augie Fackler
|
r43346 | ) | ||
% desc | ||||
) | ||||
Martin von Zweigbergk
|
r36949 | self.skipped.add(rev) | ||
self.state[rev] = p1 | ||||
Augie Fackler
|
r43347 | ui.debug(b'next revision set to %d\n' % p1) | ||
Martin von Zweigbergk
|
r36949 | else: | ||
Augie Fackler
|
r43346 | ui.status( | ||
Augie Fackler
|
r43347 | _(b'already rebased %s as %s\n') % (desc, repo[self.state[rev]]) | ||
Augie Fackler
|
r43346 | ) | ||
Martin von Zweigbergk
|
r37050 | if not tr: | ||
# When not using single transaction, store state after each | ||||
# commit is completely done. On InterventionRequired, we thus | ||||
# won't store the status. Instead, we'll hit the "len(parents) == 2" | ||||
# case and realize that the commit was in progress. | ||||
self.storestatus() | ||||
Kostia Balytskyi
|
r29477 | |||
Sushil khanchi
|
r38852 | def _finishrebase(self): | ||
Kostia Balytskyi
|
r29478 | repo, ui, opts = self.repo, self.ui, self.opts | ||
Martin von Zweigbergk
|
r48253 | fm = ui.formatter(b'rebase', pycompat.byteskwargs(opts)) | ||
Pulkit Goyal
|
r34884 | fm.startitem() | ||
Martin von Zweigbergk
|
r36789 | if self.collapsef: | ||
Augie Fackler
|
r43346 | p1, p2, _base = defineparents( | ||
repo, | ||||
min(self.state), | ||||
self.destmap, | ||||
self.state, | ||||
self.skipped, | ||||
Martin von Zweigbergk
|
r47589 | self.obsolete_with_successor_in_destination, | ||
Augie Fackler
|
r43346 | ) | ||
Martin von Zweigbergk
|
r48253 | editopt = opts.get('edit') | ||
Augie Fackler
|
r43347 | editform = b'rebase.collapse' | ||
Kostia Balytskyi
|
r29478 | if self.collapsemsg: | ||
commitmsg = self.collapsemsg | ||||
else: | ||||
Augie Fackler
|
r43347 | commitmsg = b'Collapsed revision' | ||
Yuya Nishihara
|
r33624 | for rebased in sorted(self.state): | ||
Jun Wu
|
r33847 | if rebased not in self.skipped: | ||
Augie Fackler
|
r43347 | commitmsg += b'\n* %s' % repo[rebased].description() | ||
Kostia Balytskyi
|
r29478 | editopt = True | ||
editor = cmdutil.getcommiteditor(edit=editopt, editform=editform) | ||||
Kostia Balytskyi
|
r29552 | revtoreuse = max(self.state) | ||
Durham Goode
|
r33621 | |||
Martin von Zweigbergk
|
r44822 | self.wctx.setparents(repo[p1].node(), repo[self.external].node()) | ||
Augie Fackler
|
r43346 | newnode = self._concludenode( | ||
Martin von Zweigbergk
|
r46083 | revtoreuse, editor, commitmsg=commitmsg | ||
Augie Fackler
|
r43346 | ) | ||
Martin von Zweigbergk
|
r36946 | |||
Jun Wu
|
r33864 | if newnode is not None: | ||
Kostia Balytskyi
|
r29478 | newrev = repo[newnode].rev() | ||
Augie Fackler
|
r36313 | for oldrev in self.state: | ||
Kostia Balytskyi
|
r29478 | self.state[oldrev] = newrev | ||
Augie Fackler
|
r43347 | if b'qtip' in repo.tags(): | ||
Martin von Zweigbergk
|
r48253 | updatemq(repo, self.state, self.skipped, **opts) | ||
Kostia Balytskyi
|
r29478 | |||
# restore original working directory | ||||
# (we do this before stripping) | ||||
newwd = self.state.get(self.originalwd, self.originalwd) | ||||
Jun Wu
|
r33842 | if newwd < 0: | ||
Kostia Balytskyi
|
r29478 | # original directory is a parent of rebase set root or ignored | ||
newwd = self.originalwd | ||||
Martin von Zweigbergk
|
r36993 | if newwd not in [c.rev() for c in repo[None].parents()]: | ||
Augie Fackler
|
r43347 | ui.note(_(b"update back to initial working directory parent\n")) | ||
Martin von Zweigbergk
|
r46151 | mergemod.update(repo[newwd]) | ||
Kostia Balytskyi
|
r29478 | |||
Jun Wu
|
r34364 | collapsedas = None | ||
Martin von Zweigbergk
|
r36792 | if self.collapsef and not self.keepf: | ||
collapsedas = newnode | ||||
Augie Fackler
|
r43346 | clearrebased( | ||
ui, | ||||
repo, | ||||
self.destmap, | ||||
self.state, | ||||
self.skipped, | ||||
collapsedas, | ||||
self.keepf, | ||||
fm=fm, | ||||
backup=self.backupf, | ||||
) | ||||
Kostia Balytskyi
|
r29478 | |||
clearstatus(repo) | ||||
clearcollapsemsg(repo) | ||||
Augie Fackler
|
r43347 | ui.note(_(b"rebase completed\n")) | ||
util.unlinkpath(repo.sjoin(b'undo'), ignoremissing=True) | ||||
Kostia Balytskyi
|
r29478 | if self.skipped: | ||
skippedlen = len(self.skipped) | ||||
Augie Fackler
|
r43347 | ui.note(_(b"%d revisions have been skipped\n") % skippedlen) | ||
Pulkit Goyal
|
r34884 | fm.end() | ||
Kostia Balytskyi
|
r29478 | |||
Augie Fackler
|
r43346 | if ( | ||
self.activebookmark | ||||
and self.activebookmark in repo._bookmarks | ||||
Augie Fackler
|
r43347 | and repo[b'.'].node() == repo._bookmarks[self.activebookmark] | ||
Augie Fackler
|
r43346 | ): | ||
bookmarks.activate(repo, self.activebookmark) | ||||
Kostia Balytskyi
|
r29478 | |||
Matt Harbison
|
r45458 | def _abort(self, backup=True, suppwarns=False, dryrun=False, confirm=False): | ||
Martin von Zweigbergk
|
r40892 | '''Restore the repository to its original state.''' | ||
Martin von Zweigbergk
|
r40891 | |||
Martin von Zweigbergk
|
r40892 | repo = self.repo | ||
Martin von Zweigbergk
|
r40891 | try: | ||
# If the first commits in the rebased set get skipped during the | ||||
# rebase, their values within the state mapping will be the dest | ||||
# rev id. The rebased list must must not contain the dest rev | ||||
# (issue4896) | ||||
Augie Fackler
|
r43346 | rebased = [ | ||
s | ||||
for r, s in self.state.items() | ||||
if s >= 0 and s != r and s != self.destmap[r] | ||||
] | ||||
Martin von Zweigbergk
|
r40891 | immutable = [d for d in rebased if not repo[d].mutable()] | ||
cleanup = True | ||||
if immutable: | ||||
Augie Fackler
|
r43346 | repo.ui.warn( | ||
Augie Fackler
|
r43347 | _(b"warning: can't clean up public changesets %s\n") | ||
% b', '.join(bytes(repo[r]) for r in immutable), | ||||
hint=_(b"see 'hg help phases' for details"), | ||||
Augie Fackler
|
r43346 | ) | ||
Martin von Zweigbergk
|
r40891 | cleanup = False | ||
descendants = set() | ||||
if rebased: | ||||
descendants = set(repo.changelog.descendants(rebased)) | ||||
if descendants - set(rebased): | ||||
Augie Fackler
|
r43346 | repo.ui.warn( | ||
_( | ||||
Augie Fackler
|
r43347 | b"warning: new changesets detected on " | ||
b"destination branch, can't strip\n" | ||||
Augie Fackler
|
r43346 | ) | ||
) | ||||
Martin von Zweigbergk
|
r40891 | cleanup = False | ||
if cleanup: | ||||
if rebased: | ||||
strippoints = [ | ||||
Augie Fackler
|
r43347 | c.node() for c in repo.set(b'roots(%ld)', rebased) | ||
Augie Fackler
|
r43346 | ] | ||
Martin von Zweigbergk
|
r40891 | |||
updateifonnodes = set(rebased) | ||||
Martin von Zweigbergk
|
r40892 | updateifonnodes.update(self.destmap.values()) | ||
Matt Harbison
|
r45458 | |||
if not dryrun and not confirm: | ||||
updateifonnodes.add(self.originalwd) | ||||
Augie Fackler
|
r43347 | shouldupdate = repo[b'.'].rev() in updateifonnodes | ||
Martin von Zweigbergk
|
r40891 | |||
# Update away from the rebase if necessary | ||||
Martin von Zweigbergk
|
r44505 | if shouldupdate: | ||
Martin von Zweigbergk
|
r44743 | mergemod.clean_update(repo[self.originalwd]) | ||
Martin von Zweigbergk
|
r40891 | |||
# Strip from the first rebased revision | ||||
if rebased: | ||||
repair.strip(repo.ui, repo, strippoints, backup=backup) | ||||
Martin von Zweigbergk
|
r40892 | if self.activebookmark and self.activebookmark in repo._bookmarks: | ||
bookmarks.activate(repo, self.activebookmark) | ||||
Martin von Zweigbergk
|
r40891 | |||
finally: | ||||
clearstatus(repo) | ||||
clearcollapsemsg(repo) | ||||
if not suppwarns: | ||||
Augie Fackler
|
r43347 | repo.ui.warn(_(b'rebase aborted\n')) | ||
Martin von Zweigbergk
|
r40891 | return 0 | ||
Augie Fackler
|
r43346 | |||
@command( | ||||
Augie Fackler
|
r43347 | b'rebase', | ||
Augie Fackler
|
r43346 | [ | ||
( | ||||
Augie Fackler
|
r43347 | b's', | ||
b'source', | ||||
Martin von Zweigbergk
|
r45044 | [], | ||
_(b'rebase the specified changesets and their descendants'), | ||||
Augie Fackler
|
r43347 | _(b'REV'), | ||
Augie Fackler
|
r43346 | ), | ||
( | ||||
Augie Fackler
|
r43347 | b'b', | ||
b'base', | ||||
Martin von Zweigbergk
|
r45045 | [], | ||
Augie Fackler
|
r43347 | _(b'rebase everything from branching point of specified changeset'), | ||
_(b'REV'), | ||||
Augie Fackler
|
r43346 | ), | ||
Augie Fackler
|
r43347 | (b'r', b'rev', [], _(b'rebase these revisions'), _(b'REV')), | ||
Augie Fackler
|
r43346 | ( | ||
Augie Fackler
|
r43347 | b'd', | ||
b'dest', | ||||
b'', | ||||
_(b'rebase onto the specified changeset'), | ||||
_(b'REV'), | ||||
Augie Fackler
|
r43346 | ), | ||
Augie Fackler
|
r43347 | (b'', b'collapse', False, _(b'collapse the rebased changesets')), | ||
Augie Fackler
|
r43346 | ( | ||
Augie Fackler
|
r43347 | b'm', | ||
b'message', | ||||
b'', | ||||
_(b'use text as collapse commit message'), | ||||
_(b'TEXT'), | ||||
), | ||||
(b'e', b'edit', False, _(b'invoke editor on commit messages')), | ||||
( | ||||
b'l', | ||||
b'logfile', | ||||
b'', | ||||
_(b'read collapse commit message from file'), | ||||
_(b'FILE'), | ||||
Augie Fackler
|
r43346 | ), | ||
Augie Fackler
|
r43347 | (b'k', b'keep', False, _(b'keep original changesets')), | ||
(b'', b'keepbranches', False, _(b'keep original branch names')), | ||||
(b'D', b'detach', False, _(b'(DEPRECATED)')), | ||||
(b'i', b'interactive', False, _(b'(DEPRECATED)')), | ||||
(b't', b'tool', b'', _(b'specify merge tool')), | ||||
(b'', b'stop', False, _(b'stop interrupted rebase')), | ||||
(b'c', b'continue', False, _(b'continue an interrupted rebase')), | ||||
(b'a', b'abort', False, _(b'abort an interrupted rebase')), | ||||
Augie Fackler
|
r43346 | ( | ||
Augie Fackler
|
r43347 | b'', | ||
b'auto-orphans', | ||||
b'', | ||||
Augie Fackler
|
r43346 | _( | ||
Augie Fackler
|
r43347 | b'automatically rebase orphan revisions ' | ||
b'in the specified revset (EXPERIMENTAL)' | ||||
Augie Fackler
|
r43346 | ), | ||
), | ||||
] | ||||
+ cmdutil.dryrunopts | ||||
+ cmdutil.formatteropts | ||||
+ cmdutil.confirmopts, | ||||
Martin von Zweigbergk
|
r45045 | _(b'[[-s REV]... | [-b REV]... | [-r REV]...] [-d REV] [OPTION]...'), | ||
Augie Fackler
|
r43346 | helpcategory=command.CATEGORY_CHANGE_MANAGEMENT, | ||
) | ||||
Stefano Tortarolo
|
r6906 | def rebase(ui, repo, **opts): | ||
"""move changeset (and descendants) to a different branch | ||||
Martin Geisler
|
r7999 | Rebase uses repeated merging to graft changesets from one part of | ||
Greg Ward
|
r10646 | history (the source) onto another (the destination). This can be | ||
Martin Geisler
|
r11188 | useful for linearizing *local* changes relative to a master | ||
Greg Ward
|
r10646 | development tree. | ||
timeless
|
r27454 | Published commits cannot be rebased (see :hg:`help phases`). | ||
To copy commits, see :hg:`help graft`. | ||||
Kevin Bullock
|
r18516 | |||
Pierre-Yves David
|
r28189 | If you don't specify a destination changeset (``-d/--dest``), rebase | ||
will use the same logic as :hg:`merge` to pick a destination. if | ||||
the current branch contains exactly one other head, the other head | ||||
is merged with by default. Otherwise, an explicit revision with | ||||
which to merge with must be provided. (destination changeset is not | ||||
modified by rebasing, but new changesets are added as its | ||||
descendants.) | ||||
Greg Ward
|
r10646 | |||
FUJIWARA Katsunori
|
r27956 | Here are the ways to select changesets: | ||
timeless
|
r27455 | |||
1. Explicitly select them using ``--rev``. | ||||
Greg Ward
|
r10646 | |||
timeless
|
r27455 | 2. Use ``--source`` to select a root changeset and include all of its | ||
FUJIWARA Katsunori
|
r27959 | descendants. | ||
timeless
|
r27455 | |||
3. Use ``--base`` to select a changeset; rebase will find ancestors | ||||
FUJIWARA Katsunori
|
r27959 | and their descendants which are not also ancestors of the destination. | ||
Pierre-Yves David
|
r18518 | |||
Manuel Jacob
|
r41972 | 4. If you do not specify any of ``--rev``, ``--source``, or ``--base``, | ||
FUJIWARA Katsunori
|
r27959 | rebase will use ``--base .`` as above. | ||
timeless
|
r27932 | |||
Jun Wu
|
r35288 | If ``--source`` or ``--rev`` is used, special names ``SRC`` and ``ALLSRC`` | ||
can be used in ``--dest``. Destination would be calculated per source | ||||
revision with ``SRC`` substituted by that single source revision and | ||||
``ALLSRC`` substituted by all source revisions. | ||||
timeless
|
r27456 | Rebase will destroy original changesets unless you use ``--keep``. | ||
It will also move your bookmarks (even if you do). | ||||
Some changesets may be dropped if they do not contribute changes | ||||
(e.g. merges from the destination branch). | ||||
Greg Ward
|
r10646 | |||
timeless
|
r27457 | Unlike ``merge``, rebase will do nothing if you are at the branch tip of | ||
a named branch with two heads. You will need to explicitly specify source | ||||
and/or destination. | ||||
Stefano Tortarolo
|
r6906 | |||
timeless
|
r28001 | If you need to use a tool to automate merge/conflict decisions, you | ||
can specify one with ``--tool``, see :hg:`help merge-tools`. | ||||
timeless
|
r28002 | As a caveat: the tool will not be used to mediate when a file was | ||
deleted, there is no hook presently available for this. | ||||
timeless
|
r28001 | |||
timeless
|
r27458 | If a rebase is interrupted to manually resolve a conflict, it can be | ||
Sushil khanchi
|
r39130 | continued with --continue/-c, aborted with --abort/-a, or stopped with | ||
--stop. | ||||
Matt Mackall
|
r11205 | |||
Matt Mackall
|
r22790 | .. container:: verbose | ||
Examples: | ||||
- move "local changes" (current commit back to branching point) | ||||
to the current branch tip after a pull:: | ||||
hg rebase | ||||
- move a single changeset to the stable branch:: | ||||
hg rebase -r 5f493448 -d stable | ||||
- splice a commit and all its descendants onto another part of history:: | ||||
hg rebase --source c0c3 --dest 4cf9 | ||||
- rebase everything on a branch marked by a bookmark onto the | ||||
default branch:: | ||||
hg rebase --base myfeature --dest default | ||||
- collapse a sequence of changes into a single commit:: | ||||
hg rebase --collapse -r 1520:1525 -d . | ||||
- move a named branch while preserving its name:: | ||||
hg rebase -r "branch(featureX)" -d 1.3 --keepbranches | ||||
Jun Wu
|
r35288 | - stabilize orphaned changesets so history looks linear:: | ||
hg rebase -r 'orphan()-obsolete()'\ | ||||
-d 'first(max((successors(max(roots(ALLSRC) & ::SRC)^)-obsolete())::) +\ | ||||
max(::((roots(ALLSRC) & ::SRC)^)-obsolete()))' | ||||
Ryan McElroy
|
r31558 | Configuration Options: | ||
You can make rebase require a destination if you set the following config | ||||
FUJIWARA Katsunori
|
r32085 | option:: | ||
Ryan McElroy
|
r31558 | |||
[commands] | ||||
FUJIWARA Katsunori
|
r32084 | rebase.requiredest = True | ||
Ryan McElroy
|
r31558 | |||
Durham Goode
|
r33569 | By default, rebase will close the transaction after each commit. For | ||
performance purposes, you can configure rebase to use a single transaction | ||||
across the entire rebase. WARNING: This setting introduces a significant | ||||
risk of losing the work you've done in a rebase if the rebase aborts | ||||
unexpectedly:: | ||||
[rebase] | ||||
singletransaction = True | ||||
Phil Cohen
|
r35389 | By default, rebase writes to the working copy, but you can configure it to | ||
Kyle Lippincott
|
r42640 | run in-memory for better performance. When the rebase is not moving the | ||
parent(s) of the working copy (AKA the "currently checked out changesets"), | ||||
this may also allow it to run even if the working copy is dirty:: | ||||
Phil Cohen
|
r35389 | |||
[rebase] | ||||
experimental.inmemory = True | ||||
Ryan McElroy
|
r31558 | Return Values: | ||
FUJIWARA Katsunori
|
r19971 | Returns 0 on success, 1 if nothing to rebase or there are | ||
unresolved conflicts. | ||||
Matt Mackall
|
r22790 | |||
Stefano Tortarolo
|
r6906 | """ | ||
Augie Fackler
|
r43347 | inmemory = ui.configbool(b'rebase', b'experimental.inmemory') | ||
Martin von Zweigbergk
|
r48252 | action = cmdutil.check_at_most_one_arg(opts, 'abort', 'stop', 'continue') | ||
Martin von Zweigbergk
|
r44379 | if action: | ||
cmdutil.check_incompatible_arguments( | ||||
Martin von Zweigbergk
|
r48252 | opts, action, ['confirm', 'dry_run'] | ||
Martin von Zweigbergk
|
r44379 | ) | ||
Martin von Zweigbergk
|
r44383 | cmdutil.check_incompatible_arguments( | ||
Martin von Zweigbergk
|
r48252 | opts, action, ['rev', 'source', 'base', 'dest'] | ||
Martin von Zweigbergk
|
r44383 | ) | ||
Martin von Zweigbergk
|
r48252 | cmdutil.check_at_most_one_arg(opts, 'confirm', 'dry_run') | ||
cmdutil.check_at_most_one_arg(opts, 'rev', 'source', 'base') | ||||
Sushil khanchi
|
r38391 | |||
Yuya Nishihara
|
r39137 | if action or repo.currenttransaction() is not None: | ||
Phil Cohen
|
r35321 | # in-memory rebase is not compatible with resuming rebases. | ||
Phil Cohen
|
r35719 | # (Or if it is run within a transaction, since the restart logic can | ||
# fail the entire transaction.) | ||||
Phil Cohen
|
r35389 | inmemory = False | ||
Phil Cohen
|
r35321 | |||
Martin von Zweigbergk
|
r48252 | if opts.get('auto_orphans'): | ||
disallowed_opts = set(opts) - {'auto_orphans'} | ||||
Martin von Zweigbergk
|
r44382 | cmdutil.check_incompatible_arguments( | ||
Martin von Zweigbergk
|
r48252 | opts, 'auto_orphans', disallowed_opts | ||
Martin von Zweigbergk
|
r44382 | ) | ||
Martin von Zweigbergk
|
r48252 | userrevs = list(repo.revs(opts.get('auto_orphans'))) | ||
opts['rev'] = [revsetlang.formatspec(b'%ld and orphan()', userrevs)] | ||||
opts['dest'] = b'_destautoorphanrebase(SRC)' | ||||
Augie Fackler
|
r37805 | |||
Martin von Zweigbergk
|
r48253 | if opts.get('dry_run') or opts.get('confirm'): | ||
Yuya Nishihara
|
r39136 | return _dryrunrebase(ui, repo, action, opts) | ||
Martin von Zweigbergk
|
r48252 | elif action == 'stop': | ||
Sushil khanchi
|
r39128 | rbsrt = rebaseruntime(repo, ui) | ||
with repo.wlock(), repo.lock(): | ||||
Sushil khanchi
|
r39152 | rbsrt.restorestatus() | ||
if rbsrt.collapsef: | ||||
Martin von Zweigbergk
|
r47377 | raise error.StateError(_(b"cannot stop in --collapse session")) | ||
Sushil khanchi
|
r39152 | allowunstable = obsolete.isenabled(repo, obsolete.allowunstableopt) | ||
if not (rbsrt.keepf or allowunstable): | ||||
Martin von Zweigbergk
|
r47377 | raise error.StateError( | ||
Augie Fackler
|
r43346 | _( | ||
Augie Fackler
|
r43347 | b"cannot remove original changesets with" | ||
b" unrebased descendants" | ||||
Augie Fackler
|
r43346 | ), | ||
hint=_( | ||||
Augie Fackler
|
r43347 | b'either enable obsmarkers to allow unstable ' | ||
b'revisions or use --keep to keep original ' | ||||
b'changesets' | ||||
Augie Fackler
|
r43346 | ), | ||
) | ||||
Martin von Zweigbergk
|
r44505 | # update to the current working revision | ||
# to clear interrupted merge | ||||
Martin von Zweigbergk
|
r46133 | mergemod.clean_update(repo[rbsrt.originalwd]) | ||
Sushil khanchi
|
r39128 | rbsrt._finishrebase() | ||
return 0 | ||||
Sushil khanchi
|
r38391 | elif inmemory: | ||
Phil Cohen
|
r35321 | try: | ||
# in-memory merge doesn't support conflicts, so if we hit any, abort | ||||
# and re-run as an on-disk merge. | ||||
Augie Fackler
|
r43347 | overrides = {(b'rebase', b'singletransaction'): True} | ||
with ui.configoverride(overrides, b'rebase'): | ||||
Yuya Nishihara
|
r39136 | return _dorebase(ui, repo, action, opts, inmemory=inmemory) | ||
Phil Cohen
|
r35321 | except error.InMemoryMergeConflictsError: | ||
Augie Fackler
|
r47071 | if ui.configbool(b'devel', b'rebase.force-in-memory-merge'): | ||
raise | ||||
Augie Fackler
|
r43346 | ui.warn( | ||
_( | ||||
Augie Fackler
|
r43347 | b'hit merge conflicts; re-running rebase without in-memory' | ||
b' merge\n' | ||||
Augie Fackler
|
r43346 | ) | ||
) | ||||
Martin von Zweigbergk
|
r40835 | clearstatus(repo) | ||
clearcollapsemsg(repo) | ||||
Yuya Nishihara
|
r39136 | return _dorebase(ui, repo, action, opts, inmemory=False) | ||
Phil Cohen
|
r35321 | else: | ||
Yuya Nishihara
|
r39136 | return _dorebase(ui, repo, action, opts) | ||
Phil Cohen
|
r35321 | |||
Augie Fackler
|
r43346 | |||
Yuya Nishihara
|
r39136 | def _dryrunrebase(ui, repo, action, opts): | ||
Martin von Zweigbergk
|
r46121 | rbsrt = rebaseruntime(repo, ui, inmemory=True, dryrun=True, opts=opts) | ||
Martin von Zweigbergk
|
r48253 | confirm = opts.get('confirm') | ||
Sushil khanchi
|
r38689 | if confirm: | ||
Augie Fackler
|
r43347 | ui.status(_(b'starting in-memory rebase\n')) | ||
Sushil khanchi
|
r38689 | else: | ||
Augie Fackler
|
r43346 | ui.status( | ||
Martin von Zweigbergk
|
r43387 | _(b'starting dry-run rebase; repository will not be changed\n') | ||
Augie Fackler
|
r43346 | ) | ||
Sushil khanchi
|
r38515 | with repo.wlock(), repo.lock(): | ||
Sushil khanchi
|
r38689 | needsabort = True | ||
Sushil khanchi
|
r38515 | try: | ||
Augie Fackler
|
r43347 | overrides = {(b'rebase', b'singletransaction'): True} | ||
with ui.configoverride(overrides, b'rebase'): | ||||
Sushil khanchi
|
r46796 | res = _origrebase( | ||
Augie Fackler
|
r46554 | ui, | ||
repo, | ||||
action, | ||||
opts, | ||||
rbsrt, | ||||
Augie Fackler
|
r43346 | ) | ||
Sushil khanchi
|
r46796 | if res == _nothingtorebase(): | ||
needsabort = False | ||||
return res | ||||
Martin von Zweigbergk
|
r46132 | except error.ConflictResolutionRequired: | ||
Augie Fackler
|
r43347 | ui.status(_(b'hit a merge conflict\n')) | ||
Sushil khanchi
|
r38515 | return 1 | ||
Augie Fackler
|
r42277 | except error.Abort: | ||
needsabort = False | ||||
raise | ||||
Sushil khanchi
|
r38515 | else: | ||
Sushil khanchi
|
r38689 | if confirm: | ||
Augie Fackler
|
r43347 | ui.status(_(b'rebase completed successfully\n')) | ||
Martin von Zweigbergk
|
r43387 | if not ui.promptchoice(_(b'apply changes (yn)?$$ &Yes $$ &No')): | ||
Sushil khanchi
|
r38689 | # finish unfinished rebase | ||
Sushil khanchi
|
r38852 | rbsrt._finishrebase() | ||
Sushil khanchi
|
r38689 | else: | ||
Augie Fackler
|
r43346 | rbsrt._prepareabortorcontinue( | ||
Matt Harbison
|
r45458 | isabort=True, | ||
backup=False, | ||||
suppwarns=True, | ||||
confirm=confirm, | ||||
Augie Fackler
|
r43346 | ) | ||
Sushil khanchi
|
r38689 | needsabort = False | ||
else: | ||||
Augie Fackler
|
r43346 | ui.status( | ||
_( | ||||
Augie Fackler
|
r43347 | b'dry-run rebase completed successfully; run without' | ||
b' -n/--dry-run to perform this rebase\n' | ||||
Augie Fackler
|
r43346 | ) | ||
) | ||||
Sushil khanchi
|
r38515 | return 0 | ||
finally: | ||||
Sushil khanchi
|
r38689 | if needsabort: | ||
# no need to store backup in case of dryrun | ||||
Augie Fackler
|
r43346 | rbsrt._prepareabortorcontinue( | ||
Matt Harbison
|
r45458 | isabort=True, | ||
backup=False, | ||||
suppwarns=True, | ||||
Martin von Zweigbergk
|
r48253 | dryrun=opts.get('dry_run'), | ||
Augie Fackler
|
r43346 | ) | ||
Sushil khanchi
|
r38515 | |||
Yuya Nishihara
|
r39136 | def _dorebase(ui, repo, action, opts, inmemory=False): | ||
Martin von Zweigbergk
|
r46121 | rbsrt = rebaseruntime(repo, ui, inmemory, opts=opts) | ||
Martin von Zweigbergk
|
r46119 | return _origrebase(ui, repo, action, opts, rbsrt) | ||
Sushil khanchi
|
r38516 | |||
Augie Fackler
|
r43346 | |||
Martin von Zweigbergk
|
r46121 | def _origrebase(ui, repo, action, opts, rbsrt): | ||
Martin von Zweigbergk
|
r48252 | assert action != 'stop' | ||
Martin von Zweigbergk
|
r32917 | with repo.wlock(), repo.lock(): | ||
Martin von Zweigbergk
|
r48253 | if opts.get('interactive'): | ||
timeless@mozdev.org
|
r26496 | try: | ||
Augie Fackler
|
r43347 | if extensions.find(b'histedit'): | ||
enablehistedit = b'' | ||||
timeless@mozdev.org
|
r26496 | except KeyError: | ||
Augie Fackler
|
r43347 | enablehistedit = b" --config extensions.histedit=" | ||
help = b"hg%s help -e histedit" % enablehistedit | ||||
Augie Fackler
|
r43346 | msg = ( | ||
_( | ||||
Augie Fackler
|
r43347 | b"interactive history editing is supported by the " | ||
b"'histedit' extension (see \"%s\")" | ||||
Augie Fackler
|
r43346 | ) | ||
% help | ||||
) | ||||
Martin von Zweigbergk
|
r47377 | raise error.InputError(msg) | ||
David Soria Parra
|
r22382 | |||
Kostia Balytskyi
|
r29400 | if rbsrt.collapsemsg and not rbsrt.collapsef: | ||
Martin von Zweigbergk
|
r47377 | raise error.InputError( | ||
_(b'message can only be specified with collapse') | ||||
) | ||||
Radomir Dopieralski
|
r13661 | |||
Yuya Nishihara
|
r39136 | if action: | ||
Kostia Balytskyi
|
r29400 | if rbsrt.collapsef: | ||
Martin von Zweigbergk
|
r47377 | raise error.InputError( | ||
Augie Fackler
|
r43347 | _(b'cannot use collapse with continue or abort') | ||
Augie Fackler
|
r43346 | ) | ||
Martin von Zweigbergk
|
r48253 | if action == 'abort' and opts.get('tool', False): | ||
Augie Fackler
|
r43347 | ui.warn(_(b'tool option will be ignored\n')) | ||
Martin von Zweigbergk
|
r48252 | if action == 'continue': | ||
Augie Fackler
|
r45383 | ms = mergestatemod.mergestate.read(repo) | ||
Augie Fackler
|
r30495 | mergeutil.checkunresolved(ms) | ||
Stefano Tortarolo
|
r6906 | |||
Martin von Zweigbergk
|
r48252 | retcode = rbsrt._prepareabortorcontinue(isabort=(action == 'abort')) | ||
Kostia Balytskyi
|
r29472 | if retcode is not None: | ||
return retcode | ||||
Stefano Tortarolo
|
r6906 | else: | ||
Martin von Zweigbergk
|
r44384 | # search default destination in this space | ||
# used in the 'hg pull --rebase' case, see issue 5214. | ||||
Martin von Zweigbergk
|
r48253 | destspace = opts.get('_destspace') | ||
Augie Fackler
|
r43346 | destmap = _definedestmap( | ||
ui, | ||||
repo, | ||||
Martin von Zweigbergk
|
r46119 | rbsrt.inmemory, | ||
Martin von Zweigbergk
|
r48253 | opts.get('dest', None), | ||
opts.get('source', []), | ||||
opts.get('base', []), | ||||
opts.get('rev', []), | ||||
Augie Fackler
|
r43346 | destspace=destspace, | ||
) | ||||
Jun Wu
|
r34006 | retcode = rbsrt._preparenewrebase(destmap) | ||
Kostia Balytskyi
|
r29473 | if retcode is not None: | ||
return retcode | ||||
Martin von Zweigbergk
|
r36793 | storecollapsemsg(repo, rbsrt.collapsemsg) | ||
Mads Kiilerich
|
r21027 | |||
Durham Goode
|
r33569 | tr = None | ||
Durham Goode
|
r33621 | |||
Augie Fackler
|
r43347 | singletr = ui.configbool(b'rebase', b'singletransaction') | ||
Durham Goode
|
r33621 | if singletr: | ||
Augie Fackler
|
r43347 | tr = repo.transaction(b'rebase') | ||
Phil Cohen
|
r35496 | |||
# If `rebase.singletransaction` is enabled, wrap the entire operation in | ||||
# one transaction here. Otherwise, transactions are obtained when | ||||
# committing each node, which is slower but allows partial success. | ||||
Durham Goode
|
r33569 | with util.acceptintervention(tr): | ||
r50957 | rbsrt._performrebase(tr) | |||
if not rbsrt.dryrun: | ||||
rbsrt._finishrebase() | ||||
Stefano Tortarolo
|
r6906 | |||
Augie Fackler
|
r43346 | |||
Martin von Zweigbergk
|
r45042 | def _definedestmap(ui, repo, inmemory, destf, srcf, basef, revf, destspace): | ||
Jun Wu
|
r34006 | """use revisions argument to define destmap {srcrev: destrev}""" | ||
Pierre-Yves David
|
r31431 | if revf is None: | ||
revf = [] | ||||
Gregory Szorc
|
r31395 | |||
Pierre-Yves David
|
r29043 | # destspace is here to work around issues with `hg pull --rebase` see | ||
# issue5214 for details | ||||
Pierre-Yves David
|
r28136 | |||
Kyle Lippincott
|
r43988 | cmdutil.checkunfinished(repo) | ||
Martin von Zweigbergk
|
r37043 | if not inmemory: | ||
Phil Cohen
|
r35292 | cmdutil.bailifchanged(repo) | ||
Pierre-Yves David
|
r28136 | |||
Augie Fackler
|
r43347 | if ui.configbool(b'commands', b'rebase.requiredest') and not destf: | ||
Martin von Zweigbergk
|
r47377 | raise error.InputError( | ||
Augie Fackler
|
r43347 | _(b'you must specify a destination'), | ||
hint=_(b'use: hg rebase -d REV'), | ||||
Augie Fackler
|
r43346 | ) | ||
Ryan McElroy
|
r31731 | |||
Jun Wu
|
r34007 | dest = None | ||
Pierre-Yves David
|
r28136 | |||
if revf: | ||||
Martin von Zweigbergk
|
r48928 | rebaseset = logcmdutil.revrange(repo, revf) | ||
Pierre-Yves David
|
r28136 | if not rebaseset: | ||
Augie Fackler
|
r43347 | ui.status(_(b'empty "rev" revision set - nothing to rebase\n')) | ||
Jun Wu
|
r34006 | return None | ||
Pierre-Yves David
|
r28136 | elif srcf: | ||
Martin von Zweigbergk
|
r48928 | src = logcmdutil.revrange(repo, srcf) | ||
Pierre-Yves David
|
r28136 | if not src: | ||
Augie Fackler
|
r43347 | ui.status(_(b'empty "source" revision set - nothing to rebase\n')) | ||
Jun Wu
|
r34006 | return None | ||
Martin von Zweigbergk
|
r45044 | # `+ (%ld)` to work around `wdir()::` being empty | ||
rebaseset = repo.revs(b'(%ld):: + (%ld)', src, src) | ||||
Pierre-Yves David
|
r28136 | else: | ||
Martin von Zweigbergk
|
r48928 | base = logcmdutil.revrange(repo, basef or [b'.']) | ||
Pierre-Yves David
|
r28136 | if not base: | ||
Augie Fackler
|
r43346 | ui.status( | ||
Augie Fackler
|
r43347 | _(b'empty "base" revision set - ' b"can't compute rebase set\n") | ||
Augie Fackler
|
r43346 | ) | ||
Jun Wu
|
r34006 | return None | ||
Jun Wu
|
r34007 | if destf: | ||
# --base does not support multiple destinations | ||||
Martin von Zweigbergk
|
r48930 | dest = logcmdutil.revsingle(repo, destf) | ||
Jun Wu
|
r34007 | else: | ||
Pierre-Yves David
|
r29043 | dest = repo[_destrebase(repo, base, destspace=destspace)] | ||
Pulkit Goyal
|
r36493 | destf = bytes(dest) | ||
Pierre-Yves David
|
r28189 | |||
Augie Fackler
|
r43346 | roots = [] # selected children of branching points | ||
bpbase = {} # {branchingpoint: [origbase]} | ||||
for b in base: # group bases by branching points | ||||
Augie Fackler
|
r43347 | bp = repo.revs(b'ancestor(%d, %d)', b, dest.rev()).first() | ||
Jun Wu
|
r30580 | bpbase[bp] = bpbase.get(bp, []) + [b] | ||
if None in bpbase: | ||||
# emulate the old behavior, showing "nothing to rebase" (a better | ||||
# behavior may be abort with "cannot find branching point" error) | ||||
bpbase.clear() | ||||
Gregory Szorc
|
r49768 | for bp, bs in bpbase.items(): # calculate roots | ||
Augie Fackler
|
r43347 | roots += list(repo.revs(b'children(%d) & ancestors(%ld)', bp, bs)) | ||
Jun Wu
|
r30580 | |||
Augie Fackler
|
r43347 | rebaseset = repo.revs(b'%ld::', roots) | ||
Pierre-Yves David
|
r28136 | |||
if not rebaseset: | ||||
# transform to list because smartsets are not comparable to | ||||
# lists. This should be improved to honor laziness of | ||||
# smartset. | ||||
if list(base) == [dest.rev()]: | ||||
if basef: | ||||
Augie Fackler
|
r43346 | ui.status( | ||
_( | ||||
Augie Fackler
|
r43347 | b'nothing to rebase - %s is both "base"' | ||
b' and destination\n' | ||||
Augie Fackler
|
r43346 | ) | ||
% dest | ||||
) | ||||
Pierre-Yves David
|
r28136 | else: | ||
Augie Fackler
|
r43346 | ui.status( | ||
_( | ||||
Augie Fackler
|
r43347 | b'nothing to rebase - working directory ' | ||
b'parent is also destination\n' | ||||
Augie Fackler
|
r43346 | ) | ||
) | ||||
Augie Fackler
|
r43347 | elif not repo.revs(b'%ld - ::%d', base, dest.rev()): | ||
Pierre-Yves David
|
r28136 | if basef: | ||
Augie Fackler
|
r43346 | ui.status( | ||
_( | ||||
Augie Fackler
|
r43347 | b'nothing to rebase - "base" %s is ' | ||
b'already an ancestor of destination ' | ||||
b'%s\n' | ||||
Augie Fackler
|
r43346 | ) | ||
Augie Fackler
|
r43347 | % (b'+'.join(bytes(repo[r]) for r in base), dest) | ||
Augie Fackler
|
r43346 | ) | ||
Pierre-Yves David
|
r28136 | else: | ||
Augie Fackler
|
r43346 | ui.status( | ||
_( | ||||
Augie Fackler
|
r43347 | b'nothing to rebase - working ' | ||
b'directory parent is already an ' | ||||
b'ancestor of destination %s\n' | ||||
Augie Fackler
|
r43346 | ) | ||
% dest | ||||
) | ||||
else: # can it happen? | ||||
ui.status( | ||||
Augie Fackler
|
r43347 | _(b'nothing to rebase from %s to %s\n') | ||
% (b'+'.join(bytes(repo[r]) for r in base), dest) | ||||
Augie Fackler
|
r43346 | ) | ||
Jun Wu
|
r34006 | return None | ||
Martin von Zweigbergk
|
r36993 | |||
Joerg Sonnenberger
|
r46729 | if wdirrev in rebaseset: | ||
Martin von Zweigbergk
|
r47377 | raise error.InputError(_(b'cannot rebase the working copy')) | ||
Augie Fackler
|
r43347 | rebasingwcp = repo[b'.'].rev() in rebaseset | ||
Augie Fackler
|
r43346 | ui.log( | ||
Augie Fackler
|
r43347 | b"rebase", | ||
b"rebasing working copy parent: %r\n", | ||||
Augie Fackler
|
r43346 | rebasingwcp, | ||
rebase_rebasing_wcp=rebasingwcp, | ||||
) | ||||
Martin von Zweigbergk
|
r37043 | if inmemory and rebasingwcp: | ||
Phil Cohen
|
r35333 | # Check these since we did not before. | ||
cmdutil.checkunfinished(repo) | ||||
cmdutil.bailifchanged(repo) | ||||
Pierre-Yves David
|
r28189 | |||
if not destf: | ||||
Pierre-Yves David
|
r29043 | dest = repo[_destrebase(repo, rebaseset, destspace=destspace)] | ||
Pulkit Goyal
|
r36493 | destf = bytes(dest) | ||
Pierre-Yves David
|
r28189 | |||
Augie Fackler
|
r43347 | allsrc = revsetlang.formatspec(b'%ld', rebaseset) | ||
alias = {b'ALLSRC': allsrc} | ||||
Jun Wu
|
r34007 | |||
if dest is None: | ||||
try: | ||||
# fast path: try to resolve dest without SRC alias | ||||
dest = scmutil.revsingle(repo, destf, localalias=alias) | ||||
except error.RepoLookupError: | ||||
# multi-dest path: resolve dest for each SRC separately | ||||
destmap = {} | ||||
for r in rebaseset: | ||||
Augie Fackler
|
r43347 | alias[b'SRC'] = revsetlang.formatspec(b'%d', r) | ||
Jun Wu
|
r34007 | # use repo.anyrevs instead of scmutil.revsingle because we | ||
# don't want to abort if destset is empty. | ||||
destset = repo.anyrevs([destf], user=True, localalias=alias) | ||||
size = len(destset) | ||||
if size == 1: | ||||
destmap[r] = destset.first() | ||||
elif size == 0: | ||||
Augie Fackler
|
r43347 | ui.note(_(b'skipping %s - empty destination\n') % repo[r]) | ||
Jun Wu
|
r34007 | else: | ||
Martin von Zweigbergk
|
r47377 | raise error.InputError( | ||
Martin von Zweigbergk
|
r43387 | _(b'rebase destination for %s is not unique') % repo[r] | ||
Augie Fackler
|
r43346 | ) | ||
Jun Wu
|
r34007 | |||
if dest is not None: | ||||
# single-dest case: assign dest to each rev in rebaseset | ||||
destrev = dest.rev() | ||||
Augie Fackler
|
r43346 | destmap = {r: destrev for r in rebaseset} # {srcrev: destrev} | ||
Jun Wu
|
r34007 | |||
if not destmap: | ||||
Augie Fackler
|
r43347 | ui.status(_(b'nothing to rebase - empty destination\n')) | ||
Jun Wu
|
r34007 | return None | ||
Jun Wu
|
r34006 | |||
return destmap | ||||
Pierre-Yves David
|
r28136 | |||
Augie Fackler
|
r43346 | |||
Martin von Zweigbergk
|
r32248 | def externalparent(repo, state, destancestors): | ||
Mads Kiilerich
|
r19955 | """Return the revision that should be used as the second parent | ||
Martin von Zweigbergk
|
r32248 | when the revisions in state is collapsed on top of destancestors. | ||
Mads Kiilerich
|
r19955 | Abort if there is more than one parent. | ||
Stefano Tortarolo
|
r10351 | """ | ||
Mads Kiilerich
|
r19955 | parents = set() | ||
Stefano Tortarolo
|
r10351 | source = min(state) | ||
for rev in state: | ||||
if rev == source: | ||||
continue | ||||
for p in repo[rev].parents(): | ||||
Augie Fackler
|
r43346 | if p.rev() not in state and p.rev() not in destancestors: | ||
Mads Kiilerich
|
r19955 | parents.add(p.rev()) | ||
if not parents: | ||||
return nullrev | ||||
if len(parents) == 1: | ||||
return parents.pop() | ||||
Martin von Zweigbergk
|
r47377 | raise error.StateError( | ||
Augie Fackler
|
r43346 | _( | ||
Augie Fackler
|
r43347 | b'unable to collapse on top of %d, there is more ' | ||
b'than one external parent: %s' | ||||
Augie Fackler
|
r43346 | ) | ||
Augie Fackler
|
r43347 | % (max(destancestors), b', '.join(b"%d" % p for p in sorted(parents))) | ||
Augie Fackler
|
r43346 | ) | ||
Stefano Tortarolo
|
r10351 | |||
Martin von Zweigbergk
|
r44823 | def commitmemorynode(repo, wctx, editor, extra, user, date, commitmsg): | ||
Augie Fackler
|
r46554 | """Commit the memory changes with parents p1 and p2. | ||
Return node of committed revision.""" | ||||
Martin von Zweigbergk
|
r37058 | # By convention, ``extra['branch']`` (set by extrafn) clobbers | ||
# ``branch`` (used when passing ``--keepbranches``). | ||||
Martin von Zweigbergk
|
r44502 | branch = None | ||
Augie Fackler
|
r43347 | if b'branch' in extra: | ||
branch = extra[b'branch'] | ||||
Phil Cohen
|
r35320 | |||
Manuel Jacob
|
r45799 | # FIXME: We call _compact() because it's required to correctly detect | ||
# changed files. This was added to fix a regression shortly before the 5.5 | ||||
# release. A proper fix will be done in the default branch. | ||||
wctx._compact() | ||||
Augie Fackler
|
r43346 | memctx = wctx.tomemctx( | ||
commitmsg, | ||||
date=date, | ||||
extra=extra, | ||||
user=user, | ||||
branch=branch, | ||||
editor=editor, | ||||
) | ||||
Manuel Jacob
|
r45650 | if memctx.isempty() and not repo.ui.configbool(b'ui', b'allowemptycommit'): | ||
return None | ||||
Martin von Zweigbergk
|
r37058 | commitres = repo.commitctx(memctx) | ||
Augie Fackler
|
r43346 | wctx.clean() # Might be reused | ||
Martin von Zweigbergk
|
r37058 | return commitres | ||
Phil Cohen
|
r35320 | |||
Augie Fackler
|
r43346 | |||
Martin von Zweigbergk
|
r44823 | def commitnode(repo, editor, extra, user, date, commitmsg): | ||
Augie Fackler
|
r46554 | """Commit the wd changes with parents p1 and p2. | ||
Return node of committed revision.""" | ||||
r50958 | tr = util.nullcontextmanager | |||
Augie Fackler
|
r43347 | if not repo.ui.configbool(b'rebase', b'singletransaction'): | ||
r50958 | tr = lambda: repo.transaction(b'rebase') | |||
with tr(): | ||||
Martin von Zweigbergk
|
r37058 | # Commit might fail if unresolved files exist | ||
Augie Fackler
|
r43346 | newnode = repo.commit( | ||
text=commitmsg, user=user, date=date, extra=extra, editor=editor | ||||
) | ||||
Pierre-Yves David
|
r22038 | |||
r33135 | repo.dirstate.setbranch(repo[newnode].branch()) | |||
return newnode | ||||
Stefano Tortarolo
|
r6906 | |||
Augie Fackler
|
r43346 | |||
Martin von Zweigbergk
|
r46120 | def rebasenode(repo, rev, p1, p2, base, collapse, wctx): | ||
Matt Harbison
|
r44226 | """Rebase a single revision rev on top of p1 using base as merge ancestor""" | ||
Stefano Tortarolo
|
r6906 | # Merge phase | ||
Martin von Zweigbergk
|
r32248 | # Update to destination and merge it with local | ||
Martin von Zweigbergk
|
r44553 | p1ctx = repo[p1] | ||
Phil Cohen
|
r35318 | if wctx.isinmemory(): | ||
Martin von Zweigbergk
|
r44553 | wctx.setbase(p1ctx) | ||
r51002 | scope = util.nullcontextmanager | |||
Stefano Tortarolo
|
r6906 | else: | ||
Augie Fackler
|
r43347 | if repo[b'.'].rev() != p1: | ||
Martin von Zweigbergk
|
r44553 | repo.ui.debug(b" update to %d:%s\n" % (p1, p1ctx)) | ||
Martin von Zweigbergk
|
r44743 | mergemod.clean_update(p1ctx) | ||
Phil Cohen
|
r35318 | else: | ||
Augie Fackler
|
r43347 | repo.ui.debug(b" already in destination\n") | ||
r51002 | scope = lambda: repo.dirstate.changing_parents(repo) | |||
Phil Cohen
|
r35411 | # This is, alas, necessary to invalidate workingctx's manifest cache, | ||
# as well as other data we litter on it in other places. | ||||
wctx = repo[None] | ||||
Phil Cohen
|
r35318 | repo.dirstate.write(repo.currenttransaction()) | ||
Martin von Zweigbergk
|
r44549 | ctx = repo[rev] | ||
repo.ui.debug(b" merge against %d:%s\n" % (rev, ctx)) | ||||
Pierre-Yves David
|
r19969 | if base is not None: | ||
Augie Fackler
|
r43347 | repo.ui.debug(b" detach base %d:%s\n" % (base, repo[base])) | ||
Martin von Zweigbergk
|
r44554 | |||
r51002 | with scope(): | |||
# See explanation in merge.graft() | ||||
mergeancestor = repo.changelog.isancestor(p1ctx.node(), ctx.node()) | ||||
stats = mergemod._update( | ||||
repo, | ||||
rev, | ||||
branchmerge=True, | ||||
force=True, | ||||
ancestor=base, | ||||
mergeancestor=mergeancestor, | ||||
labels=[b'dest', b'source', b'parent of source'], | ||||
wc=wctx, | ||||
) | ||||
wctx.setparents(p1ctx.node(), repo[p2].node()) | ||||
if collapse: | ||||
copies.graftcopies(wctx, ctx, p1ctx) | ||||
else: | ||||
# If we're not using --collapse, we need to | ||||
# duplicate copies between the revision we're | ||||
# rebasing and its first parent. | ||||
copies.graftcopies(wctx, ctx, ctx.p1()) | ||||
Martin von Zweigbergk
|
r46122 | |||
if stats.unresolvedcount > 0: | ||||
if wctx.isinmemory(): | ||||
raise error.InMemoryMergeConflictsError() | ||||
else: | ||||
raise error.ConflictResolutionRequired(b'rebase') | ||||
Dirkjan Ochtman
|
r6923 | |||
Augie Fackler
|
r43346 | |||
Jun Wu
|
r34010 | def adjustdest(repo, rev, destmap, state, skipped): | ||
Gregory Szorc
|
r41674 | r"""adjust rebase destination given the current rebase state | ||
Jun Wu
|
r33591 | |||
rev is what is being rebased. Return a list of two revs, which are the | ||||
adjusted destinations for rev's p1 and p2, respectively. If a parent is | ||||
nullrev, return dest without adjustment for it. | ||||
Jun Wu
|
r34007 | For example, when doing rebasing B+E to F, C to G, rebase will first move B | ||
to B1, and E's destination will be adjusted from F to B1. | ||||
Jun Wu
|
r33591 | |||
B1 <- written during rebasing B | ||||
| | ||||
F <- original destination of B, E | ||||
| | ||||
| E <- rev, which is being rebased | ||||
| | | ||||
| D <- prev, one parent of rev being checked | ||||
| | | ||||
| x <- skipped, ex. no successor or successor in (::dest) | ||||
| | | ||||
Jun Wu
|
r34007 | | C <- rebased as C', different destination | ||
Jun Wu
|
r33591 | | | | ||
Jun Wu
|
r34007 | | B <- rebased as B1 C' | ||
|/ | | ||||
A G <- destination of C, different | ||||
Jun Wu
|
r33591 | |||
Another example about merge changeset, rebase -r C+G+H -d K, rebase will | ||||
first move C to C1, G to G1, and when it's checking H, the adjusted | ||||
destinations will be [C1, G1]. | ||||
H C1 G1 | ||||
/| | / | ||||
F G |/ | ||||
K | | -> K | ||||
| C D | | ||||
| |/ | | ||||
| B | ... | ||||
|/ |/ | ||||
A A | ||||
Jun Wu
|
r34008 | |||
Besides, adjust dest according to existing rebase information. For example, | ||||
B C D B needs to be rebased on top of C, C needs to be rebased on top | ||||
\|/ of D. We will rebase C first. | ||||
A | ||||
C' After rebasing C, when considering B's destination, use C' | ||||
| instead of the original C. | ||||
B D | ||||
\ / | ||||
A | ||||
Jun Wu
|
r33591 | """ | ||
Jun Wu
|
r34006 | # pick already rebased revs with same dest from state as interesting source | ||
dest = destmap[rev] | ||||
Augie Fackler
|
r43346 | source = [ | ||
s | ||||
for s, d in state.items() | ||||
if d > 0 and destmap[s] == dest and s not in skipped | ||||
] | ||||
Jun Wu
|
r33848 | |||
Jun Wu
|
r33591 | result = [] | ||
for prev in repo.changelog.parentrevs(rev): | ||||
adjusted = dest | ||||
if prev != nullrev: | ||||
Augie Fackler
|
r43347 | candidate = repo.revs(b'max(%ld and (::%d))', source, prev).first() | ||
Jun Wu
|
r33591 | if candidate is not None: | ||
adjusted = state[candidate] | ||||
Jun Wu
|
r34008 | if adjusted == dest and dest in state: | ||
adjusted = state[dest] | ||||
if adjusted == revtodo: | ||||
# sortsource should produce an order that makes this impossible | ||||
raise error.ProgrammingError( | ||||
Augie Fackler
|
r43347 | b'rev %d should be rebased already at this time' % dest | ||
Augie Fackler
|
r43346 | ) | ||
Jun Wu
|
r33591 | result.append(adjusted) | ||
return result | ||||
Augie Fackler
|
r43346 | |||
Jun Wu
|
r33845 | def _checkobsrebase(repo, ui, rebaseobsrevs, rebaseobsskipped): | ||
Laurent Charignon
|
r28685 | """ | ||
Abort if rebase will create divergence or rebase is noop because of markers | ||||
`rebaseobsrevs`: set of obsolete revision in source | ||||
`rebaseobsskipped`: set of revisions from source skipped because they have | ||||
Denis Laxalde
|
r36013 | successors in destination or no non-obsolete successor. | ||
Laurent Charignon
|
r28685 | """ | ||
# Obsolete node with successors not in dest leads to divergence | ||||
r48577 | divergenceok = obsolete.isenabled(repo, obsolete.allowdivergenceopt) | |||
Laurent Charignon
|
r28685 | divergencebasecandidates = rebaseobsrevs - rebaseobsskipped | ||
if divergencebasecandidates and not divergenceok: | ||||
Augie Fackler
|
r43346 | divhashes = (bytes(repo[r]) for r in divergencebasecandidates) | ||
Martin von Zweigbergk
|
r43387 | msg = _(b"this rebase will cause divergences from: %s") | ||
Augie Fackler
|
r43346 | h = _( | ||
Augie Fackler
|
r43347 | b"to force the rebase please set " | ||
b"experimental.evolution.allowdivergence=True" | ||||
Augie Fackler
|
r43346 | ) | ||
Martin von Zweigbergk
|
r47377 | raise error.StateError(msg % (b",".join(divhashes),), hint=h) | ||
Laurent Charignon
|
r28685 | |||
Augie Fackler
|
r43346 | |||
Jun Wu
|
r34097 | def successorrevs(unfi, rev): | ||
Jun Wu
|
r33783 | """yield revision numbers for successors of rev""" | ||
Jun Wu
|
r34097 | assert unfi.filtername is None | ||
r43966 | get_rev = unfi.changelog.index.get_rev | |||
Jun Wu
|
r33783 | for s in obsutil.allsuccessors(unfi.obsstore, [unfi[rev].node()]): | ||
r43966 | r = get_rev(s) | |||
if r is not None: | ||||
yield r | ||||
Jun Wu
|
r33783 | |||
Augie Fackler
|
r43346 | |||
Jun Wu
|
r34010 | def defineparents(repo, rev, destmap, state, skipped, obsskipped): | ||
Jun Wu
|
r33783 | """Return new parents and optionally a merge base for rev being rebased | ||
The destination specified by "dest" cannot always be used directly because | ||||
previously rebase result could affect destination. For example, | ||||
Stefano Tortarolo
|
r6906 | |||
Jun Wu
|
r33783 | D E rebase -r C+D+E -d B | ||
|/ C will be rebased to C' | ||||
B C D's new destination will be C' instead of B | ||||
|/ E's new destination will be C' instead of B | ||||
A | ||||
Stefano Tortarolo
|
r6906 | |||
Jun Wu
|
r33783 | The new parents of a merge is slightly more complicated. See the comment | ||
block below. | ||||
""" | ||||
Jun Wu
|
r34094 | # use unfiltered changelog since successorrevs may return filtered nodes | ||
Jun Wu
|
r34097 | assert repo.filtername is None | ||
cl = repo.changelog | ||||
Martin von Zweigbergk
|
r38688 | isancestor = cl.isancestorrev | ||
Jun Wu
|
r33783 | |||
Jun Wu
|
r34006 | dest = destmap[rev] | ||
Augie Fackler
|
r43346 | oldps = repo.changelog.parentrevs(rev) # old parents | ||
newps = [nullrev, nullrev] # new parents | ||||
Jun Wu
|
r34010 | dests = adjustdest(repo, rev, destmap, state, skipped) | ||
Augie Fackler
|
r43346 | bases = list(oldps) # merge base candidates, initially just old parents | ||
Stefano Tortarolo
|
r6906 | |||
Jun Wu
|
r33783 | if all(r == nullrev for r in oldps[1:]): | ||
# For non-merge changeset, just move p to adjusted dest as requested. | ||||
newps[0] = dests[0] | ||||
else: | ||||
# For merge changeset, if we move p to dests[i] unconditionally, both | ||||
# parents may change and the end result looks like "the merge loses a | ||||
# parent", which is a surprise. This is a limit because "--dest" only | ||||
# accepts one dest per src. | ||||
# | ||||
# Therefore, only move p with reasonable conditions (in this order): | ||||
# 1. use dest, if dest is a descendent of (p or one of p's successors) | ||||
# 2. use p's rebased result, if p is rebased (state[p] > 0) | ||||
# | ||||
# Comparing with adjustdest, the logic here does some additional work: | ||||
# 1. decide which parents will not be moved towards dest | ||||
# 2. if the above decision is "no", should a parent still be moved | ||||
# because it was rebased? | ||||
# | ||||
# For example: | ||||
# | ||||
# C # "rebase -r C -d D" is an error since none of the parents | ||||
# /| # can be moved. "rebase -r B+C -d D" will move C's parent | ||||
# A B D # B (using rule "2."), since B will be rebased. | ||||
# | ||||
# The loop tries to be not rely on the fact that a Mercurial node has | ||||
# at most 2 parents. | ||||
for i, p in enumerate(oldps): | ||||
Augie Fackler
|
r43346 | np = p # new parent | ||
Jun Wu
|
r33783 | if any(isancestor(x, dests[i]) for x in successorrevs(repo, p)): | ||
np = dests[i] | ||||
elif p in state and state[p] > 0: | ||||
np = state[p] | ||||
Mads Kiilerich
|
r23484 | |||
Jun Wu
|
r33783 | # If one parent becomes an ancestor of the other, drop the ancestor | ||
for j, x in enumerate(newps[:i]): | ||||
if x == nullrev: | ||||
continue | ||||
Augie Fackler
|
r43346 | if isancestor(np, x): # CASE-1 | ||
Jun Wu
|
r33783 | np = nullrev | ||
Augie Fackler
|
r43346 | elif isancestor(x, np): # CASE-2 | ||
Jun Wu
|
r33783 | newps[j] = np | ||
np = nullrev | ||||
Jun Wu
|
r33863 | # New parents forming an ancestor relationship does not | ||
# mean the old parents have a similar relationship. Do not | ||||
# set bases[x] to nullrev. | ||||
Jun Wu
|
r33783 | bases[j], bases[i] = bases[i], bases[j] | ||
newps[i] = np | ||||
# "rebasenode" updates to new p1, and the old p1 will be used as merge | ||||
# base. If only p2 changes, merging using unchanged p1 as merge base is | ||||
# suboptimal. Therefore swap parents to make the merge sane. | ||||
if newps[1] != nullrev and oldps[0] == newps[0]: | ||||
assert len(newps) == 2 and len(oldps) == 2 | ||||
newps.reverse() | ||||
bases.reverse() | ||||
# No parent change might be an error because we fail to make rev a | ||||
# descendent of requested dest. This can happen, for example: | ||||
# | ||||
# C # rebase -r C -d D | ||||
# /| # None of A and B will be changed to D and rebase fails. | ||||
# A B D | ||||
if set(newps) == set(oldps) and dest not in newps: | ||||
Martin von Zweigbergk
|
r47377 | raise error.InputError( | ||
Augie Fackler
|
r43346 | _( | ||
Augie Fackler
|
r43347 | b'cannot rebase %d:%s without ' | ||
b'moving at least one of its parents' | ||||
Augie Fackler
|
r43346 | ) | ||
% (rev, repo[rev]) | ||||
) | ||||
Jun Wu
|
r33783 | |||
Jun Wu
|
r34008 | # Source should not be ancestor of dest. The check here guarantees it's | ||
# impossible. With multi-dest, the initial check does not cover complex | ||||
# cases since we don't have abstractions to dry-run rebase cheaply. | ||||
if any(p != nullrev and isancestor(rev, p) for p in newps): | ||||
Martin von Zweigbergk
|
r47377 | raise error.InputError(_(b'source is ancestor of destination')) | ||
Jun Wu
|
r34008 | |||
Jun Wu
|
r33783 | # Check if the merge will contain unwanted changes. That may happen if | ||
# there are multiple special (non-changelog ancestor) merge bases, which | ||||
# cannot be handled well by the 3-way merge algorithm. For example: | ||||
# | ||||
# F | ||||
# /| | ||||
# D E # "rebase -r D+E+F -d Z", when rebasing F, if "D" was chosen | ||||
# | | # as merge base, the difference between D and F will include | ||||
# B C # C, so the rebased F will contain C surprisingly. If "E" was | ||||
# |/ # chosen, the rebased F will contain B. | ||||
# A Z | ||||
# | ||||
# But our merge base candidates (D and E in above case) could still be | ||||
# better than the default (ancestor(F, Z) == null). Therefore still | ||||
# pick one (so choose p1 above). | ||||
Martin von Zweigbergk
|
r44815 | if sum(1 for b in set(bases) if b != nullrev and b not in newps) > 1: | ||
Augie Fackler
|
r43346 | unwanted = [None, None] # unwanted[i]: unwanted revs if choose bases[i] | ||
Jun Wu
|
r33863 | for i, base in enumerate(bases): | ||
Martin von Zweigbergk
|
r44815 | if base == nullrev or base in newps: | ||
Jun Wu
|
r33863 | continue | ||
# Revisions in the side (not chosen as merge base) branch that | ||||
# might contain "surprising" contents | ||||
Martin von Zweigbergk
|
r44627 | other_bases = set(bases) - {base} | ||
Augie Fackler
|
r43346 | siderevs = list( | ||
Martin von Zweigbergk
|
r44627 | repo.revs(b'(%ld %% (%d+%d))', other_bases, base, dest) | ||
Augie Fackler
|
r43346 | ) | ||
Mads Kiilerich
|
r23484 | |||
Jun Wu
|
r33863 | # If those revisions are covered by rebaseset, the result is good. | ||
# A merge in rebaseset would be considered to cover its ancestors. | ||||
if siderevs: | ||||
Augie Fackler
|
r43346 | rebaseset = [ | ||
r for r, d in state.items() if d > 0 and r not in obsskipped | ||||
] | ||||
merges = [ | ||||
r for r in rebaseset if cl.parentrevs(r)[1] != nullrev | ||||
] | ||||
unwanted[i] = list( | ||||
repo.revs( | ||||
Augie Fackler
|
r43347 | b'%ld - (::%ld) - %ld', siderevs, merges, rebaseset | ||
Augie Fackler
|
r43346 | ) | ||
) | ||||
Jun Wu
|
r33783 | |||
Martin von Zweigbergk
|
r44815 | if any(revs is not None for revs in unwanted): | ||
# Choose a merge base that has a minimal number of unwanted revs. | ||||
l, i = min( | ||||
(len(revs), i) | ||||
for i, revs in enumerate(unwanted) | ||||
if revs is not None | ||||
Augie Fackler
|
r43346 | ) | ||
Jun Wu
|
r33863 | |||
Martin von Zweigbergk
|
r44815 | # The merge will include unwanted revisions. Abort now. Revisit this if | ||
# we have a more advanced merge algorithm that handles multiple bases. | ||||
if l > 0: | ||||
unwanteddesc = _(b' or ').join( | ||||
( | ||||
b', '.join(b'%d:%s' % (r, repo[r]) for r in revs) | ||||
for revs in unwanted | ||||
if revs is not None | ||||
) | ||||
) | ||||
Martin von Zweigbergk
|
r47377 | raise error.InputError( | ||
Martin von Zweigbergk
|
r44815 | _(b'rebasing %d:%s will include unwanted changes from %s') | ||
% (rev, repo[rev], unwanteddesc) | ||||
) | ||||
# newps[0] should match merge base if possible. Currently, if newps[i] | ||||
# is nullrev, the only case is newps[i] and newps[j] (j < i), one is | ||||
# the other's ancestor. In that case, it's fine to not swap newps here. | ||||
# (see CASE-1 and CASE-2 above) | ||||
if i != 0: | ||||
if newps[i] != nullrev: | ||||
newps[0], newps[i] = newps[i], newps[0] | ||||
bases[0], bases[i] = bases[i], bases[0] | ||||
Martin von Zweigbergk
|
r44695 | |||
# "rebasenode" updates to new p1, use the corresponding merge base. | ||||
Martin von Zweigbergk
|
r44815 | base = bases[0] | ||
Martin von Zweigbergk
|
r44628 | |||
Augie Fackler
|
r43347 | repo.ui.debug(b" future parents are %d and %d\n" % tuple(newps)) | ||
Jun Wu
|
r33783 | |||
return newps[0], newps[1], base | ||||
Stefano Tortarolo
|
r6906 | |||
Augie Fackler
|
r43346 | |||
Stefano Tortarolo
|
r7955 | def isagitpatch(repo, patchname): | ||
Matt Harbison
|
r44226 | """Return true if the given patch is in git format""" | ||
Stefano Tortarolo
|
r7955 | mqpatch = os.path.join(repo.mq.path, patchname) | ||
Augie Fackler
|
r43347 | for line in patch.linereader(open(mqpatch, b'rb')): | ||
if line.startswith(b'diff --git'): | ||||
Stefano Tortarolo
|
r7955 | return True | ||
return False | ||||
Augie Fackler
|
r43346 | |||
Stefano Tortarolo
|
r6906 | def updatemq(repo, state, skipped, **opts): | ||
Matt Harbison
|
r44226 | """Update rebased mq patches - finalize and then import them""" | ||
Stefano Tortarolo
|
r6906 | mqrebase = {} | ||
Nicolas Dumazet
|
r11537 | mq = repo.mq | ||
Adrian Buehlmann
|
r14572 | original_series = mq.fullseries[:] | ||
Patrick Mezard
|
r16531 | skippedpatches = set() | ||
Stefano Tortarolo
|
r14497 | |||
Nicolas Dumazet
|
r11537 | for p in mq.applied: | ||
rev = repo[p.node].rev() | ||||
if rev in state: | ||||
Augie Fackler
|
r43346 | repo.ui.debug( | ||
Augie Fackler
|
r43347 | b'revision %d is an mq patch (%s), finalize it.\n' | ||
Augie Fackler
|
r43346 | % (rev, p.name) | ||
) | ||||
Nicolas Dumazet
|
r11537 | mqrebase[rev] = (p.name, isagitpatch(repo, p.name)) | ||
Patrick Mezard
|
r16531 | else: | ||
# Applied but not rebased, not sure this should happen | ||||
skippedpatches.add(p.name) | ||||
Stefano Tortarolo
|
r6906 | |||
if mqrebase: | ||||
Nicolas Dumazet
|
r11537 | mq.finish(repo, mqrebase.keys()) | ||
Stefano Tortarolo
|
r6906 | |||
# We must start import from the newest revision | ||||
Matt Mackall
|
r8210 | for rev in sorted(mqrebase, reverse=True): | ||
Stefano Tortarolo
|
r6906 | if rev not in skipped: | ||
Nicolas Dumazet
|
r11537 | name, isgit = mqrebase[rev] | ||
Augie Fackler
|
r43346 | repo.ui.note( | ||
Augie Fackler
|
r43347 | _(b'updating mq patch %s to %d:%s\n') | ||
Augie Fackler
|
r43346 | % (name, state[rev], repo[state[rev]]) | ||
) | ||||
mq.qimport( | ||||
Augie Fackler
|
r43347 | repo, | ||
(), | ||||
patchname=name, | ||||
git=isgit, | ||||
rev=[b"%d" % state[rev]], | ||||
Augie Fackler
|
r43346 | ) | ||
Patrick Mezard
|
r16531 | else: | ||
# Rebased and skipped | ||||
skippedpatches.add(mqrebase[rev][0]) | ||||
Stefano Tortarolo
|
r14497 | |||
Patrick Mezard
|
r16531 | # Patches were either applied and rebased and imported in | ||
# order, applied and removed or unapplied. Discard the removed | ||||
# ones while preserving the original series order and guards. | ||||
Augie Fackler
|
r43346 | newseries = [ | ||
s | ||||
for s in original_series | ||||
if mq.guard_re.split(s, 1)[0] not in skippedpatches | ||||
] | ||||
Patrick Mezard
|
r16531 | mq.fullseries[:] = newseries | ||
mq.seriesdirty = True | ||||
Adrian Buehlmann
|
r14580 | mq.savedirty() | ||
Stefano Tortarolo
|
r6906 | |||
Augie Fackler
|
r43346 | |||
liscju
|
r28185 | def storecollapsemsg(repo, collapsemsg): | ||
Matt Harbison
|
r44226 | """Store the collapse message to allow recovery""" | ||
Augie Fackler
|
r43347 | collapsemsg = collapsemsg or b'' | ||
f = repo.vfs(b"last-message.txt", b"w") | ||||
f.write(b"%s\n" % collapsemsg) | ||||
liscju
|
r28185 | f.close() | ||
Augie Fackler
|
r43346 | |||
liscju
|
r28185 | def clearcollapsemsg(repo): | ||
Matt Harbison
|
r44226 | """Remove collapse message file""" | ||
Augie Fackler
|
r43347 | repo.vfs.unlinkpath(b"last-message.txt", ignoremissing=True) | ||
liscju
|
r28185 | |||
Augie Fackler
|
r43346 | |||
Durham Goode
|
r31225 | def restorecollapsemsg(repo, isabort): | ||
Matt Harbison
|
r44226 | """Restore previously stored collapse message""" | ||
liscju
|
r28185 | try: | ||
Augie Fackler
|
r43347 | f = repo.vfs(b"last-message.txt") | ||
liscju
|
r28185 | collapsemsg = f.readline().strip() | ||
f.close() | ||||
Manuel Jacob
|
r50201 | except FileNotFoundError: | ||
Durham Goode
|
r31225 | if isabort: | ||
# Oh well, just abort like normal | ||||
Augie Fackler
|
r43347 | collapsemsg = b'' | ||
Durham Goode
|
r31225 | else: | ||
Augie Fackler
|
r43347 | raise error.Abort(_(b'missing .hg/last-message.txt for rebase')) | ||
liscju
|
r28185 | return collapsemsg | ||
Augie Fackler
|
r43346 | |||
Stefano Tortarolo
|
r6906 | def clearstatus(repo): | ||
Matt Harbison
|
r44226 | """Remove the status files""" | ||
Jun Wu
|
r33056 | # Make sure the active transaction won't write the state file | ||
tr = repo.currenttransaction() | ||||
if tr: | ||||
Augie Fackler
|
r43347 | tr.removefilegenerator(b'rebasestate') | ||
repo.vfs.unlinkpath(b"rebasestate", ignoremissing=True) | ||||
Stefano Tortarolo
|
r6906 | |||
Augie Fackler
|
r43346 | |||
Jun Wu
|
r34008 | def sortsource(destmap): | ||
"""yield source revisions in an order that we only rebase things once | ||||
If source and destination overlaps, we should filter out revisions | ||||
depending on other revisions which hasn't been rebased yet. | ||||
Yield a sorted list of revisions each time. | ||||
For example, when rebasing A to B, B to C. This function yields [B], then | ||||
[A], indicating B needs to be rebased first. | ||||
Raise if there is a cycle so the rebase is impossible. | ||||
""" | ||||
srcset = set(destmap) | ||||
while srcset: | ||||
srclist = sorted(srcset) | ||||
result = [] | ||||
for r in srclist: | ||||
if destmap[r] not in srcset: | ||||
result.append(r) | ||||
if not result: | ||||
Martin von Zweigbergk
|
r47377 | raise error.InputError(_(b'source and destination form a cycle')) | ||
Jun Wu
|
r34008 | srcset -= set(result) | ||
yield result | ||||
Augie Fackler
|
r43346 | |||
Jun Wu
|
r34010 | def buildstate(repo, destmap, collapse): | ||
Augie Fackler
|
r46554 | """Define which revisions are going to be rebased and where | ||
Stefano Tortarolo
|
r6906 | |||
Pierre-Yves David
|
r15267 | repo: repo | ||
Jun Wu
|
r34006 | destmap: {srcrev: destrev} | ||
Augie Fackler
|
r46554 | """ | ||
Jun Wu
|
r34006 | rebaseset = destmap.keys() | ||
Augie Fackler
|
r43347 | originalwd = repo[b'.'].rev() | ||
Stefano Tortarolo
|
r6906 | |||
Greg Ward
|
r10672 | # This check isn't strictly necessary, since mq detects commits over an | ||
# applied patch. But it prevents messing up the working directory when | ||||
# a partially completed rebase is blocked by mq. | ||||
Augie Fackler
|
r43347 | if b'qtip' in repo.tags(): | ||
Augie Fackler
|
r44937 | mqapplied = {repo[s.node].rev() for s in repo.mq.applied} | ||
Jun Wu
|
r34006 | if set(destmap.values()) & mqapplied: | ||
Martin von Zweigbergk
|
r47377 | raise error.StateError(_(b'cannot rebase onto an applied mq patch')) | ||
Greg Ward
|
r10672 | |||
Jun Wu
|
r34008 | # Get "cycle" error early by exhausting the generator. | ||
Augie Fackler
|
r43346 | sortedsrc = list(sortsource(destmap)) # a list of sorted revs | ||
Jun Wu
|
r34008 | if not sortedsrc: | ||
Martin von Zweigbergk
|
r47377 | raise error.InputError(_(b'no matching revisions')) | ||
Jun Wu
|
r34008 | |||
# Only check the first batch of revisions to rebase not depending on other | ||||
# rebaseset. This means "source is ancestor of destination" for the second | ||||
# (and following) batches of revisions are not checked here. We rely on | ||||
# "defineparents" to do that check. | ||||
Augie Fackler
|
r43347 | roots = list(repo.set(b'roots(%ld)', sortedsrc[0])) | ||
Pierre-Yves David
|
r15267 | if not roots: | ||
Martin von Zweigbergk
|
r47377 | raise error.InputError(_(b'no matching revisions')) | ||
Augie Fackler
|
r43346 | |||
Augie Fackler
|
r36285 | def revof(r): | ||
return r.rev() | ||||
Augie Fackler
|
r43346 | |||
Augie Fackler
|
r36285 | roots = sorted(roots, key=revof) | ||
Martin von Zweigbergk
|
r32175 | state = dict.fromkeys(rebaseset, revtodo) | ||
Augie Fackler
|
r43346 | emptyrebase = len(sortedsrc) == 1 | ||
Pierre-Yves David
|
r18424 | for root in roots: | ||
Jun Wu
|
r34006 | dest = repo[destmap[root.rev()]] | ||
Pierre-Yves David
|
r18424 | commonbase = root.ancestor(dest) | ||
if commonbase == root: | ||||
Martin von Zweigbergk
|
r47377 | raise error.InputError(_(b'source is ancestor of destination')) | ||
Pierre-Yves David
|
r18424 | if commonbase == dest: | ||
Mads Kiilerich
|
r31380 | wctx = repo[None] | ||
if dest == wctx.p1(): | ||||
# when rebasing to '.', it will use the current wd branch name | ||||
samebranch = root.branch() == wctx.branch() | ||||
else: | ||||
samebranch = root.branch() == dest.branch() | ||||
Martin von Zweigbergk
|
r32900 | if not collapse and samebranch and dest in root.parents(): | ||
Martin von Zweigbergk
|
r32272 | # mark the revision as done by setting its new revision | ||
# equal to its old (current) revisions | ||||
state[root.rev()] = root.rev() | ||||
Augie Fackler
|
r43347 | repo.ui.debug(b'source is a child of destination\n') | ||
Martin von Zweigbergk
|
r32272 | continue | ||
Stefano Tortarolo
|
r6906 | |||
Martin von Zweigbergk
|
r32272 | emptyrebase = False | ||
Augie Fackler
|
r43347 | repo.ui.debug(b'rebase onto %s starting from %s\n' % (dest, root)) | ||
Martin von Zweigbergk
|
r32272 | if emptyrebase: | ||
return None | ||||
for rev in sorted(state): | ||||
parents = [p for p in repo.changelog.parentrevs(rev) if p != nullrev] | ||||
# if all parents of this revision are done, then so is this revision | ||||
if parents and all((state.get(p) == p for p in parents)): | ||||
state[rev] = rev | ||||
Jun Wu
|
r34006 | return originalwd, destmap, state | ||
Stefano Tortarolo
|
r6906 | |||
Augie Fackler
|
r43346 | |||
def clearrebased( | ||||
ui, | ||||
repo, | ||||
destmap, | ||||
state, | ||||
skipped, | ||||
collapsedas=None, | ||||
keepf=False, | ||||
fm=None, | ||||
backup=True, | ||||
): | ||||
Pierre-Yves David
|
r17613 | """dispose of rebased revision at the end of the rebase | ||
If `collapsedas` is not None, the rebase was a collapse whose result if the | ||||
Jun Wu
|
r34364 | `collapsedas` node. | ||
If `keepf` is not True, the rebase has --keep set and no nodes should be | ||||
removed (but bookmarks still need to be moved). | ||||
Sushil khanchi
|
r38835 | |||
If `backup` is False, no backup will be stored when stripping rebased | ||||
revisions. | ||||
Jun Wu
|
r34364 | """ | ||
Jun Wu
|
r33332 | tonode = repo.changelog.node | ||
Jun Wu
|
r34364 | replacements = {} | ||
moves = {} | ||||
Boris Feld
|
r39951 | stripcleanup = not obsolete.isenabled(repo, obsolete.createmarkersopt) | ||
Boris Feld
|
r39955 | |||
collapsednodes = [] | ||||
Jun Wu
|
r33333 | for rev, newrev in sorted(state.items()): | ||
if newrev >= 0 and newrev != rev: | ||||
Jun Wu
|
r34364 | oldnode = tonode(rev) | ||
newnode = collapsedas or tonode(newrev) | ||||
moves[oldnode] = newnode | ||||
Paul Gossman
|
r43245 | succs = None | ||
if rev in skipped: | ||||
if stripcleanup or not repo[rev].obsolete(): | ||||
succs = () | ||||
elif collapsedas: | ||||
collapsednodes.append(oldnode) | ||||
else: | ||||
succs = (newnode,) | ||||
if succs is not None: | ||||
replacements[(oldnode,)] = succs | ||||
Boris Feld
|
r39955 | if collapsednodes: | ||
replacements[tuple(collapsednodes)] = (collapsedas,) | ||||
Pulkit Goyal
|
r34884 | if fm: | ||
Pulkit Goyal
|
r35123 | hf = fm.hexfunc | ||
fl = fm.formatlist | ||||
fd = fm.formatdict | ||||
Boris Feld
|
r39953 | changes = {} | ||
Gregory Szorc
|
r49768 | for oldns, newn in replacements.items(): | ||
Boris Feld
|
r39954 | for oldn in oldns: | ||
Augie Fackler
|
r43347 | changes[hf(oldn)] = fl([hf(n) for n in newn], name=b'node') | ||
nodechanges = fd(changes, key=b"oldnode", value=b"newnodes") | ||||
Pulkit Goyal
|
r34884 | fm.data(nodechanges=nodechanges) | ||
Paul Gossman
|
r43245 | if keepf: | ||
replacements = {} | ||||
Augie Fackler
|
r43347 | scmutil.cleanupnodes(repo, replacements, b'rebase', moves, backup=backup) | ||
Pierre-Yves David
|
r17611 | |||
Augie Fackler
|
r43346 | |||
Matt Mackall
|
r7216 | def pullrebase(orig, ui, repo, *args, **opts): | ||
Matt Harbison
|
r44226 | """Call rebase after pull if the latter has been invoked with --rebase""" | ||
Augie Fackler
|
r43906 | if opts.get('rebase'): | ||
Augie Fackler
|
r43347 | if ui.configbool(b'commands', b'rebase.requiredest'): | ||
msg = _(b'rebase destination required by configuration') | ||||
hint = _(b'use hg pull followed by hg rebase -d DEST') | ||||
Martin von Zweigbergk
|
r47377 | raise error.InputError(msg, hint=hint) | ||
Ryan McElroy
|
r31733 | |||
Martin von Zweigbergk
|
r32918 | with repo.wlock(), repo.lock(): | ||
Augie Fackler
|
r43906 | if opts.get('update'): | ||
del opts['update'] | ||||
Augie Fackler
|
r43346 | ui.debug( | ||
Augie Fackler
|
r43347 | b'--update and --rebase are not compatible, ignoring ' | ||
b'the update flag\n' | ||||
Augie Fackler
|
r43346 | ) | ||
Stefano Tortarolo
|
r6906 | |||
Taapas Agrawal
|
r42732 | cmdutil.checkunfinished(repo, skipmerge=True) | ||
Augie Fackler
|
r43346 | cmdutil.bailifchanged( | ||
repo, | ||||
hint=_( | ||||
Augie Fackler
|
r43347 | b'cannot pull with rebase: ' | ||
b'please commit or shelve your changes first' | ||||
Augie Fackler
|
r43346 | ), | ||
) | ||||
Valters Vingolds
|
r30725 | |||
Pierre-Yves David
|
r26029 | revsprepull = len(repo) | ||
origpostincoming = commands.postincoming | ||||
Augie Fackler
|
r43346 | |||
Pierre-Yves David
|
r26029 | def _dummy(*args, **kwargs): | ||
pass | ||||
Augie Fackler
|
r43346 | |||
Pierre-Yves David
|
r26029 | commands.postincoming = _dummy | ||
try: | ||||
liscju
|
r26960 | ret = orig(ui, repo, *args, **opts) | ||
Pierre-Yves David
|
r26029 | finally: | ||
commands.postincoming = origpostincoming | ||||
revspostpull = len(repo) | ||||
if revspostpull > revsprepull: | ||||
# --rev option from pull conflict with rebase own --rev | ||||
# dropping it | ||||
Augie Fackler
|
r43906 | if 'rev' in opts: | ||
del opts['rev'] | ||||
Pierre-Yves David
|
r26029 | # positional argument from pull conflicts with rebase's own | ||
# --source. | ||||
Augie Fackler
|
r43906 | if 'source' in opts: | ||
del opts['source'] | ||||
Pierre-Yves David
|
r29044 | # revsprepull is the len of the repo, not revnum of tip. | ||
destspace = list(repo.changelog.revs(start=revsprepull)) | ||||
Augie Fackler
|
r43906 | opts['_destspace'] = destspace | ||
Pierre-Yves David
|
r28189 | try: | ||
rebase(ui, repo, **opts) | ||||
except error.NoMergeDestAbort: | ||||
# we can maybe update instead | ||||
Pierre-Yves David
|
r28118 | rev, _a, _b = destutil.destupdate(repo) | ||
Augie Fackler
|
r43347 | if rev == repo[b'.'].rev(): | ||
ui.status(_(b'nothing to rebase\n')) | ||||
Pierre-Yves David
|
r28189 | else: | ||
Augie Fackler
|
r43347 | ui.status(_(b'nothing to rebase - updating instead\n')) | ||
Pierre-Yves David
|
r28118 | # not passing argument to get the bare update behavior | ||
# with warning and trumpets | ||||
commands.update(ui, repo) | ||||
Stefano Tortarolo
|
r6906 | else: | ||
Augie Fackler
|
r43906 | if opts.get('tool'): | ||
Martin von Zweigbergk
|
r47377 | raise error.InputError(_(b'--tool can only be used with --rebase')) | ||
liscju
|
r26960 | ret = orig(ui, repo, *args, **opts) | ||
return ret | ||||
Stefano Tortarolo
|
r6906 | |||
Augie Fackler
|
r43346 | |||
Martin von Zweigbergk
|
r47589 | def _compute_obsolete_sets(repo, rebaseobsrevs, destmap): | ||
"""Figure out what to do about about obsolete revisions | ||||
Denis Laxalde
|
r35049 | |||
Martin von Zweigbergk
|
r47589 | `obsolete_with_successor_in_destination` is a mapping mapping obsolete => successor for all | ||
Denis Laxalde
|
r35049 | obsolete nodes to be rebased given in `rebaseobsrevs`. | ||
Laurent Charignon
|
r27012 | |||
Martin von Zweigbergk
|
r47589 | `obsolete_with_successor_in_rebase_set` is a set with obsolete revisions, | ||
without a successor in destination, that would cause divergence. | ||||
Denis Laxalde
|
r35049 | """ | ||
Martin von Zweigbergk
|
r47589 | obsolete_with_successor_in_destination = {} | ||
obsolete_with_successor_in_rebase_set = set() | ||||
Laurent Charignon
|
r26349 | |||
Pierre-Yves David
|
r26674 | cl = repo.changelog | ||
r43967 | get_rev = cl.index.get_rev | |||
Augie Fackler
|
r43347 | extinctrevs = set(repo.revs(b'extinct()')) | ||
Jun Wu
|
r34005 | for srcrev in rebaseobsrevs: | ||
srcnode = cl.node(srcrev) | ||||
# XXX: more advanced APIs are required to handle split correctly | ||||
Denis Laxalde
|
r36015 | successors = set(obsutil.allsuccessors(repo.obsstore, [srcnode])) | ||
Denis Laxalde
|
r36012 | # obsutil.allsuccessors includes node itself | ||
successors.remove(srcnode) | ||||
r43967 | succrevs = {get_rev(s) for s in successors} | |||
succrevs.discard(None) | ||||
Martin von Zweigbergk
|
r47559 | if not successors or succrevs.issubset(extinctrevs): | ||
# no successor, or all successors are extinct | ||||
Martin von Zweigbergk
|
r47589 | obsolete_with_successor_in_destination[srcrev] = None | ||
Jun Wu
|
r34005 | else: | ||
Martin von Zweigbergk
|
r38694 | dstrev = destmap[srcrev] | ||
for succrev in succrevs: | ||||
if cl.isancestorrev(succrev, dstrev): | ||||
Martin von Zweigbergk
|
r47589 | obsolete_with_successor_in_destination[srcrev] = succrev | ||
Jun Wu
|
r34005 | break | ||
Denis Laxalde
|
r35049 | else: | ||
# If 'srcrev' has a successor in rebase set but none in | ||||
# destination (which would be catched above), we shall skip it | ||||
# and its descendants to avoid divergence. | ||||
Martin von Zweigbergk
|
r39364 | if srcrev in extinctrevs or any(s in destmap for s in succrevs): | ||
Martin von Zweigbergk
|
r47589 | obsolete_with_successor_in_rebase_set.add(srcrev) | ||
Laurent Charignon
|
r27012 | |||
Martin von Zweigbergk
|
r47589 | return ( | ||
obsolete_with_successor_in_destination, | ||||
obsolete_with_successor_in_rebase_set, | ||||
) | ||||
Laurent Charignon
|
r26349 | |||
Augie Fackler
|
r43346 | |||
Taapas Agrawal
|
r42786 | def abortrebase(ui, repo): | ||
with repo.wlock(), repo.lock(): | ||||
rbsrt = rebaseruntime(repo, ui) | ||||
rbsrt._prepareabortorcontinue(isabort=True) | ||||
Augie Fackler
|
r43346 | |||
Taapas Agrawal
|
r42832 | def continuerebase(ui, repo): | ||
with repo.wlock(), repo.lock(): | ||||
rbsrt = rebaseruntime(repo, ui) | ||||
Augie Fackler
|
r45383 | ms = mergestatemod.mergestate.read(repo) | ||
Taapas Agrawal
|
r42832 | mergeutil.checkunresolved(ms) | ||
retcode = rbsrt._prepareabortorcontinue(isabort=False) | ||||
if retcode is not None: | ||||
return retcode | ||||
rbsrt._performrebase(None) | ||||
rbsrt._finishrebase() | ||||
Augie Fackler
|
r43346 | |||
Bryan O'Sullivan
|
r19214 | def summaryhook(ui, repo): | ||
Augie Fackler
|
r43347 | if not repo.vfs.exists(b'rebasestate'): | ||
Bryan O'Sullivan
|
r19214 | return | ||
FUJIWARA Katsunori
|
r19849 | try: | ||
Kostia Balytskyi
|
r29403 | rbsrt = rebaseruntime(repo, ui, {}) | ||
rbsrt.restorestatus() | ||||
state = rbsrt.state | ||||
FUJIWARA Katsunori
|
r19849 | except error.RepoLookupError: | ||
# i18n: column positioning for "hg summary" | ||||
Augie Fackler
|
r43347 | msg = _(b'rebase: (use "hg rebase --abort" to clear broken state)\n') | ||
FUJIWARA Katsunori
|
r19849 | ui.write(msg) | ||
return | ||||
Gregory Szorc
|
r49790 | numrebased = len([i for i in state.values() if i >= 0]) | ||
Bryan O'Sullivan
|
r19214 | # i18n: column positioning for "hg summary" | ||
Augie Fackler
|
r43346 | ui.write( | ||
Augie Fackler
|
r43347 | _(b'rebase: %s, %s (rebase --continue)\n') | ||
Augie Fackler
|
r43346 | % ( | ||
Augie Fackler
|
r43347 | ui.label(_(b'%d rebased'), b'rebase.rebased') % numrebased, | ||
ui.label(_(b'%d remaining'), b'rebase.remaining') | ||||
Augie Fackler
|
r43346 | % (len(state) - numrebased), | ||
) | ||||
) | ||||
Bryan O'Sullivan
|
r19214 | |||
Stefano Tortarolo
|
r6906 | def uisetup(ui): | ||
Augie Fackler
|
r43346 | # Replace pull with a decorator to provide --rebase option | ||
Augie Fackler
|
r43347 | entry = extensions.wrapcommand(commands.table, b'pull', pullrebase) | ||
Augie Fackler
|
r43346 | entry[1].append( | ||
Augie Fackler
|
r43347 | (b'', b'rebase', None, _(b"rebase working directory to branch head")) | ||
Augie Fackler
|
r43346 | ) | ||
Augie Fackler
|
r43347 | entry[1].append((b't', b'tool', b'', _(b"specify merge tool for rebase"))) | ||
cmdutil.summaryhooks.add(b'rebase', summaryhook) | ||||
Augie Fackler
|
r43346 | statemod.addunfinished( | ||
Augie Fackler
|
r43347 | b'rebase', | ||
fname=b'rebasestate', | ||||
Augie Fackler
|
r43346 | stopflag=True, | ||
continueflag=True, | ||||
abortfunc=abortrebase, | ||||
continuefunc=continuerebase, | ||||
) | ||||