bookmarks.py
1119 lines
| 34.7 KiB
| text/x-python
|
PythonLexer
/ mercurial / bookmarks.py
Matt Mackall
|
r13350 | # Mercurial bookmark support code | ||
# | ||||
# Copyright 2008 David Soria Parra <dsp@php.net> | ||||
# | ||||
# This software may be used and distributed according to the terms of the | ||||
# GNU General Public License version 2 or any later version. | ||||
Gregory Szorc
|
r25917 | from __future__ import absolute_import | ||
import errno | ||||
Boris Feld
|
r35258 | import struct | ||
Gregory Szorc
|
r25917 | |||
from .i18n import _ | ||||
from .node import ( | ||||
bin, | ||||
hex, | ||||
Sean Farley
|
r32956 | short, | ||
Gregory Szorc
|
r25917 | ) | ||
Gregory Szorc
|
r43359 | from .pycompat import getattr | ||
Gregory Szorc
|
r25917 | from . import ( | ||
encoding, | ||||
liscju
|
r29354 | error, | ||
r33147 | obsutil, | |||
Pulkit Goyal
|
r33092 | pycompat, | ||
Sean Farley
|
r32955 | scmutil, | ||
FUJIWARA Katsunori
|
r31052 | txnutil, | ||
Gregory Szorc
|
r25917 | util, | ||
) | ||||
r47669 | from .utils import ( | |||
urlutil, | ||||
) | ||||
Matt Mackall
|
r13350 | |||
Sean Farley
|
r33009 | # label constants | ||
# until 3.5, bookmarks.current was the advertised name, not | ||||
# bookmarks.active, so we must use both to avoid breaking old | ||||
# custom styles | ||||
Augie Fackler
|
r43347 | activebookmarklabel = b'bookmarks.active bookmarks.current' | ||
Sean Farley
|
r33009 | |||
Augie Fackler
|
r43347 | BOOKMARKS_IN_STORE_REQUIREMENT = b'bookmarksinstore' | ||
Martin von Zweigbergk
|
r42512 | |||
Augie Fackler
|
r43346 | |||
Martin von Zweigbergk
|
r42512 | def bookmarksinstore(repo): | ||
return BOOKMARKS_IN_STORE_REQUIREMENT in repo.requirements | ||||
Augie Fackler
|
r43346 | |||
Martin von Zweigbergk
|
r42512 | def bookmarksvfs(repo): | ||
return repo.svfs if bookmarksinstore(repo) else repo.vfs | ||||
Augie Fackler
|
r43346 | |||
Augie Fackler
|
r27186 | def _getbkfile(repo): | ||
"""Hook so that extensions that mess with the store can hook bm storage. | ||||
For core, this just handles wether we should see pending | ||||
bookmarks or the committed ones. Other extensions (like share) | ||||
may need to tweak this behavior further. | ||||
""" | ||||
Augie Fackler
|
r43347 | fp, pending = txnutil.trypending( | ||
repo.root, bookmarksvfs(repo), b'bookmarks' | ||||
) | ||||
FUJIWARA Katsunori
|
r31052 | return fp | ||
Augie Fackler
|
r27186 | |||
Augie Fackler
|
r43346 | |||
Yuya Nishihara
|
r37866 | class bmstore(object): | ||
Gregory Szorc
|
r41674 | r"""Storage for bookmarks. | ||
Augie Fackler
|
r17922 | |||
Augie Fackler
|
r27698 | This object should do all bookmark-related reads and writes, so | ||
that it's fairly simple to replace the storage underlying | ||||
bookmarks without having to clone the logic surrounding | ||||
bookmarks. This type also should manage the active bookmark, if | ||||
any. | ||||
Augie Fackler
|
r17922 | |||
This particular bmstore implementation stores bookmarks as | ||||
{hash}\s{name}\n (the same format as localtags) in | ||||
.hg/bookmarks. The mapping is stored as {name: nodeid}. | ||||
""" | ||||
Matt Mackall
|
r13351 | |||
Augie Fackler
|
r17922 | def __init__(self, repo): | ||
self._repo = repo | ||||
Yuya Nishihara
|
r37866 | self._refmap = refmap = {} # refspec: node | ||
Yuya Nishihara
|
r37869 | self._nodemap = nodemap = {} # node: sorted([refspec, ...]) | ||
r32738 | self._clean = True | |||
self._aclean = True | ||||
r43944 | has_node = repo.changelog.index.has_node | |||
Augie Fackler
|
r43346 | tonode = bin # force local lookup | ||
Augie Fackler
|
r17922 | try: | ||
r32794 | with _getbkfile(repo) as bkfile: | |||
for line in bkfile: | ||||
line = line.strip() | ||||
if not line: | ||||
continue | ||||
try: | ||||
Augie Fackler
|
r43347 | sha, refspec = line.split(b' ', 1) | ||
r32794 | node = tonode(sha) | |||
r43944 | if has_node(node): | |||
r32794 | refspec = encoding.tolocal(refspec) | |||
Yuya Nishihara
|
r37866 | refmap[refspec] = node | ||
Yuya Nishihara
|
r37869 | nrefs = nodemap.get(node) | ||
if nrefs is None: | ||||
nodemap[node] = [refspec] | ||||
else: | ||||
nrefs.append(refspec) | ||||
if nrefs[-2] > refspec: | ||||
# bookmarks weren't sorted before 4.5 | ||||
nrefs.sort() | ||||
r32794 | except (TypeError, ValueError): | |||
# TypeError: | ||||
# - bin(...) | ||||
# ValueError: | ||||
# - node in nm, for non-20-bytes entry | ||||
# - split(...), for string without ' ' | ||||
Augie Fackler
|
r43347 | bookmarkspath = b'.hg/bookmarks' | ||
Martin von Zweigbergk
|
r42512 | if bookmarksinstore(repo): | ||
Augie Fackler
|
r43347 | bookmarkspath = b'.hg/store/bookmarks' | ||
Augie Fackler
|
r43346 | repo.ui.warn( | ||
Augie Fackler
|
r43347 | _(b'malformed line in %s: %r\n') | ||
Augie Fackler
|
r43346 | % (bookmarkspath, pycompat.bytestr(line)) | ||
) | ||||
Gregory Szorc
|
r25660 | except IOError as inst: | ||
Augie Fackler
|
r17922 | if inst.errno != errno.ENOENT: | ||
raise | ||||
Augie Fackler
|
r27698 | self._active = _readactive(repo, self) | ||
@property | ||||
def active(self): | ||||
return self._active | ||||
@active.setter | ||||
def active(self, mark): | ||||
Yuya Nishihara
|
r37866 | if mark is not None and mark not in self._refmap: | ||
Augie Fackler
|
r43347 | raise AssertionError(b'bookmark %s does not exist!' % mark) | ||
Augie Fackler
|
r27698 | |||
self._active = mark | ||||
self._aclean = False | ||||
Augie Fackler
|
r27187 | |||
Yuya Nishihara
|
r37866 | def __len__(self): | ||
return len(self._refmap) | ||||
def __iter__(self): | ||||
return iter(self._refmap) | ||||
def iteritems(self): | ||||
Gregory Szorc
|
r43376 | return pycompat.iteritems(self._refmap) | ||
Yuya Nishihara
|
r37866 | |||
def items(self): | ||||
return self._refmap.items() | ||||
# TODO: maybe rename to allnames()? | ||||
def keys(self): | ||||
return self._refmap.keys() | ||||
# TODO: maybe rename to allnodes()? but nodes would have to be deduplicated | ||||
Yuya Nishihara
|
r37869 | # could be self._nodemap.keys() | ||
Yuya Nishihara
|
r37866 | def values(self): | ||
return self._refmap.values() | ||||
def __contains__(self, mark): | ||||
return mark in self._refmap | ||||
def __getitem__(self, mark): | ||||
return self._refmap[mark] | ||||
def get(self, mark, default=None): | ||||
return self._refmap.get(mark, default) | ||||
Boris Feld
|
r33517 | |||
Yuya Nishihara
|
r37868 | def _set(self, mark, node): | ||
Augie Fackler
|
r27187 | self._clean = False | ||
Yuya Nishihara
|
r37869 | if mark in self._refmap: | ||
self._del(mark) | ||||
Yuya Nishihara
|
r37868 | self._refmap[mark] = node | ||
Yuya Nishihara
|
r37869 | nrefs = self._nodemap.get(node) | ||
if nrefs is None: | ||||
self._nodemap[node] = [mark] | ||||
else: | ||||
nrefs.append(mark) | ||||
nrefs.sort() | ||||
Boris Feld
|
r33518 | |||
Yuya Nishihara
|
r37868 | def _del(self, mark): | ||
Valentin Gatien-Baron
|
r44852 | if mark not in self._refmap: | ||
return | ||||
Augie Fackler
|
r27187 | self._clean = False | ||
Yuya Nishihara
|
r37869 | node = self._refmap.pop(mark) | ||
nrefs = self._nodemap[node] | ||||
if len(nrefs) == 1: | ||||
assert nrefs[0] == mark | ||||
del self._nodemap[node] | ||||
else: | ||||
nrefs.remove(mark) | ||||
Boris Feld
|
r35697 | |||
Yuya Nishihara
|
r37867 | def names(self, node): | ||
"""Return a sorted list of bookmarks pointing to the specified node""" | ||||
Yuya Nishihara
|
r37869 | return self._nodemap.get(node, []) | ||
Yuya Nishihara
|
r37867 | |||
Boris Feld
|
r33480 | def applychanges(self, repo, tr, changes): | ||
Augie Fackler
|
r46554 | """Apply a list of changes to bookmarks""" | ||
Augie Fackler
|
r43347 | bmchanges = tr.changes.get(b'bookmarks') | ||
Boris Feld
|
r33480 | for name, node in changes: | ||
Yuya Nishihara
|
r37866 | old = self._refmap.get(name) | ||
Boris Feld
|
r33480 | if node is None: | ||
Boris Feld
|
r33518 | self._del(name) | ||
Boris Feld
|
r33480 | else: | ||
Boris Feld
|
r33517 | self._set(name, node) | ||
Boris Feld
|
r33516 | if bmchanges is not None: | ||
# if a previous value exist preserve the "initial" value | ||||
previous = bmchanges.get(name) | ||||
if previous is not None: | ||||
old = previous[0] | ||||
bmchanges[name] = (old, node) | ||||
Boris Feld
|
r33515 | self._recordchange(tr) | ||
Boris Feld
|
r33480 | |||
Boris Feld
|
r33515 | def _recordchange(self, tr): | ||
Pierre-Yves David
|
r22665 | """record that bookmarks have been changed in a transaction | ||
The transaction is then responsible for updating the file content.""" | ||||
Augie Fackler
|
r43347 | location = b'' if bookmarksinstore(self._repo) else b'plain' | ||
Augie Fackler
|
r43346 | tr.addfilegenerator( | ||
Augie Fackler
|
r43347 | b'bookmarks', (b'bookmarks',), self._write, location=location | ||
Augie Fackler
|
r43346 | ) | ||
Augie Fackler
|
r43347 | tr.hookargs[b'bookmark_moved'] = b'1' | ||
Pierre-Yves David
|
r22665 | |||
Ryan McElroy
|
r23469 | def _writerepo(self, repo): | ||
"""Factored out for extensibility""" | ||||
Augie Fackler
|
r27698 | rbm = repo._bookmarks | ||
Yuya Nishihara
|
r37866 | if rbm.active not in self._refmap: | ||
Augie Fackler
|
r27698 | rbm.active = None | ||
rbm._writeactive() | ||||
Augie Fackler
|
r17922 | |||
Martin von Zweigbergk
|
r42512 | if bookmarksinstore(repo): | ||
vfs = repo.svfs | ||||
lock = repo.lock() | ||||
else: | ||||
vfs = repo.vfs | ||||
lock = repo.wlock() | ||||
with lock: | ||||
Augie Fackler
|
r43347 | with vfs(b'bookmarks', b'w', atomictemp=True, checkambig=True) as f: | ||
Martin von Zweigbergk
|
r42502 | self._write(f) | ||
Augie Fackler
|
r17922 | |||
Augie Fackler
|
r27698 | def _writeactive(self): | ||
if self._aclean: | ||||
return | ||||
Bryan O'Sullivan
|
r27800 | with self._repo.wlock(): | ||
Augie Fackler
|
r27698 | if self._active is not None: | ||
Augie Fackler
|
r43346 | with self._repo.vfs( | ||
Augie Fackler
|
r43347 | b'bookmarks.current', b'w', atomictemp=True, checkambig=True | ||
Augie Fackler
|
r43346 | ) as f: | ||
Augie Fackler
|
r27698 | f.write(encoding.fromlocal(self._active)) | ||
else: | ||||
Augie Fackler
|
r43347 | self._repo.vfs.tryunlink(b'bookmarks.current') | ||
Augie Fackler
|
r27698 | self._aclean = True | ||
Pierre-Yves David
|
r22664 | def _write(self, fp): | ||
Gregory Szorc
|
r43376 | for name, node in sorted(pycompat.iteritems(self._refmap)): | ||
Augie Fackler
|
r43347 | fp.write(b"%s %s\n" % (hex(node), encoding.fromlocal(name))) | ||
Augie Fackler
|
r27187 | self._clean = True | ||
Augie Fackler
|
r29066 | self._repo.invalidatevolatilesets() | ||
Pierre-Yves David
|
r22664 | |||
liscju
|
r28182 | def expandname(self, bname): | ||
Augie Fackler
|
r43347 | if bname == b'.': | ||
liscju
|
r29354 | if self.active: | ||
return self.active | ||||
else: | ||||
Augie Fackler
|
r43347 | raise error.RepoLookupError(_(b"no active bookmark")) | ||
liscju
|
r28182 | return bname | ||
Sean Farley
|
r32956 | def checkconflict(self, mark, force=False, target=None): | ||
"""check repo for a potential clash of mark with an existing bookmark, | ||||
branch, or hash | ||||
If target is supplied, then check that we are moving the bookmark | ||||
forward. | ||||
If force is supplied, then forcibly move the bookmark to a new commit | ||||
regardless if it is a move forward. | ||||
Boris Feld
|
r33513 | |||
If divergent bookmark are to be deleted, they will be returned as list. | ||||
Sean Farley
|
r32956 | """ | ||
Augie Fackler
|
r43347 | cur = self._repo[b'.'].node() | ||
Yuya Nishihara
|
r37866 | if mark in self._refmap and not force: | ||
Sean Farley
|
r32956 | if target: | ||
Yuya Nishihara
|
r37866 | if self._refmap[mark] == target and target == cur: | ||
Sean Farley
|
r32956 | # re-activating a bookmark | ||
Boris Feld
|
r33513 | return [] | ||
Sean Farley
|
r32956 | rev = self._repo[target].rev() | ||
anc = self._repo.changelog.ancestors([rev]) | ||||
Augie Fackler
|
r43248 | bmctx = self._repo[self[mark]] | ||
Augie Fackler
|
r43346 | divs = [ | ||
self._refmap[b] | ||||
for b in self._refmap | ||||
Augie Fackler
|
r43347 | if b.split(b'@', 1)[0] == mark.split(b'@', 1)[0] | ||
Augie Fackler
|
r43346 | ] | ||
Sean Farley
|
r32956 | |||
# allow resolving a single divergent bookmark even if moving | ||||
# the bookmark across branches when a revision is specified | ||||
# that contains a divergent bookmark | ||||
if bmctx.rev() not in anc and target in divs: | ||||
Boris Feld
|
r33513 | return divergent2delete(self._repo, [target], mark) | ||
Sean Farley
|
r32956 | |||
Augie Fackler
|
r43346 | deletefrom = [ | ||
b for b in divs if self._repo[b].rev() in anc or b == target | ||||
] | ||||
Boris Feld
|
r33513 | delbms = divergent2delete(self._repo, deletefrom, mark) | ||
Sean Farley
|
r32956 | if validdest(self._repo, bmctx, self._repo[target]): | ||
self._repo.ui.status( | ||||
Augie Fackler
|
r43347 | _(b"moving bookmark '%s' forward from %s\n") | ||
Augie Fackler
|
r43346 | % (mark, short(bmctx.node())) | ||
) | ||||
Boris Feld
|
r33513 | return delbms | ||
Sean Farley
|
r32956 | raise error.Abort( | ||
Martin von Zweigbergk
|
r43387 | _(b"bookmark '%s' already exists (use -f to force)") % mark | ||
Augie Fackler
|
r43346 | ) | ||
if ( | ||||
mark in self._repo.branchmap() | ||||
or mark == self._repo.dirstate.branch() | ||||
) and not force: | ||||
raise error.Abort( | ||||
Augie Fackler
|
r43347 | _(b"a bookmark cannot have the name of an existing branch") | ||
Augie Fackler
|
r43346 | ) | ||
Sean Farley
|
r32956 | if len(mark) > 3 and not force: | ||
try: | ||||
Martin von Zweigbergk
|
r37415 | shadowhash = scmutil.isrevsymbol(self._repo, mark) | ||
Sean Farley
|
r32956 | except error.LookupError: # ambiguous identifier | ||
shadowhash = False | ||||
if shadowhash: | ||||
self._repo.ui.warn( | ||||
Augie Fackler
|
r43346 | _( | ||
Augie Fackler
|
r43347 | b"bookmark %s matches a changeset hash\n" | ||
b"(did you leave a -r out of an 'hg bookmark' " | ||||
b"command?)\n" | ||||
Augie Fackler
|
r43346 | ) | ||
% mark | ||||
) | ||||
Boris Feld
|
r33513 | return [] | ||
Sean Farley
|
r32956 | |||
Augie Fackler
|
r43346 | |||
Augie Fackler
|
r27698 | def _readactive(repo, marks): | ||
Ryan McElroy
|
r24946 | """ | ||
Get the active bookmark. We can have an active bookmark that updates | ||||
itself as we commit. This function returns the name of that bookmark. | ||||
It is stored in .hg/bookmarks.current | ||||
""" | ||||
Martin von Zweigbergk
|
r42503 | # No readline() in osutil.posixfile, reading everything is | ||
# cheap. | ||||
Augie Fackler
|
r43347 | content = repo.vfs.tryread(b'bookmarks.current') | ||
mark = encoding.tolocal((content.splitlines() or [b''])[0]) | ||||
if mark == b'' or mark not in marks: | ||||
Martin von Zweigbergk
|
r42503 | mark = None | ||
Matt Mackall
|
r13351 | return mark | ||
Augie Fackler
|
r43346 | |||
Ryan McElroy
|
r24945 | def activate(repo, mark): | ||
""" | ||||
Set the given bookmark to be 'active', meaning that this bookmark will | ||||
follow new commits that are made. | ||||
Matt Mackall
|
r13350 | The name is recorded in .hg/bookmarks.current | ||
Ryan McElroy
|
r24945 | """ | ||
Augie Fackler
|
r27698 | repo._bookmarks.active = mark | ||
repo._bookmarks._writeactive() | ||||
Matt Mackall
|
r13352 | |||
Augie Fackler
|
r43346 | |||
Ryan McElroy
|
r24944 | def deactivate(repo): | ||
""" | ||||
Mads Kiilerich
|
r26781 | Unset the active bookmark in this repository. | ||
Ryan McElroy
|
r24944 | """ | ||
Augie Fackler
|
r27698 | repo._bookmarks.active = None | ||
repo._bookmarks._writeactive() | ||||
Idan Kamara
|
r16191 | |||
Augie Fackler
|
r43346 | |||
Ryan McElroy
|
r24986 | def isactivewdirparent(repo): | ||
""" | ||||
Tell whether the 'active' bookmark (the one that follows new commits) | ||||
points to one of the parents of the current working directory (wdir). | ||||
Kevin Bullock
|
r18471 | |||
Ryan McElroy
|
r24986 | While this is normally the case, it can on occasion be false; for example, | ||
immediately after a pull, the active bookmark can be moved to point | ||||
to a place different than the wdir. This is solved by running `hg update`. | ||||
""" | ||||
mark = repo._activebookmark | ||||
Kevin Bullock
|
r18471 | marks = repo._bookmarks | ||
Ryan McElroy
|
r24986 | parents = [p.node() for p in repo[None].parents()] | ||
Augie Fackler
|
r43346 | return mark in marks and marks[mark] in parents | ||
Kevin Bullock
|
r18471 | |||
Boris Feld
|
r33510 | def divergent2delete(repo, deletefrom, bm): | ||
"""find divergent versions of bm on nodes in deletefrom. | ||||
the list of bookmark to delete.""" | ||||
todelete = [] | ||||
Siddharth Agarwal
|
r18513 | marks = repo._bookmarks | ||
Augie Fackler
|
r43347 | divergent = [ | ||
b for b in marks if b.split(b'@', 1)[0] == bm.split(b'@', 1)[0] | ||||
] | ||||
Siddharth Agarwal
|
r18513 | for mark in divergent: | ||
Augie Fackler
|
r43347 | if mark == b'@' or b'@' not in mark: | ||
Matt Mackall
|
r21843 | # can't be divergent by definition | ||
continue | ||||
Siddharth Agarwal
|
r18513 | if mark and marks[mark] in deletefrom: | ||
if mark != bm: | ||||
Boris Feld
|
r33510 | todelete.append(mark) | ||
return todelete | ||||
Siddharth Agarwal
|
r18513 | |||
Augie Fackler
|
r43346 | |||
Augie Fackler
|
r32381 | def headsforactive(repo): | ||
"""Given a repo with an active bookmark, return divergent bookmark nodes. | ||||
Args: | ||||
repo: A repository with an active bookmark. | ||||
Returns: | ||||
A list of binary node ids that is the full list of other | ||||
revisions with bookmarks divergent from the active bookmark. If | ||||
there were no divergent bookmarks, then this list will contain | ||||
only one entry. | ||||
""" | ||||
if not repo._activebookmark: | ||||
raise ValueError( | ||||
Augie Fackler
|
r43347 | b'headsforactive() only makes sense with an active bookmark' | ||
Augie Fackler
|
r43346 | ) | ||
Augie Fackler
|
r43347 | name = repo._activebookmark.split(b'@', 1)[0] | ||
Augie Fackler
|
r32381 | heads = [] | ||
Gregory Szorc
|
r43376 | for mark, n in pycompat.iteritems(repo._bookmarks): | ||
Augie Fackler
|
r43347 | if mark.split(b'@', 1)[0] == name: | ||
Augie Fackler
|
r32381 | heads.append(n) | ||
return heads | ||||
Augie Fackler
|
r43346 | |||
Martin von Zweigbergk
|
r37393 | def calculateupdate(ui, repo): | ||
Augie Fackler
|
r46554 | """Return a tuple (activemark, movemarkfrom) indicating the active bookmark | ||
and where to move the active bookmark from, if needed.""" | ||||
Martin von Zweigbergk
|
r37393 | checkout, movemarkfrom = None, None | ||
activemark = repo._activebookmark | ||||
if isactivewdirparent(repo): | ||||
Augie Fackler
|
r43347 | movemarkfrom = repo[b'.'].node() | ||
Martin von Zweigbergk
|
r37393 | elif activemark: | ||
Augie Fackler
|
r43347 | ui.status(_(b"updating to active bookmark %s\n") % activemark) | ||
Martin von Zweigbergk
|
r37393 | checkout = activemark | ||
Kevin Bullock
|
r19523 | return (checkout, movemarkfrom) | ||
Augie Fackler
|
r43346 | |||
Matt Mackall
|
r13352 | def update(repo, parents, node): | ||
Sean Farley
|
r19110 | deletefrom = parents | ||
Matt Mackall
|
r13352 | marks = repo._bookmarks | ||
Augie Fackler
|
r27698 | active = marks.active | ||
Ryan McElroy
|
r25100 | if not active: | ||
David Soria Parra
|
r16706 | return False | ||
Boris Feld
|
r33491 | bmchanges = [] | ||
Ryan McElroy
|
r25100 | if marks[active] in parents: | ||
Siddharth Agarwal
|
r18513 | new = repo[node] | ||
Augie Fackler
|
r43346 | divs = [ | ||
repo[marks[b]] | ||||
for b in marks | ||||
Augie Fackler
|
r43347 | if b.split(b'@', 1)[0] == active.split(b'@', 1)[0] | ||
Augie Fackler
|
r43346 | ] | ||
Sean Farley
|
r19110 | anc = repo.changelog.ancestors([new.rev()]) | ||
deletefrom = [b.node() for b in divs if b.rev() in anc or b == new] | ||||
Augie Fackler
|
r43248 | if validdest(repo, repo[marks[active]], new): | ||
Boris Feld
|
r33491 | bmchanges.append((active, new.node())) | ||
Siddharth Agarwal
|
r18513 | |||
Boris Feld
|
r33512 | for bm in divergent2delete(repo, deletefrom, active): | ||
bmchanges.append((bm, None)) | ||||
Siddharth Agarwal
|
r18513 | |||
Boris Feld
|
r33512 | if bmchanges: | ||
Augie Fackler
|
r43347 | with repo.lock(), repo.transaction(b'bookmark') as tr: | ||
Boris Feld
|
r33491 | marks.applychanges(repo, tr, bmchanges) | ||
Boris Feld
|
r33512 | return bool(bmchanges) | ||
Matt Mackall
|
r13353 | |||
Augie Fackler
|
r43346 | |||
Valentin Gatien-Baron
|
r44853 | def isdivergent(b): | ||
return b'@' in b and not b.endswith(b'@') | ||||
Stanislau Hlebik
|
r30481 | def listbinbookmarks(repo): | ||
# We may try to list bookmarks on a repo type that does not | ||||
# support it (e.g., statichttprepository). | ||||
marks = getattr(repo, '_bookmarks', {}) | ||||
hasnode = repo.changelog.hasnode | ||||
Gregory Szorc
|
r43376 | for k, v in pycompat.iteritems(marks): | ||
Stanislau Hlebik
|
r30481 | # don't expose local divergent bookmarks | ||
Valentin Gatien-Baron
|
r44853 | if hasnode(v) and not isdivergent(k): | ||
Stanislau Hlebik
|
r30481 | yield k, v | ||
Augie Fackler
|
r43346 | |||
Matt Mackall
|
r13353 | def listbookmarks(repo): | ||
d = {} | ||||
Stanislau Hlebik
|
r30482 | for book, node in listbinbookmarks(repo): | ||
d[book] = hex(node) | ||||
Matt Mackall
|
r13353 | return d | ||
Augie Fackler
|
r43346 | |||
Matt Mackall
|
r13353 | def pushbookmark(repo, key, old, new): | ||
Valentin Gatien-Baron
|
r44854 | if isdivergent(key): | ||
return False | ||||
Martin von Zweigbergk
|
r42512 | if bookmarksinstore(repo): | ||
wlock = util.nullcontextmanager() | ||||
else: | ||||
wlock = repo.wlock() | ||||
Augie Fackler
|
r43347 | with wlock, repo.lock(), repo.transaction(b'bookmarks') as tr: | ||
Matt Mackall
|
r13353 | marks = repo._bookmarks | ||
Augie Fackler
|
r43347 | existing = hex(marks.get(key, b'')) | ||
Durham Goode
|
r22364 | if existing != old and existing != new: | ||
Matt Mackall
|
r13353 | return False | ||
Augie Fackler
|
r43347 | if new == b'': | ||
Boris Feld
|
r33485 | changes = [(key, None)] | ||
Matt Mackall
|
r13353 | else: | ||
if new not in repo: | ||||
return False | ||||
Boris Feld
|
r33485 | changes = [(key, repo[new].node())] | ||
marks.applychanges(repo, tr, changes) | ||||
Matt Mackall
|
r13353 | return True | ||
Matt Mackall
|
r13354 | |||
Augie Fackler
|
r43346 | |||
Stanislau Hlebik
|
r30583 | def comparebookmarks(repo, srcmarks, dstmarks, targets=None): | ||
Augie Fackler
|
r46554 | """Compare bookmarks between srcmarks and dstmarks | ||
FUJIWARA Katsunori
|
r20024 | |||
This returns tuple "(addsrc, adddst, advsrc, advdst, diverge, | ||||
differ, invalid)", each are list of bookmarks below: | ||||
:addsrc: added on src side (removed on dst side, perhaps) | ||||
:adddst: added on dst side (removed on src side, perhaps) | ||||
:advsrc: advanced on src side | ||||
:advdst: advanced on dst side | ||||
:diverge: diverge | ||||
:differ: changed, but changeset referred on src is unknown on dst | ||||
:invalid: unknown on both side | ||||
Gregory Szorc
|
r23081 | :same: same on both side | ||
FUJIWARA Katsunori
|
r20024 | |||
Each elements of lists in result tuple is tuple "(bookmark name, | ||||
changeset ID on source side, changeset ID on destination | ||||
Valentin Gatien-Baron
|
r43184 | side)". Each changeset ID is a binary node or None. | ||
FUJIWARA Katsunori
|
r20024 | |||
Changeset IDs of tuples in "addsrc", "adddst", "differ" or | ||||
"invalid" list may be unknown for repo. | ||||
If "targets" is specified, only bookmarks listed in it are | ||||
examined. | ||||
Augie Fackler
|
r46554 | """ | ||
FUJIWARA Katsunori
|
r20024 | |||
if targets: | ||||
bset = set(targets) | ||||
else: | ||||
srcmarkset = set(srcmarks) | ||||
dstmarkset = set(dstmarks) | ||||
Gregory Szorc
|
r23081 | bset = srcmarkset | dstmarkset | ||
FUJIWARA Katsunori
|
r20024 | |||
Gregory Szorc
|
r23081 | results = ([], [], [], [], [], [], [], []) | ||
FUJIWARA Katsunori
|
r20024 | addsrc = results[0].append | ||
adddst = results[1].append | ||||
advsrc = results[2].append | ||||
advdst = results[3].append | ||||
diverge = results[4].append | ||||
differ = results[5].append | ||||
invalid = results[6].append | ||||
Gregory Szorc
|
r23081 | same = results[7].append | ||
FUJIWARA Katsunori
|
r20024 | |||
for b in sorted(bset): | ||||
if b not in srcmarks: | ||||
if b in dstmarks: | ||||
Stanislau Hlebik
|
r30583 | adddst((b, None, dstmarks[b])) | ||
FUJIWARA Katsunori
|
r20024 | else: | ||
invalid((b, None, None)) | ||||
elif b not in dstmarks: | ||||
Stanislau Hlebik
|
r30583 | addsrc((b, srcmarks[b], None)) | ||
FUJIWARA Katsunori
|
r20024 | else: | ||
Stanislau Hlebik
|
r30583 | scid = srcmarks[b] | ||
dcid = dstmarks[b] | ||||
Gregory Szorc
|
r23081 | if scid == dcid: | ||
same((b, scid, dcid)) | ||||
elif scid in repo and dcid in repo: | ||||
FUJIWARA Katsunori
|
r20024 | sctx = repo[scid] | ||
dctx = repo[dcid] | ||||
if sctx.rev() < dctx.rev(): | ||||
if validdest(repo, sctx, dctx): | ||||
advdst((b, scid, dcid)) | ||||
else: | ||||
diverge((b, scid, dcid)) | ||||
else: | ||||
if validdest(repo, dctx, sctx): | ||||
advsrc((b, scid, dcid)) | ||||
else: | ||||
diverge((b, scid, dcid)) | ||||
else: | ||||
# it is too expensive to examine in detail, in this case | ||||
differ((b, scid, dcid)) | ||||
return results | ||||
Augie Fackler
|
r43346 | |||
FUJIWARA Katsunori
|
r24355 | def _diverge(ui, b, path, localmarks, remotenode): | ||
Augie Fackler
|
r46554 | """Return appropriate diverged bookmark for specified ``path`` | ||
FUJIWARA Katsunori
|
r24353 | |||
This returns None, if it is failed to assign any divergent | ||||
bookmark name. | ||||
FUJIWARA Katsunori
|
r24355 | |||
This reuses already existing one with "@number" suffix, if it | ||||
refers ``remotenode``. | ||||
Augie Fackler
|
r46554 | """ | ||
Augie Fackler
|
r43347 | if b == b'@': | ||
b = b'' | ||||
FUJIWARA Katsunori
|
r20025 | # try to use an @pathalias suffix | ||
# if an @pathalias already exists, we overwrite (update) it | ||||
Augie Fackler
|
r43347 | if path.startswith(b"file:"): | ||
r47669 | path = urlutil.url(path).path | |||
r47959 | for name, p in urlutil.list_paths(ui): | |||
loc = p.rawloc | ||||
if loc.startswith(b"file:"): | ||||
loc = urlutil.url(loc).path | ||||
if path == loc: | ||||
return b'%s@%s' % (b, name) | ||||
FUJIWARA Katsunori
|
r24354 | |||
# assign a unique "@number" suffix newly | ||||
for x in range(1, 100): | ||||
Augie Fackler
|
r43347 | n = b'%s@%d' % (b, x) | ||
FUJIWARA Katsunori
|
r24355 | if n not in localmarks or localmarks[n] == remotenode: | ||
FUJIWARA Katsunori
|
r24354 | return n | ||
return None | ||||
FUJIWARA Katsunori
|
r20025 | |||
Augie Fackler
|
r43346 | |||
Stanislau Hlebik
|
r30583 | def unhexlifybookmarks(marks): | ||
binremotemarks = {} | ||||
for name, node in marks.items(): | ||||
binremotemarks[name] = bin(node) | ||||
return binremotemarks | ||||
Augie Fackler
|
r43346 | |||
Augie Fackler
|
r43347 | _binaryentry = struct.Struct(b'>20sH') | ||
Boris Feld
|
r35258 | |||
Augie Fackler
|
r43346 | |||
Joerg Sonnenberger
|
r47538 | def binaryencode(repo, bookmarks): | ||
Boris Feld
|
r35258 | """encode a '(bookmark, node)' iterable into a binary stream | ||
the binary format is: | ||||
<node><bookmark-length><bookmark-name> | ||||
:node: is a 20 bytes binary node, | ||||
:bookmark-length: an unsigned short, | ||||
:bookmark-name: the name of the bookmark (of length <bookmark-length>) | ||||
wdirid (all bits set) will be used as a special value for "missing" | ||||
""" | ||||
binarydata = [] | ||||
for book, node in bookmarks: | ||||
Augie Fackler
|
r43346 | if not node: # None or '' | ||
Joerg Sonnenberger
|
r47771 | node = repo.nodeconstants.wdirid | ||
Boris Feld
|
r35258 | binarydata.append(_binaryentry.pack(node, len(book))) | ||
binarydata.append(book) | ||||
Augie Fackler
|
r43347 | return b''.join(binarydata) | ||
Boris Feld
|
r35258 | |||
Augie Fackler
|
r43346 | |||
Joerg Sonnenberger
|
r47538 | def binarydecode(repo, stream): | ||
Boris Feld
|
r35258 | """decode a binary stream into an '(bookmark, node)' iterable | ||
the binary format is: | ||||
<node><bookmark-length><bookmark-name> | ||||
:node: is a 20 bytes binary node, | ||||
:bookmark-length: an unsigned short, | ||||
:bookmark-name: the name of the bookmark (of length <bookmark-length>)) | ||||
wdirid (all bits set) will be used as a special value for "missing" | ||||
""" | ||||
entrysize = _binaryentry.size | ||||
books = [] | ||||
while True: | ||||
entry = stream.read(entrysize) | ||||
if len(entry) < entrysize: | ||||
if entry: | ||||
Augie Fackler
|
r43347 | raise error.Abort(_(b'bad bookmark stream')) | ||
Boris Feld
|
r35258 | break | ||
node, length = _binaryentry.unpack(entry) | ||||
bookmark = stream.read(length) | ||||
if len(bookmark) < length: | ||||
if entry: | ||||
Augie Fackler
|
r43347 | raise error.Abort(_(b'bad bookmark stream')) | ||
Joerg Sonnenberger
|
r47771 | if node == repo.nodeconstants.wdirid: | ||
Boris Feld
|
r35258 | node = None | ||
books.append((bookmark, node)) | ||||
return books | ||||
Augie Fackler
|
r43346 | |||
Valentin Gatien-Baron
|
r48847 | def mirroring_remote(ui, repo, remotemarks): | ||
"""computes the bookmark changes that set the local bookmarks to | ||||
remotemarks""" | ||||
changed = [] | ||||
localmarks = repo._bookmarks | ||||
for (b, id) in pycompat.iteritems(remotemarks): | ||||
if id != localmarks.get(b, None) and id in repo: | ||||
changed.append((b, id, ui.debug, _(b"updating bookmark %s\n") % b)) | ||||
for b in localmarks: | ||||
if b not in remotemarks: | ||||
changed.append( | ||||
(b, None, ui.debug, _(b"removing bookmark %s\n") % b) | ||||
) | ||||
return changed | ||||
def merging_from_remote(ui, repo, remotemarks, path, explicit=()): | ||||
"""computes the bookmark changes that merge remote bookmarks into the | ||||
local bookmarks, based on comparebookmarks""" | ||||
Augie Fackler
|
r17922 | localmarks = repo._bookmarks | ||
Augie Fackler
|
r43346 | ( | ||
addsrc, | ||||
adddst, | ||||
advsrc, | ||||
advdst, | ||||
diverge, | ||||
differ, | ||||
invalid, | ||||
same, | ||||
Stanislau Hlebik
|
r30583 | ) = comparebookmarks(repo, remotemarks, localmarks) | ||
Matt Mackall
|
r15614 | |||
Pierre-Yves David
|
r22644 | status = ui.status | ||
warn = ui.warn | ||||
Augie Fackler
|
r43347 | if ui.configbool(b'ui', b'quietbookmarkmove'): | ||
Pierre-Yves David
|
r22644 | status = warn = ui.debug | ||
Pierre-Yves David
|
r22659 | explicit = set(explicit) | ||
FUJIWARA Katsunori
|
r20025 | changed = [] | ||
for b, scid, dcid in addsrc: | ||||
Augie Fackler
|
r43346 | if scid in repo: # add remote bookmarks for changes we already have | ||
changed.append( | ||||
Augie Fackler
|
r43347 | (b, scid, status, _(b"adding remote bookmark %s\n") % b) | ||
Augie Fackler
|
r43346 | ) | ||
Pierre-Yves David
|
r25564 | elif b in explicit: | ||
explicit.remove(b) | ||||
Augie Fackler
|
r43346 | ui.warn( | ||
Augie Fackler
|
r43347 | _(b"remote bookmark %s points to locally missing %s\n") | ||
Augie Fackler
|
r43346 | % (b, hex(scid)[:12]) | ||
) | ||||
Pierre-Yves David
|
r25564 | |||
FUJIWARA Katsunori
|
r20025 | for b, scid, dcid in advsrc: | ||
Augie Fackler
|
r43347 | changed.append((b, scid, status, _(b"updating bookmark %s\n") % b)) | ||
Pierre-Yves David
|
r22659 | # remove normal movement from explicit set | ||
explicit.difference_update(d[0] for d in changed) | ||||
FUJIWARA Katsunori
|
r20025 | for b, scid, dcid in diverge: | ||
Pierre-Yves David
|
r22659 | if b in explicit: | ||
explicit.discard(b) | ||||
Augie Fackler
|
r43347 | changed.append((b, scid, status, _(b"importing bookmark %s\n") % b)) | ||
Pierre-Yves David
|
r22659 | else: | ||
Stanislau Hlebik
|
r30583 | db = _diverge(ui, b, path, localmarks, scid) | ||
FUJIWARA Katsunori
|
r24353 | if db: | ||
Augie Fackler
|
r43346 | changed.append( | ||
( | ||||
db, | ||||
scid, | ||||
warn, | ||||
Augie Fackler
|
r43347 | _(b"divergent bookmark %s stored as %s\n") % (b, db), | ||
Augie Fackler
|
r43346 | ) | ||
) | ||||
FUJIWARA Katsunori
|
r24353 | else: | ||
Augie Fackler
|
r43346 | warn( | ||
_( | ||||
Augie Fackler
|
r43347 | b"warning: failed to assign numbered name " | ||
b"to divergent bookmark %s\n" | ||||
Augie Fackler
|
r43346 | ) | ||
% b | ||||
) | ||||
Pierre-Yves David
|
r22659 | for b, scid, dcid in adddst + advdst: | ||
if b in explicit: | ||||
explicit.discard(b) | ||||
Augie Fackler
|
r43347 | changed.append((b, scid, status, _(b"importing bookmark %s\n") % b)) | ||
Pierre-Yves David
|
r25564 | for b, scid, dcid in differ: | ||
if b in explicit: | ||||
explicit.remove(b) | ||||
Augie Fackler
|
r43346 | ui.warn( | ||
Augie Fackler
|
r43347 | _(b"remote bookmark %s points to locally missing %s\n") | ||
Augie Fackler
|
r43346 | % (b, hex(scid)[:12]) | ||
) | ||||
Valentin Gatien-Baron
|
r48847 | return changed | ||
r49056 | def updatefromremote( | |||
ui, repo, remotemarks, path, trfunc, explicit=(), mode=None | ||||
): | ||||
r49058 | if mode == b'ignore': | |||
# This should move to an higher level to avoid fetching bookmark at all | ||||
return | ||||
Valentin Gatien-Baron
|
r48847 | ui.debug(b"checking for updated bookmarks\n") | ||
r49056 | if mode == b'mirror': | |||
Valentin Gatien-Baron
|
r48847 | changed = mirroring_remote(ui, repo, remotemarks) | ||
else: | ||||
changed = merging_from_remote(ui, repo, remotemarks, path, explicit) | ||||
Pierre-Yves David
|
r22659 | |||
David Soria Parra
|
r13646 | if changed: | ||
Pierre-Yves David
|
r22666 | tr = trfunc() | ||
Boris Feld
|
r33484 | changes = [] | ||
Valentin Gatien-Baron
|
r45357 | key = lambda t: (t[0], t[1] or b'') | ||
for b, node, writer, msg in sorted(changed, key=key): | ||||
Boris Feld
|
r33484 | changes.append((b, node)) | ||
FUJIWARA Katsunori
|
r20025 | writer(msg) | ||
Valentin Gatien-Baron
|
r48847 | repo._bookmarks.applychanges(repo, tr, changes) | ||
David Soria Parra
|
r13646 | |||
Augie Fackler
|
r43346 | |||
r49057 | def incoming(ui, repo, peer, mode=None): | |||
Augie Fackler
|
r46554 | """Show bookmarks incoming from other to repo""" | ||
r49058 | if mode == b'ignore': | |||
ui.status(_(b"bookmarks exchange disabled with this path\n")) | ||||
return 0 | ||||
Augie Fackler
|
r43347 | ui.status(_(b"searching for changed bookmarks\n")) | ||
FUJIWARA Katsunori
|
r24397 | |||
Gregory Szorc
|
r37659 | with peer.commandexecutor() as e: | ||
Augie Fackler
|
r43346 | remotemarks = unhexlifybookmarks( | ||
Augie Fackler
|
r46554 | e.callcommand( | ||
b'listkeys', | ||||
{ | ||||
b'namespace': b'bookmarks', | ||||
}, | ||||
).result() | ||||
Augie Fackler
|
r43346 | ) | ||
Gregory Szorc
|
r37659 | |||
FUJIWARA Katsunori
|
r24397 | incomings = [] | ||
if ui.debugflag: | ||||
getid = lambda id: id | ||||
else: | ||||
getid = lambda id: id[:12] | ||||
FUJIWARA Katsunori
|
r24660 | if ui.verbose: | ||
Augie Fackler
|
r43346 | |||
FUJIWARA Katsunori
|
r24660 | def add(b, id, st): | ||
Augie Fackler
|
r43347 | incomings.append(b" %-25s %s %s\n" % (b, getid(id), st)) | ||
Augie Fackler
|
r43346 | |||
FUJIWARA Katsunori
|
r24660 | else: | ||
Augie Fackler
|
r43346 | |||
FUJIWARA Katsunori
|
r24660 | def add(b, id, st): | ||
Augie Fackler
|
r43347 | incomings.append(b" %-25s %s\n" % (b, getid(id))) | ||
Augie Fackler
|
r43346 | |||
r49057 | if mode == b'mirror': | |||
localmarks = repo._bookmarks | ||||
allmarks = set(remotemarks.keys()) | set(localmarks.keys()) | ||||
for b in sorted(allmarks): | ||||
loc = localmarks.get(b) | ||||
rem = remotemarks.get(b) | ||||
if loc == rem: | ||||
continue | ||||
elif loc is None: | ||||
add(b, hex(rem), _(b'added')) | ||||
elif rem is None: | ||||
add(b, hex(repo.nullid), _(b'removed')) | ||||
else: | ||||
add(b, hex(rem), _(b'changed')) | ||||
else: | ||||
r = comparebookmarks(repo, remotemarks, repo._bookmarks) | ||||
addsrc, adddst, advsrc, advdst, diverge, differ, invalid, same = r | ||||
for b, scid, dcid in addsrc: | ||||
# i18n: "added" refers to a bookmark | ||||
add(b, hex(scid), _(b'added')) | ||||
for b, scid, dcid in advsrc: | ||||
# i18n: "advanced" refers to a bookmark | ||||
add(b, hex(scid), _(b'advanced')) | ||||
for b, scid, dcid in diverge: | ||||
# i18n: "diverged" refers to a bookmark | ||||
add(b, hex(scid), _(b'diverged')) | ||||
for b, scid, dcid in differ: | ||||
# i18n: "changed" refers to a bookmark | ||||
add(b, hex(scid), _(b'changed')) | ||||
FUJIWARA Katsunori
|
r24397 | |||
if not incomings: | ||||
Augie Fackler
|
r43347 | ui.status(_(b"no changed bookmarks found\n")) | ||
FUJIWARA Katsunori
|
r24397 | return 1 | ||
for s in sorted(incomings): | ||||
ui.write(s) | ||||
return 0 | ||||
Augie Fackler
|
r43346 | |||
FUJIWARA Katsunori
|
r24398 | def outgoing(ui, repo, other): | ||
Augie Fackler
|
r46554 | """Show bookmarks outgoing from repo to other""" | ||
Augie Fackler
|
r43347 | ui.status(_(b"searching for changed bookmarks\n")) | ||
FUJIWARA Katsunori
|
r24398 | |||
Augie Fackler
|
r43347 | remotemarks = unhexlifybookmarks(other.listkeys(b'bookmarks')) | ||
Stanislau Hlebik
|
r30583 | r = comparebookmarks(repo, repo._bookmarks, remotemarks) | ||
FUJIWARA Katsunori
|
r24398 | addsrc, adddst, advsrc, advdst, diverge, differ, invalid, same = r | ||
outgoings = [] | ||||
if ui.debugflag: | ||||
getid = lambda id: id | ||||
else: | ||||
getid = lambda id: id[:12] | ||||
FUJIWARA Katsunori
|
r24661 | if ui.verbose: | ||
Augie Fackler
|
r43346 | |||
FUJIWARA Katsunori
|
r24661 | def add(b, id, st): | ||
Augie Fackler
|
r43347 | outgoings.append(b" %-25s %s %s\n" % (b, getid(id), st)) | ||
Augie Fackler
|
r43346 | |||
FUJIWARA Katsunori
|
r24661 | else: | ||
Augie Fackler
|
r43346 | |||
FUJIWARA Katsunori
|
r24661 | def add(b, id, st): | ||
Augie Fackler
|
r43347 | outgoings.append(b" %-25s %s\n" % (b, getid(id))) | ||
Augie Fackler
|
r43346 | |||
FUJIWARA Katsunori
|
r24398 | for b, scid, dcid in addsrc: | ||
Wagner Bruna
|
r24832 | # i18n: "added refers to a bookmark | ||
Augie Fackler
|
r43347 | add(b, hex(scid), _(b'added')) | ||
FUJIWARA Katsunori
|
r24658 | for b, scid, dcid in adddst: | ||
Wagner Bruna
|
r24832 | # i18n: "deleted" refers to a bookmark | ||
Augie Fackler
|
r43347 | add(b, b' ' * 40, _(b'deleted')) | ||
FUJIWARA Katsunori
|
r24658 | for b, scid, dcid in advsrc: | ||
Wagner Bruna
|
r24832 | # i18n: "advanced" refers to a bookmark | ||
Augie Fackler
|
r43347 | add(b, hex(scid), _(b'advanced')) | ||
FUJIWARA Katsunori
|
r24658 | for b, scid, dcid in diverge: | ||
Wagner Bruna
|
r24832 | # i18n: "diverged" refers to a bookmark | ||
Augie Fackler
|
r43347 | add(b, hex(scid), _(b'diverged')) | ||
FUJIWARA Katsunori
|
r24658 | for b, scid, dcid in differ: | ||
Wagner Bruna
|
r24832 | # i18n: "changed" refers to a bookmark | ||
Augie Fackler
|
r43347 | add(b, hex(scid), _(b'changed')) | ||
FUJIWARA Katsunori
|
r24398 | |||
if not outgoings: | ||||
Augie Fackler
|
r43347 | ui.status(_(b"no changed bookmarks found\n")) | ||
FUJIWARA Katsunori
|
r24398 | return 1 | ||
for s in sorted(outgoings): | ||||
ui.write(s) | ||||
return 0 | ||||
Augie Fackler
|
r43346 | |||
Gregory Szorc
|
r37659 | def summary(repo, peer): | ||
Augie Fackler
|
r46554 | """Compare bookmarks between repo and other for "hg summary" output | ||
FUJIWARA Katsunori
|
r24400 | |||
This returns "(# of incoming, # of outgoing)" tuple. | ||||
Augie Fackler
|
r46554 | """ | ||
Gregory Szorc
|
r37659 | with peer.commandexecutor() as e: | ||
Augie Fackler
|
r43346 | remotemarks = unhexlifybookmarks( | ||
Augie Fackler
|
r46554 | e.callcommand( | ||
b'listkeys', | ||||
{ | ||||
b'namespace': b'bookmarks', | ||||
}, | ||||
).result() | ||||
Augie Fackler
|
r43346 | ) | ||
Gregory Szorc
|
r37659 | |||
Stanislau Hlebik
|
r30583 | r = comparebookmarks(repo, remotemarks, repo._bookmarks) | ||
FUJIWARA Katsunori
|
r24400 | addsrc, adddst, advsrc, advdst, diverge, differ, invalid, same = r | ||
return (len(addsrc), len(adddst)) | ||||
Augie Fackler
|
r43346 | |||
Pierre-Yves David
|
r17550 | def validdest(repo, old, new): | ||
"""Is the new bookmark destination a valid update from the old one""" | ||||
Pierre-Yves David
|
r18008 | repo = repo.unfiltered() | ||
Pierre-Yves David
|
r17551 | if old == new: | ||
# Old == new -> nothing to update. | ||||
FUJIWARA Katsunori
|
r17625 | return False | ||
Pierre-Yves David
|
r17551 | elif not old: | ||
# old is nullrev, anything is valid. | ||||
# (new != nullrev has been excluded by the previous check) | ||||
FUJIWARA Katsunori
|
r17625 | return True | ||
Pierre-Yves David
|
r17551 | elif repo.obsstore: | ||
r33147 | return new.node() in obsutil.foreground(repo, [old.node()]) | |||
Pierre-Yves David
|
r17551 | else: | ||
Mads Kiilerich
|
r24180 | # still an independent clause as it is lazier (and therefore faster) | ||
Martin von Zweigbergk
|
r38692 | return old.isancestorof(new) | ||
Sean Farley
|
r32955 | |||
Augie Fackler
|
r43346 | |||
Sean Farley
|
r32955 | def checkformat(repo, mark): | ||
"""return a valid version of a potential bookmark name | ||||
Raises an abort error if the bookmark name is not valid. | ||||
""" | ||||
mark = mark.strip() | ||||
if not mark: | ||||
Martin von Zweigbergk
|
r46525 | raise error.InputError( | ||
Martin von Zweigbergk
|
r43387 | _(b"bookmark names cannot consist entirely of whitespace") | ||
Augie Fackler
|
r43346 | ) | ||
Augie Fackler
|
r43347 | scmutil.checknewlabel(repo, mark, b'bookmark') | ||
Sean Farley
|
r32955 | return mark | ||
Sean Farley
|
r33005 | |||
Augie Fackler
|
r43346 | |||
Sean Farley
|
r33005 | def delete(repo, tr, names): | ||
"""remove a mark from the bookmark store | ||||
Raises an abort error if mark does not exist. | ||||
""" | ||||
marks = repo._bookmarks | ||||
Boris Feld
|
r33481 | changes = [] | ||
Sean Farley
|
r33005 | for mark in names: | ||
if mark not in marks: | ||||
Martin von Zweigbergk
|
r46525 | raise error.InputError(_(b"bookmark '%s' does not exist") % mark) | ||
Sean Farley
|
r33005 | if mark == repo._activebookmark: | ||
deactivate(repo) | ||||
Boris Feld
|
r33481 | changes.append((mark, None)) | ||
marks.applychanges(repo, tr, changes) | ||||
Sean Farley
|
r33006 | |||
Augie Fackler
|
r43346 | |||
Sean Farley
|
r33006 | def rename(repo, tr, old, new, force=False, inactive=False): | ||
"""rename a bookmark from old to new | ||||
If force is specified, then the new name can overwrite an existing | ||||
bookmark. | ||||
If inactive is specified, then do not activate the new bookmark. | ||||
Raises an abort error if old is not in the bookmark store. | ||||
""" | ||||
marks = repo._bookmarks | ||||
mark = checkformat(repo, new) | ||||
if old not in marks: | ||||
Martin von Zweigbergk
|
r46525 | raise error.InputError(_(b"bookmark '%s' does not exist") % old) | ||
Boris Feld
|
r33513 | changes = [] | ||
for bm in marks.checkconflict(mark, force): | ||||
changes.append((bm, None)) | ||||
changes.extend([(mark, marks[old]), (old, None)]) | ||||
Boris Feld
|
r33482 | marks.applychanges(repo, tr, changes) | ||
Sean Farley
|
r33006 | if repo._activebookmark == old and not inactive: | ||
activate(repo, mark) | ||||
Sean Farley
|
r33007 | |||
Augie Fackler
|
r43346 | |||
Sean Farley
|
r33007 | def addbookmarks(repo, tr, names, rev=None, force=False, inactive=False): | ||
"""add a list of bookmarks | ||||
If force is specified, then the new name can overwrite an existing | ||||
bookmark. | ||||
If inactive is specified, then do not activate any bookmark. Otherwise, the | ||||
first bookmark is activated. | ||||
Raises an abort error if old is not in the bookmark store. | ||||
""" | ||||
marks = repo._bookmarks | ||||
Augie Fackler
|
r43347 | cur = repo[b'.'].node() | ||
Sean Farley
|
r33007 | newact = None | ||
Boris Feld
|
r33483 | changes = [] | ||
Pulkit Goyal
|
r35665 | |||
# unhide revs if any | ||||
if rev: | ||||
Augie Fackler
|
r43347 | repo = scmutil.unhidehashlikerevs(repo, [rev], b'nowarn') | ||
Yuya Nishihara
|
r43998 | |||
Yuya Nishihara
|
r43999 | ctx = scmutil.revsingle(repo, rev, None) | ||
# bookmarking wdir means creating a bookmark on p1 and activating it | ||||
activatenew = not inactive and ctx.rev() is None | ||||
if ctx.node() is None: | ||||
ctx = ctx.p1() | ||||
Yuya Nishihara
|
r43998 | tgt = ctx.node() | ||
Yuya Nishihara
|
r43999 | assert tgt | ||
Pulkit Goyal
|
r35665 | |||
Sean Farley
|
r33007 | for mark in names: | ||
mark = checkformat(repo, mark) | ||||
if newact is None: | ||||
newact = mark | ||||
if inactive and mark == repo._activebookmark: | ||||
deactivate(repo) | ||||
Yuya Nishihara
|
r43996 | continue | ||
Boris Feld
|
r33513 | for bm in marks.checkconflict(mark, force, tgt): | ||
changes.append((bm, None)) | ||||
Boris Feld
|
r33483 | changes.append((mark, tgt)) | ||
Pulkit Goyal
|
r35665 | |||
Yuya Nishihara
|
r43996 | # nothing changed but for the one deactivated above | ||
if not changes: | ||||
return | ||||
Yuya Nishihara
|
r43998 | if ctx.hidden(): | ||
repo.ui.warn(_(b"bookmarking hidden changeset %s\n") % ctx.hex()[:12]) | ||||
Boris Feld
|
r35730 | |||
if ctx.obsolete(): | ||||
Yuya Nishihara
|
r43998 | msg = obsutil._getfilteredreason(repo, ctx.hex()[:12], ctx) | ||
Augie Fackler
|
r43347 | repo.ui.warn(b"(%s)\n" % msg) | ||
Boris Feld
|
r35730 | |||
Boris Feld
|
r33483 | marks.applychanges(repo, tr, changes) | ||
Yuya Nishihara
|
r43999 | if activatenew and cur == marks[newact]: | ||
Sean Farley
|
r33007 | activate(repo, newact) | ||
elif cur != tgt and newact == repo._activebookmark: | ||||
deactivate(repo) | ||||
Sean Farley
|
r33010 | |||
Augie Fackler
|
r43346 | |||
Yuya Nishihara
|
r39782 | def _printbookmarks(ui, repo, fm, bmarks): | ||
Sean Farley
|
r33011 | """private method to print bookmarks | ||
Provides a way for extensions to control how bookmarks are printed (e.g. | ||||
prepend or postpend names) | ||||
""" | ||||
hexfn = fm.hexfunc | ||||
if len(bmarks) == 0 and fm.isplain(): | ||||
Augie Fackler
|
r43347 | ui.status(_(b"no bookmarks set\n")) | ||
Gregory Szorc
|
r43376 | for bmark, (n, prefix, label) in sorted(pycompat.iteritems(bmarks)): | ||
Sean Farley
|
r33011 | fm.startitem() | ||
Yuya Nishihara
|
r39660 | fm.context(repo=repo) | ||
Sean Farley
|
r33011 | if not ui.quiet: | ||
Augie Fackler
|
r43347 | fm.plain(b' %s ' % prefix, label=label) | ||
fm.write(b'bookmark', b'%s', bmark, label=label) | ||||
pad = b" " * (25 - encoding.colwidth(bmark)) | ||||
Augie Fackler
|
r43346 | fm.condwrite( | ||
not ui.quiet, | ||||
Augie Fackler
|
r43347 | b'rev node', | ||
pad + b' %d:%s', | ||||
Augie Fackler
|
r43346 | repo.changelog.rev(n), | ||
hexfn(n), | ||||
label=label, | ||||
) | ||||
Sean Farley
|
r33011 | fm.data(active=(activebookmarklabel in label)) | ||
Augie Fackler
|
r43347 | fm.plain(b'\n') | ||
Sean Farley
|
r33011 | |||
Augie Fackler
|
r43346 | |||
Yuya Nishihara
|
r39789 | def printbookmarks(ui, repo, fm, names=None): | ||
Yuya Nishihara
|
r39782 | """print bookmarks by the given formatter | ||
Sean Farley
|
r33010 | |||
Provides a way for extensions to control how bookmarks are printed. | ||||
""" | ||||
marks = repo._bookmarks | ||||
Sean Farley
|
r33011 | bmarks = {} | ||
Augie Fackler
|
r43346 | for bmark in names or marks: | ||
Yuya Nishihara
|
r39789 | if bmark not in marks: | ||
Martin von Zweigbergk
|
r46525 | raise error.InputError(_(b"bookmark '%s' does not exist") % bmark) | ||
Sean Farley
|
r33010 | active = repo._activebookmark | ||
if bmark == active: | ||||
Augie Fackler
|
r43347 | prefix, label = b'*', activebookmarklabel | ||
Sean Farley
|
r33010 | else: | ||
Augie Fackler
|
r43347 | prefix, label = b' ', b'' | ||
Sean Farley
|
r33010 | |||
Yuya Nishihara
|
r39789 | bmarks[bmark] = (marks[bmark], prefix, label) | ||
Yuya Nishihara
|
r39782 | _printbookmarks(ui, repo, fm, bmarks) | ||
Boris Feld
|
r34709 | |||
Augie Fackler
|
r43346 | |||
Boris Feld
|
r34709 | def preparehookargs(name, old, new): | ||
if new is None: | ||||
Augie Fackler
|
r43347 | new = b'' | ||
Boris Feld
|
r34709 | if old is None: | ||
Augie Fackler
|
r43347 | old = b'' | ||
return {b'bookmark': name, b'node': hex(new), b'oldnode': hex(old)} | ||||