##// END OF EJS Templates
filemerge: add configs to disable some or all partial merge tools...
filemerge: add configs to disable some or all partial merge tools When rolling out partial merge tools to users, it's useful to be able to easily turn one or all of them off if a problem is discovered. This patch adds support for that. They can of course also be useful for individual users to be able to temporarily turn off a tool they are otherwise using. Differential Revision: https://phab.mercurial-scm.org/D12588

File last commit:

r50060:7af798e4 default
r50060:7af798e4 default
Show More
filemerge.py
1303 lines | 42.1 KiB | text/x-python | PythonLexer
Matt Mackall
filemerge: pull file-merging code into its own module
r6003 # filemerge.py - file-level merge handling for Mercurial
#
Raphaël Gomès
contributor: change mentions of mpm to olivia...
r47575 # Copyright 2006, 2007, 2008 Olivia Mackall <olivia@selenic.com>
Matt Mackall
filemerge: pull file-merging code into its own module
r6003 #
Martin Geisler
updated license to be explicit about GPL version 2
r8225 # This software may be used and distributed according to the terms of the
Matt Mackall
Update license to GPLv2+
r10263 # GNU General Public License version 2 or any later version.
Matt Mackall
filemerge: pull file-merging code into its own module
r6003
Gregory Szorc
filemerge: use absolute_import
r25949
Kyle Lippincott
filemerge: move temp file unlinks to _maketempfiles...
r37016 import contextlib
Gregory Szorc
filemerge: use absolute_import
r25949 import os
import re
Kyle Lippincott
filemerge: use a single temp dir instead of temp files...
r37017 import shutil
Gregory Szorc
filemerge: use absolute_import
r25949
from .i18n import _
Kyle Lippincott
merge-tools: when calling external merge tool, describe the resolve inputs...
r40512 from .node import (
hex,
short,
)
Gregory Szorc
py3: manually import getattr where it is needed...
r43359 from .pycompat import (
getattr,
)
Gregory Szorc
filemerge: use absolute_import
r25949
from . import (
Pulkit Goyal
py3: replace os.environ with encoding.environ (part 3 of 5)
r30636 encoding,
Gregory Szorc
filemerge: use absolute_import
r25949 error,
Yuya Nishihara
templater: factor out function that creates templater from string template...
r28955 formatter,
Gregory Szorc
filemerge: use absolute_import
r25949 match,
Pulkit Goyal
py3: make format strings unicodes and not bytes...
r30073 pycompat,
FUJIWARA Katsunori
filemerge: move decorator definition for internal merge tools to registrar...
r33663 registrar,
Siddharth Agarwal
origpath: move from cmdutil to scmutil...
r27651 scmutil,
Gregory Szorc
filemerge: use absolute_import
r25949 simplemerge,
tagmerge,
templatekw,
templater,
Kyle Lippincott
merge-tools: when calling external merge tool, describe the resolve inputs...
r40512 templateutil,
Gregory Szorc
filemerge: use absolute_import
r25949 util,
)
Matt Mackall
merge: allow smarter tool configuration...
r6004
Yuya Nishihara
stringutil: bulk-replace call sites to point to new module...
r37102 from .utils import (
Yuya Nishihara
procutil: bulk-replace function calls to point to new module
r37138 procutil,
Martin von Zweigbergk
simplemerge: let filemerge check for binary inputs...
r49597 stringutil,
Yuya Nishihara
stringutil: bulk-replace call sites to point to new module...
r37102 )
Augie Fackler
formatting: blacken the codebase...
r43346
Boris Feld
configitems: register the full 'merge-tools' config and sub-options...
r34827 def _toolstr(ui, tool, part, *args):
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 return ui.config(b"merge-tools", tool + b"." + part, *args)
Matt Mackall
merge: allow smarter tool configuration...
r6004
Augie Fackler
formatting: blacken the codebase...
r43346
def _toolbool(ui, tool, part, *args):
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 return ui.configbool(b"merge-tools", tool + b"." + part, *args)
Matt Mackall
merge: allow smarter tool configuration...
r6004
Augie Fackler
formatting: blacken the codebase...
r43346
Boris Feld
configitems: register the full 'merge-tools' config and sub-options...
r34827 def _toollist(ui, tool, part):
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 return ui.configlist(b"merge-tools", tool + b"." + part)
David Champion
merge: introduce tool.check parameter...
r11148
Augie Fackler
formatting: blacken the codebase...
r43346
FUJIWARA Katsunori
filemerge: create detail of internal merge tools from documentation string...
r16126 internals = {}
Gregory Szorc
help.merge-tools: do not double document merge tools...
r24099 # Merge tools to document.
internalsdoc = {}
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
FUJIWARA Katsunori
filemerge: move decorator definition for internal merge tools to registrar...
r33663 internaltool = registrar.internalmerge()
Siddharth Agarwal
filemerge: add some merge types...
r26525 # internal tool merge types
FUJIWARA Katsunori
filemerge: move decorator definition for internal merge tools to registrar...
r33663 nomerge = internaltool.nomerge
Augie Fackler
formatting: blacken the codebase...
r43346 mergeonly = internaltool.mergeonly # just the full merge, no premerge
fullmerge = internaltool.fullmerge # both premerge and merge
Siddharth Agarwal
filemerge: add some merge types...
r26525
Kyle Lippincott
filemerge: make last line of prompts <40 english chars (issue6158)...
r42765 # IMPORTANT: keep the last line of this prompt very short ("What do you want to
# do?") because of issue6158, ideally to <40 English characters (to allow other
# languages that may take more columns to still have a chance to fit in an
# 80-column screen).
Stanislau Hlebik
filemerge: store error messages in module variables...
r32318 _localchangedotherdeletedmsg = _(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b"file '%(fd)s' was deleted in other%(o)s but was modified in local%(l)s.\n"
b"You can use (c)hanged version, (d)elete, or leave (u)nresolved.\n"
b"What do you want to do?"
b"$$ &Changed $$ &Delete $$ &Unresolved"
Augie Fackler
formatting: blacken the codebase...
r43346 )
Stanislau Hlebik
filemerge: store error messages in module variables...
r32318
_otherchangedlocaldeletedmsg = _(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b"file '%(fd)s' was deleted in local%(l)s but was modified in other%(o)s.\n"
b"You can use (c)hanged version, leave (d)eleted, or leave (u)nresolved.\n"
b"What do you want to do?"
b"$$ &Changed $$ &Deleted $$ &Unresolved"
Augie Fackler
formatting: blacken the codebase...
r43346 )
Stanislau Hlebik
filemerge: store error messages in module variables...
r32318
Gregory Szorc
py3: use class X: instead of class X(object):...
r49801 class absentfilectx:
Siddharth Agarwal
filemerge: introduce class whose objects represent files not in a context...
r26979 """Represents a file that's ostensibly in a context but is actually not
present in it.
This is here because it's very specific to the filemerge code for now --
other code is likely going to break with the values this returns."""
Augie Fackler
formatting: blacken the codebase...
r43346
Siddharth Agarwal
filemerge: introduce class whose objects represent files not in a context...
r26979 def __init__(self, ctx, f):
self._ctx = ctx
self._f = f
Augie Fackler
filemerge: add __bytes__ for absentfilectx...
r45408 def __bytes__(self):
return b'absent file %s@%s' % (self._f, self._ctx)
Siddharth Agarwal
filemerge: introduce class whose objects represent files not in a context...
r26979 def path(self):
return self._f
def size(self):
return None
def data(self):
return None
def filenode(self):
Joerg Sonnenberger
node: replace nullid and friends with nodeconstants class...
r47771 return self._ctx.repo().nullid
Siddharth Agarwal
filemerge: introduce class whose objects represent files not in a context...
r26979
_customcmp = True
Augie Fackler
formatting: blacken the codebase...
r43346
Siddharth Agarwal
filemerge: introduce class whose objects represent files not in a context...
r26979 def cmp(self, fctx):
"""compare with other file context
returns True if different from fctx.
"""
Augie Fackler
formatting: blacken the codebase...
r43346 return not (
fctx.isabsent()
Matt Harbison
filemerge: fix a missing attribute usage...
r44305 and fctx.changectx() == self.changectx()
Augie Fackler
formatting: blacken the codebase...
r43346 and fctx.path() == self.path()
)
Siddharth Agarwal
filemerge: introduce class whose objects represent files not in a context...
r26979
def flags(self):
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 return b''
Siddharth Agarwal
filemerge: introduce class whose objects represent files not in a context...
r26979
def changectx(self):
return self._ctx
def isbinary(self):
return False
def isabsent(self):
return True
Augie Fackler
formatting: blacken the codebase...
r43346
Matt Mackall
merge: allow smarter tool configuration...
r6004 def _findtool(ui, tool):
FUJIWARA Katsunori
filemerge: create detail of internal merge tools from documentation string...
r16126 if tool in internals:
Dov Feldstern
use internal merge tool when specified for a merge-pattern in hgrc...
r6522 return tool
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 cmd = _toolstr(ui, tool, b"executable", tool)
if cmd.startswith(b'python:'):
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 return cmd
Matt Harbison
filemerge: split the logic for finding an external tool to its own function...
r23148 return findexternaltool(ui, tool)
Augie Fackler
formatting: blacken the codebase...
r43346
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 def _quotetoolpath(cmd):
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if cmd.startswith(b'python:'):
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 return cmd
return procutil.shellquote(cmd)
Augie Fackler
formatting: blacken the codebase...
r43346
Matt Harbison
filemerge: split the logic for finding an external tool to its own function...
r23148 def findexternaltool(ui, tool):
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 for kn in (b"regkey", b"regkeyalt"):
Steve Borho
filemerge: introduce a 'regkeyalt' merge tool variable...
r13565 k = _toolstr(ui, tool, kn)
if not k:
continue
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 p = util.lookupreg(k, _toolstr(ui, tool, b"regname"))
Matt Mackall
merge: add registry look up bits to tool search
r6006 if p:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 p = procutil.findexe(p + _toolstr(ui, tool, b"regappend", b""))
Matt Mackall
merge: add registry look up bits to tool search
r6006 if p:
return p
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 exe = _toolstr(ui, tool, b"executable", tool)
Yuya Nishihara
procutil: bulk-replace function calls to point to new module
r37138 return procutil.findexe(util.expandpath(exe))
Matt Mackall
merge: allow smarter tool configuration...
r6004
Augie Fackler
formatting: blacken the codebase...
r43346
Siddharth Agarwal
filemerge._picktool: only pick from nomerge tools for change/delete conflicts...
r27039 def _picktool(repo, ui, path, binary, symlink, changedelete):
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 strictcheck = ui.configbool(b'merge', b'strict-capability-check')
FUJIWARA Katsunori
filemerge: add config knob to check capabilities of internal merge tools...
r39161
FUJIWARA Katsunori
filemerge: add the function to examine a capability of a internal tool...
r39159 def hascapability(tool, capability, strict=False):
FUJIWARA Katsunori
filemerge: make capability check for internal tools ignore merge-tools section...
r39302 if tool in internals:
return strict and internals[tool].capabilities.get(capability)
FUJIWARA Katsunori
filemerge: add the function to examine a capability of a internal tool...
r39159 return _toolbool(ui, tool, capability)
Siddharth Agarwal
filemerge._picktool: only pick from nomerge tools for change/delete conflicts...
r27039 def supportscd(tool):
return tool in internals and internals[tool].mergetype == nomerge
def check(tool, pat, symlink, binary, changedelete):
Matt Mackall
merge: allow smarter tool configuration...
r6004 tmsg = tool
if pat:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 tmsg = _(b"%s (for pattern %s)") % (tool, pat)
Mads Kiilerich
More verbose logging when filemerge searches for merge-tool...
r7397 if not _findtool(ui, tool):
Augie Fackler
formatting: blacken the codebase...
r43346 if pat: # explicitly requested tool deserves a warning
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 ui.warn(_(b"couldn't find merge tool %s\n") % tmsg)
Augie Fackler
formatting: blacken the codebase...
r43346 else: # configured but non-existing tools are more silent
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 ui.note(_(b"couldn't find merge tool %s\n") % tmsg)
elif symlink and not hascapability(tool, b"symlink", strictcheck):
ui.warn(_(b"tool %s can't handle symlinks\n") % tmsg)
elif binary and not hascapability(tool, b"binary", strictcheck):
ui.warn(_(b"tool %s can't handle binary\n") % tmsg)
Siddharth Agarwal
filemerge._picktool: only pick from nomerge tools for change/delete conflicts...
r27039 elif changedelete and not supportscd(tool):
# the nomerge tools are the only tools that support change/delete
# conflicts
pass
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 elif not procutil.gui() and _toolbool(ui, tool, b"gui"):
ui.warn(_(b"tool %s requires a GUI\n") % tmsg)
Matt Mackall
merge: allow smarter tool configuration...
r6004 else:
return True
return False
Matt Mackall
filemerge: mark internal-only config option
r25835 # internal config: ui.forcemerge
Steve Borho
merge: implement --tool arguments using new ui.forcemerge configurable...
r12788 # forcemerge comes from command line arguments, highest priority
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 force = ui.config(b'ui', b'forcemerge')
Steve Borho
merge: implement --tool arguments using new ui.forcemerge configurable...
r12788 if force:
toolpath = _findtool(ui, force)
Siddharth Agarwal
filemerge._picktool: only pick from nomerge tools for change/delete conflicts...
r27039 if changedelete and not supportscd(toolpath):
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 return b":prompt", None
Steve Borho
merge: implement --tool arguments using new ui.forcemerge configurable...
r12788 else:
Siddharth Agarwal
filemerge._picktool: only pick from nomerge tools for change/delete conflicts...
r27039 if toolpath:
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 return (force, _quotetoolpath(toolpath))
Siddharth Agarwal
filemerge._picktool: only pick from nomerge tools for change/delete conflicts...
r27039 else:
# mimic HGMERGE if given tool not found
return (force, force)
Steve Borho
merge: implement --tool arguments using new ui.forcemerge configurable...
r12788
# HGMERGE takes next precedence
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 hgmerge = encoding.environ.get(b"HGMERGE")
Steve Borho
filemerge: wrap quotes around tool path
r6025 if hgmerge:
Siddharth Agarwal
filemerge._picktool: only pick from nomerge tools for change/delete conflicts...
r27039 if changedelete and not supportscd(hgmerge):
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 return b":prompt", None
Siddharth Agarwal
filemerge._picktool: only pick from nomerge tools for change/delete conflicts...
r27039 else:
return (hgmerge, hgmerge)
Matt Mackall
merge: allow smarter tool configuration...
r6004
# then patterns
FUJIWARA Katsunori
filemerge: add config knob to check capabilities of internal merge tools...
r39161
# whether binary capability should be checked strictly
binarycap = binary and strictcheck
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 for pat, tool in ui.configitems(b"merge-patterns"):
mf = match.match(repo.root, b'', [pat])
FUJIWARA Katsunori
filemerge: add config knob to check capabilities of internal merge tools...
r39161 if mf(path) and check(tool, pat, symlink, binarycap, changedelete):
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if binary and not hascapability(tool, b"binary", strict=True):
Augie Fackler
formatting: blacken the codebase...
r43346 ui.warn(
_(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b"warning: check merge-patterns configurations,"
b" if %r for binary file %r is unintentional\n"
b"(see 'hg help merge-tools'"
b" for binary files capability)\n"
Augie Fackler
formatting: blacken the codebase...
r43346 )
% (pycompat.bytestr(tool), pycompat.bytestr(path))
)
Benoit Boissinot
fix spaces/identation issues
r10339 toolpath = _findtool(ui, tool)
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 return (tool, _quotetoolpath(toolpath))
Matt Mackall
merge: allow smarter tool configuration...
r6004
# then merge tools
tools = {}
Augie Fackler
merge-tools: allow marking a mergetool as completely disabled...
r26730 disabled = set()
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 for k, v in ui.configitems(b"merge-tools"):
t = k.split(b'.')[0]
Matt Mackall
merge: allow smarter tool configuration...
r6004 if t not in tools:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 tools[t] = int(_toolstr(ui, t, b"priority"))
if _toolbool(ui, t, b"disabled"):
Augie Fackler
merge-tools: allow marking a mergetool as completely disabled...
r26730 disabled.add(t)
Steve Borho
filemerge: more backwards compatible behavior for ui.merge...
r6076 names = tools.keys()
Augie Fackler
formatting: blacken the codebase...
r43346 tools = sorted(
[(-p, tool) for tool, p in tools.items() if tool not in disabled]
)
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 uimerge = ui.config(b"ui", b"merge")
Steve Borho
filemerge: more backwards compatible behavior for ui.merge...
r6076 if uimerge:
Siddharth Agarwal
filemerge._picktool: only pick from nomerge tools for change/delete conflicts...
r27039 # external tools defined in uimerge won't be able to handle
# change/delete conflicts
Martin von Zweigbergk
mergetool: warn if ui.merge points to nonexistent tool...
r38987 if check(uimerge, path, symlink, binary, changedelete):
if uimerge not in names and not changedelete:
return (uimerge, uimerge)
Augie Fackler
formatting: blacken the codebase...
r43346 tools.insert(0, (None, uimerge)) # highest priority
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 tools.append((None, b"hgmerge")) # the old default, if found
Matt Mackall
many, many trivial check-code fixups
r10282 for p, t in tools:
Siddharth Agarwal
filemerge._picktool: only pick from nomerge tools for change/delete conflicts...
r27039 if check(t, None, symlink, binary, changedelete):
Mads Kiilerich
More verbose logging when filemerge searches for merge-tool...
r7397 toolpath = _findtool(ui, t)
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 return (t, _quotetoolpath(toolpath))
Matt Mackall
filemerge: restore default prompt for binary/symlink lost in 83925d3a4559...
r16254
# internal merge or prompt as last resort
Siddharth Agarwal
filemerge._picktool: only pick from nomerge tools for change/delete conflicts...
r27039 if symlink or binary or changedelete:
FUJIWARA Katsunori
filemerge: show warning about choice of :prompt only at an actual fallback...
r32253 if not changedelete and len(tools):
# any tool is rejected by capability for symlink or binary
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 ui.warn(_(b"no tool found to merge %s\n") % path)
return b":prompt", None
return b":merge", None
Matt Mackall
filemerge: pull file-merging code into its own module
r6003
Augie Fackler
formatting: blacken the codebase...
r43346
Matt Mackall
merge: add support for tool EOL fixups...
r6005 def _eoltype(data):
Matt Harbison
cleanup: fix docstring formatting...
r44226 """Guess the EOL type of a file"""
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if b'\0' in data: # binary
Matt Mackall
merge: add support for tool EOL fixups...
r6005 return None
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if b'\r\n' in data: # Windows
return b'\r\n'
if b'\r' in data: # Old Mac
return b'\r'
if b'\n' in data: # UNIX
return b'\n'
Augie Fackler
formatting: blacken the codebase...
r43346 return None # unknown
Matt Mackall
merge: add support for tool EOL fixups...
r6005
Martin von Zweigbergk
filemerge: rename backup variables from `back` to `backup`...
r49334 def _matcheol(file, backup):
Matt Harbison
cleanup: fix docstring formatting...
r44226 """Convert EOL markers in a file to match origfile"""
Martin von Zweigbergk
filemerge: rename backup variables from `back` to `backup`...
r49334 tostyle = _eoltype(backup.data()) # No repo.wread filters?
Matt Mackall
merge: add support for tool EOL fixups...
r6005 if tostyle:
Dan Villiom Podlaski Christiansen
prevent transient leaks of file handle by using new helper functions...
r14168 data = util.readfile(file)
Matt Mackall
merge: add support for tool EOL fixups...
r6005 style = _eoltype(data)
if style:
newdata = data.replace(style, tostyle)
if newdata != data:
Dan Villiom Podlaski Christiansen
prevent transient leaks of file handle by using new helper functions...
r14168 util.writefile(file, newdata)
Matt Mackall
merge: add support for tool EOL fixups...
r6005
Augie Fackler
formatting: blacken the codebase...
r43346
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 @internaltool(b'prompt', nomerge)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _iprompt(repo, mynode, local, other, base, toolconf):
timeless
filemerge: use revset notation for p1/p2 of local/other descriptions
r28640 """Asks the user which of the local `p1()` or the other `p2()` version to
keep as the merged version."""
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125 ui = repo.ui
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 fd = local.fctx.path()
Martin von Zweigbergk
merge: respect ui.relative-paths...
r41651 uipathfn = scmutil.getuipathfn(repo)
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
Phil Cohen
filemerge: raise InMemoryMergeConflictsError if we hit merge conflicts in IMM...
r35283 # Avoid prompting during an in-memory merge since it doesn't support merge
# conflicts.
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 if local.fctx.changectx().isinmemory():
Augie Fackler
formatting: blacken the codebase...
r43346 raise error.InMemoryMergeConflictsError(
Martin von Zweigbergk
cleanup: join string literals that are already on one line...
r43387 b'in-memory merge does not support file conflicts'
Augie Fackler
formatting: blacken the codebase...
r43346 )
Phil Cohen
filemerge: raise InMemoryMergeConflictsError if we hit merge conflicts in IMM...
r35283
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 prompts = partextras([local.label, other.label])
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 prompts[b'fd'] = uipathfn(fd)
Siddharth Agarwal
filemerge: treat EOF at prompt as fail, not abort...
r26898 try:
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 if other.fctx.isabsent():
Augie Fackler
formatting: blacken the codebase...
r43346 index = ui.promptchoice(_localchangedotherdeletedmsg % prompts, 2)
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 choice = [b'local', b'other', b'unresolved'][index]
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 elif local.fctx.isabsent():
Augie Fackler
formatting: blacken the codebase...
r43346 index = ui.promptchoice(_otherchangedlocaldeletedmsg % prompts, 2)
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 choice = [b'other', b'local', b'unresolved'][index]
Siddharth Agarwal
filemerge: add support for change/delete conflicts to the ':prompt' tool...
r27038 else:
Kyle Lippincott
filemerge: make last line of prompts <40 english chars (issue6158)...
r42765 # IMPORTANT: keep the last line of this prompt ("What do you want to
# do?") very short, see comment next to _localchangedotherdeletedmsg
# at the top of the file for details.
Siddharth Agarwal
filemerge: add a 'leave unresolved' option to regular prompts...
r27162 index = ui.promptchoice(
Augie Fackler
formatting: blacken the codebase...
r43346 _(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b"file '%(fd)s' needs to be resolved.\n"
b"You can keep (l)ocal%(l)s, take (o)ther%(o)s, or leave "
b"(u)nresolved.\n"
b"What do you want to do?"
b"$$ &Local $$ &Other $$ &Unresolved"
Augie Fackler
formatting: blacken the codebase...
r43346 )
% prompts,
2,
)
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 choice = [b'local', b'other', b'unresolved'][index]
Siddharth Agarwal
filemerge.prompt: separate out choice selection and action...
r26851
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if choice == b'other':
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 return _iother(repo, mynode, local, other, base, toolconf)
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 elif choice == b'local':
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 return _ilocal(repo, mynode, local, other, base, toolconf)
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 elif choice == b'unresolved':
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 return _ifail(repo, mynode, local, other, base, toolconf)
Siddharth Agarwal
filemerge: treat EOF at prompt as fail, not abort...
r26898 except error.ResponseExpected:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 ui.write(b"\n")
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 return _ifail(repo, mynode, local, other, base, toolconf)
Augie Fackler
formatting: blacken the codebase...
r43346
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 @internaltool(b'local', nomerge)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _ilocal(repo, mynode, local, other, base, toolconf):
timeless
filemerge: use revset notation for p1/p2 of local/other descriptions
r28640 """Uses the local `p1()` version of files as the merged version."""
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 return 0, local.fctx.isabsent()
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
Augie Fackler
formatting: blacken the codebase...
r43346
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 @internaltool(b'other', nomerge)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _iother(repo, mynode, local, other, base, toolconf):
timeless
filemerge: use revset notation for p1/p2 of local/other descriptions
r28640 """Uses the other `p2()` version of files as the merged version."""
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 if other.fctx.isabsent():
Siddharth Agarwal
filemerge: add support for change/delete conflicts to the ':other' merge tool...
r27037 # local changed, remote deleted -- 'deleted' picked
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 _underlyingfctxifabsent(local.fctx).remove()
Siddharth Agarwal
filemerge: add support for change/delete conflicts to the ':other' merge tool...
r27037 deleted = True
else:
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 _underlyingfctxifabsent(local.fctx).write(
other.fctx.data(), other.fctx.flags()
)
Siddharth Agarwal
filemerge: add support for change/delete conflicts to the ':other' merge tool...
r27037 deleted = False
return 0, deleted
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
Augie Fackler
formatting: blacken the codebase...
r43346
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 @internaltool(b'fail', nomerge)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _ifail(repo, mynode, local, other, base, toolconf):
Matt Mackall
filemerge: remove some redundancy in decorators/docstrings
r16127 """
FUJIWARA Katsunori
filemerge: create detail of internal merge tools from documentation string...
r16126 Rather than attempting to merge files that were modified on both
branches, it marks them as unresolved. The resolve command must be
used to resolve these conflicts."""
Siddharth Agarwal
filemerge: in ':fail' tool, write out other side if local side is deleted...
r27123 # for change/delete conflicts write out the changed version, then fail
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 if local.fctx.isabsent():
_underlyingfctxifabsent(local.fctx).write(
other.fctx.data(), other.fctx.flags()
)
Siddharth Agarwal
filemerge: return whether the file is deleted for nomerge internal tools...
r27032 return 1, False
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
Augie Fackler
formatting: blacken the codebase...
r43346
Phil Cohen
filemerge: convert a couple of wvfs calls in internal mergetools to contexts...
r33152 def _underlyingfctxifabsent(filectx):
"""Sometimes when resolving, our fcd is actually an absentfilectx, but
we want to write to it (to do the resolve). This helper returns the
underyling workingfilectx in that case.
"""
if filectx.isabsent():
return filectx.changectx()[filectx.path()]
else:
return filectx
Augie Fackler
formatting: blacken the codebase...
r43346
Martin von Zweigbergk
simplemerge: let filemerge check for binary inputs...
r49597 def _verifytext(input, ui):
"""verifies that text is non-binary"""
if stringutil.binary(input.text()):
msg = _(b"%s looks like a binary file.") % input.fctx.path()
ui.warn(_(b'warning: %s\n') % msg)
raise error.Abort(msg)
Martin von Zweigbergk
filemerge: when not keeping premerge, don't write markers to context...
r49600 def _premerge(repo, local, other, base, toolconf):
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 tool, toolpath, binary, symlink, scriptfn = toolconf
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 if symlink or local.fctx.isabsent() or other.fctx.isabsent():
Mads Kiilerich
merge: never do premerge on symlinks...
r18257 return 1
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
ui = repo.ui
Martin von Zweigbergk
filemerge: add support for the new "mergediff" marker style to premerge...
r46755 validkeep = [b'keep', b'keep-merge3', b'keep-mergediff']
Pierre-Yves David
merge-tools: make premerge valid values extensible...
r22031
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125 # do we attempt to simplemerge first?
try:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 premerge = _toolbool(ui, tool, b"premerge", not binary)
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125 except error.ConfigError:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 premerge = _toolstr(ui, tool, b"premerge", b"").lower()
Pierre-Yves David
merge-tools: make premerge valid values extensible...
r22031 if premerge not in validkeep:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 _valid = b', '.join([b"'" + v + b"'" for v in validkeep])
Augie Fackler
formatting: blacken the codebase...
r43346 raise error.ConfigError(
Martin von Zweigbergk
cleanup: join string literals that are already on one line...
r43387 _(b"%s.premerge not valid ('%s' is neither boolean nor %s)")
Augie Fackler
formatting: blacken the codebase...
r43346 % (tool, premerge, _valid)
)
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
if premerge:
Martin von Zweigbergk
filemerge: add support for the new "mergediff" marker style to premerge...
r46755 mode = b'merge'
Martin von Zweigbergk
simplemerge: use 3-way markers if mode=='merge3', ignoring number of labels...
r49404 if premerge == b'keep-mergediff':
mode = b'mergediff'
elif premerge == b'keep-merge3':
mode = b'merge3'
Martin von Zweigbergk
simplemerge: let filemerge check for binary inputs...
r49597 if any(
stringutil.binary(input.text()) for input in (local, base, other)
):
return 1 # continue merging
Martin von Zweigbergk
simplemerge: move printing of merge result to extension...
r49599 merged_text, conflicts = simplemerge.simplemerge(
Martin von Zweigbergk
simplemerge: remove now-unused arguments...
r49602 local, base, other, mode=mode
Martin von Zweigbergk
filemerge: add support for the new "mergediff" marker style to premerge...
r46755 )
Martin von Zweigbergk
filemerge: when not keeping premerge, don't write markers to context...
r49600 if not conflicts or premerge in validkeep:
# fcd.flags() already has the merged flags (done in
# mergestate.resolve())
local.fctx.write(merged_text, local.fctx.flags())
Martin von Zweigbergk
simplemerge: move printing of merge result to extension...
r49599 if not conflicts:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 ui.debug(b" premerge successful\n")
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125 return 0
Augie Fackler
formatting: blacken the codebase...
r43346 return 1 # continue merging
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
Martin von Zweigbergk
filemerge: remove unused `orig` argument from tool functions...
r49336 def _mergecheck(repo, mynode, fcd, fco, fca, toolconf):
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 tool, toolpath, binary, symlink, scriptfn = toolconf
Martin von Zweigbergk
merge: respect ui.relative-paths...
r41651 uipathfn = scmutil.getuipathfn(repo)
Siddharth Agarwal
filemerge: add a precheck for symlinks...
r26515 if symlink:
Augie Fackler
formatting: blacken the codebase...
r43346 repo.ui.warn(
Martin von Zweigbergk
cleanup: join string literals that are already on one line...
r43387 _(b'warning: internal %s cannot merge symlinks for %s\n')
Augie Fackler
formatting: blacken the codebase...
r43346 % (tool, uipathfn(fcd.path()))
)
Siddharth Agarwal
filemerge: add a precheck for symlinks...
r26515 return False
Siddharth Agarwal
filemerge._mergecheck: add check for change/delete conflicts...
r27040 if fcd.isabsent() or fco.isabsent():
Augie Fackler
formatting: blacken the codebase...
r43346 repo.ui.warn(
_(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'warning: internal %s cannot merge change/delete '
b'conflict for %s\n'
Augie Fackler
formatting: blacken the codebase...
r43346 )
% (tool, uipathfn(fcd.path()))
)
Siddharth Agarwal
filemerge._mergecheck: add check for change/delete conflicts...
r27040 return False
Siddharth Agarwal
filemerge: add a precheck for symlinks...
r26515 return True
Augie Fackler
formatting: blacken the codebase...
r43346
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _merge(repo, local, other, base, mode):
Matt Mackall
filemerge: remove some redundancy in decorators/docstrings
r16127 """
FUJIWARA Katsunori
filemerge: create detail of internal merge tools from documentation string...
r16126 Uses the internal non-interactive simple merge algorithm for merging
files. It will fail if there are any conflicts and leave markers in
Pierre-Yves David
internal:merge: update documentation...
r22027 the partially merged file. Markers will have two sections, one for each side
Erik Huelsmann
filemerge: split internal merge into api entry point and internal helper...
r26070 of merge, unless mode equals 'union' which suppresses the markers."""
Siddharth Agarwal
filemerge._merge: drop no longer necessary 'if r:' check...
r26572 ui = repo.ui
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
Martin von Zweigbergk
simplemerge: let filemerge check for binary inputs...
r49597 try:
_verifytext(local, ui)
_verifytext(base, ui)
_verifytext(other, ui)
except error.Abort:
return True, True, False
Martin von Zweigbergk
simplemerge: move printing of merge result to extension...
r49599 else:
merged_text, conflicts = simplemerge.simplemerge(
Martin von Zweigbergk
simplemerge: remove now-unused arguments...
r49602 local, base, other, mode=mode
Martin von Zweigbergk
simplemerge: move printing of merge result to extension...
r49599 )
# fcd.flags() already has the merged flags (done in
# mergestate.resolve())
local.fctx.write(merged_text, local.fctx.flags())
return True, conflicts, False
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
Augie Fackler
formatting: blacken the codebase...
r43346
@internaltool(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'union',
Augie Fackler
formatting: blacken the codebase...
r43346 fullmerge,
_(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b"warning: conflicts while merging %s! "
b"(edit, then use 'hg resolve --mark')\n"
Augie Fackler
formatting: blacken the codebase...
r43346 ),
precheck=_mergecheck,
)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _iunion(repo, mynode, local, other, base, toolconf, backup):
Erik Huelsmann
filemerge: add 'union' merge to internal merge tool...
r26071 """
Uses the internal non-interactive simple merge algorithm for merging
files. It will use both left and right sides for conflict regions.
No markers are inserted."""
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 return _merge(repo, local, other, base, b'union')
Augie Fackler
formatting: blacken the codebase...
r43346
Erik Huelsmann
filemerge: add 'union' merge to internal merge tool...
r26071
Augie Fackler
formatting: blacken the codebase...
r43346 @internaltool(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'merge',
Augie Fackler
formatting: blacken the codebase...
r43346 fullmerge,
_(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b"warning: conflicts while merging %s! "
b"(edit, then use 'hg resolve --mark')\n"
Augie Fackler
formatting: blacken the codebase...
r43346 ),
precheck=_mergecheck,
)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _imerge(repo, mynode, local, other, base, toolconf, backup):
Erik Huelsmann
filemerge: split internal merge into api entry point and internal helper...
r26070 """
Uses the internal non-interactive simple merge algorithm for merging
files. It will fail if there are any conflicts and leave markers in
the partially merged file. Markers will have two sections, one for each side
of merge."""
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 return _merge(repo, local, other, base, b'merge')
Augie Fackler
formatting: blacken the codebase...
r43346
Erik Huelsmann
filemerge: split internal merge into api entry point and internal helper...
r26070
Augie Fackler
formatting: blacken the codebase...
r43346 @internaltool(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'merge3',
Augie Fackler
formatting: blacken the codebase...
r43346 fullmerge,
_(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b"warning: conflicts while merging %s! "
b"(edit, then use 'hg resolve --mark')\n"
Augie Fackler
formatting: blacken the codebase...
r43346 ),
precheck=_mergecheck,
)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _imerge3(repo, mynode, local, other, base, toolconf, backup):
Pierre-Yves David
merge: add an internal:merge3 tool...
r22028 """
Uses the internal non-interactive simple merge algorithm for merging
files. It will fail if there are any conflicts and leave markers in
the partially merged file. Marker will have three sections, one from each
side of the merge and one for the base content."""
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 return _merge(repo, local, other, base, b'merge3')
Pierre-Yves David
merge: add an internal:merge3 tool...
r22028
Augie Fackler
formatting: blacken the codebase...
r43346
Martin von Zweigbergk
mergetools: add new conflict marker format with diffs in...
r46724 @internaltool(
Augie Fackler
filemerge: add a hacktastic version of internal:merge3 for merge diffs...
r47072 b'merge3-lie-about-conflicts',
fullmerge,
b'',
precheck=_mergecheck,
)
def _imerge3alwaysgood(*args, **kwargs):
# Like merge3, but record conflicts as resolved with markers in place.
#
Martin von Zweigbergk
diff: replace --merge option by config option...
r47246 # This is used for `diff.merge` to show the differences between
Augie Fackler
filemerge: add a hacktastic version of internal:merge3 for merge diffs...
r47072 # the auto-merge state and the committed merge state. It may be
# useful for other things.
b1, junk, b2 = _imerge3(*args, **kwargs)
# TODO is this right? I'm not sure what these return values mean,
# but as far as I can tell this will indicate to callers tha the
# merge succeeded.
return b1, False, b2
@internaltool(
Martin von Zweigbergk
mergetools: add new conflict marker format with diffs in...
r46724 b'mergediff',
fullmerge,
_(
b"warning: conflicts while merging %s! "
b"(edit, then use 'hg resolve --mark')\n"
),
precheck=_mergecheck,
)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _imerge_diff(repo, mynode, local, other, base, toolconf, backup):
Martin von Zweigbergk
mergetools: add new conflict marker format with diffs in...
r46724 """
Uses the internal non-interactive simple merge algorithm for merging
files. It will fail if there are any conflicts and leave markers in
the partially merged file. The marker will have two sections, one with the
content from one side of the merge, and one with a diff from the base
content to the content on the other side. (experimental)"""
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 return _merge(repo, local, other, base, b'mergediff')
Martin von Zweigbergk
mergetools: add new conflict marker format with diffs in...
r46724
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 @internaltool(b'merge-local', mergeonly, precheck=_mergecheck)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _imergelocal(repo, mynode, local, other, base, toolconf, backup):
Jordi Gutiérrez Hermoso
filemerge: add non-interactive :merge-local and :merge-other...
r26224 """
Like :merge, but resolve all conflicts non-interactively in favor
timeless
filemerge: use revset notation for p1/p2 of local/other descriptions
r28640 of the local `p1()` changes."""
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 return _merge(repo, local, other, base, b'local')
Jordi Gutiérrez Hermoso
filemerge: add non-interactive :merge-local and :merge-other...
r26224
Augie Fackler
formatting: blacken the codebase...
r43346
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 @internaltool(b'merge-other', mergeonly, precheck=_mergecheck)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _imergeother(repo, mynode, local, other, base, toolconf, backup):
Jordi Gutiérrez Hermoso
filemerge: add non-interactive :merge-local and :merge-other...
r26224 """
Like :merge, but resolve all conflicts non-interactively in favor
timeless
filemerge: use revset notation for p1/p2 of local/other descriptions
r28640 of the other `p2()` changes."""
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 return _merge(repo, local, other, base, b'other')
Jordi Gutiérrez Hermoso
filemerge: add non-interactive :merge-local and :merge-other...
r26224
Augie Fackler
formatting: blacken the codebase...
r43346
@internaltool(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'tagmerge',
Augie Fackler
formatting: blacken the codebase...
r43346 mergeonly,
_(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b"automatic tag merging of %s failed! "
b"(use 'hg resolve --tool :merge' or another merge "
b"tool of your choice)\n"
Augie Fackler
formatting: blacken the codebase...
r43346 ),
)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _itagmerge(repo, mynode, local, other, base, toolconf, backup):
Angel Ezquerra
filemerge: add internal:tagmerge merge tool...
r21922 """
Uses the internal tag merge algorithm (experimental).
"""
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 success, status = tagmerge.merge(repo, local.fctx, other.fctx, base.fctx)
Siddharth Agarwal
filemerge: return whether the file is deleted from all other merge tools...
r27033 return success, status, False
Angel Ezquerra
filemerge: add internal:tagmerge merge tool...
r21922
Augie Fackler
formatting: blacken the codebase...
r43346
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 @internaltool(b'dump', fullmerge, binary=True, symlink=True)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _idump(repo, mynode, local, other, base, toolconf, backup):
Matt Mackall
filemerge: remove some redundancy in decorators/docstrings
r16127 """
FUJIWARA Katsunori
filemerge: create detail of internal merge tools from documentation string...
r16126 Creates three versions of the files to merge, containing the
contents of local, other and base. These files can then be used to
perform a merge manually. If the file to be merged is named
``a.txt``, these files will accordingly be named ``a.txt.local``,
``a.txt.other`` and ``a.txt.base`` and they will be placed in the
FUJIWARA Katsunori
filemerge: add internal merge tool to dump files forcibly...
r32255 same directory as ``a.txt``.
Joe Blaylock
help: fix typo in hg merge documentation
r34916 This implies premerge. Therefore, files aren't dumped, if premerge
FUJIWARA Katsunori
filemerge: add internal merge tool to dump files forcibly...
r32255 runs successfully. Use :forcedump to forcibly write files out.
"""
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 a = _workingpath(repo, local.fctx)
fd = local.fctx.path()
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
Phil Cohen
filemerge: add a missing flushall()...
r34786 from . import context
Augie Fackler
formatting: blacken the codebase...
r43346
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 if isinstance(local.fctx, context.overlayworkingfilectx):
Augie Fackler
formatting: blacken the codebase...
r43346 raise error.InMemoryMergeConflictsError(
Martin von Zweigbergk
cleanup: join string literals that are already on one line...
r43387 b'in-memory merge does not support the :dump tool.'
Augie Fackler
formatting: blacken the codebase...
r43346 )
Phil Cohen
filemerge: add a missing flushall()...
r34786
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 util.writefile(a + b".local", local.fctx.decodeddata())
repo.wwrite(fd + b".other", other.fctx.data(), other.fctx.flags())
repo.wwrite(fd + b".base", base.fctx.data(), base.fctx.flags())
Siddharth Agarwal
filemerge: return whether the file is deleted from all other merge tools...
r27033 return False, 1, False
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
Augie Fackler
formatting: blacken the codebase...
r43346
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 @internaltool(b'forcedump', mergeonly, binary=True, symlink=True)
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _forcedump(repo, mynode, local, other, base, toolconf, backup):
FUJIWARA Katsunori
filemerge: add internal merge tool to dump files forcibly...
r32255 """
Creates three versions of the files as same as :dump, but omits premerge.
"""
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 return _idump(repo, mynode, local, other, base, toolconf, backup)
Augie Fackler
formatting: blacken the codebase...
r43346
FUJIWARA Katsunori
filemerge: add internal merge tool to dump files forcibly...
r32255
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _xmergeimm(repo, mynode, local, other, base, toolconf, backup):
Phil Cohen
filemerge: only raise InMemoryMergeConflictsError when running _xmerge...
r35479 # In-memory merge simply raises an exception on all external merge tools,
# for now.
#
# It would be possible to run most tools with temporary files, but this
# raises the question of what to do if the user only partially resolves the
# file -- we can't leave a merge state. (Copy to somewhere in the .hg/
# directory and tell the user how to get it is my best idea, but it's
# clunky.)
Augie Fackler
formatting: blacken the codebase...
r43346 raise error.InMemoryMergeConflictsError(
Martin von Zweigbergk
cleanup: join string literals that are already on one line...
r43387 b'in-memory merge does not support external merge tools'
Augie Fackler
formatting: blacken the codebase...
r43346 )
Phil Cohen
filemerge: only raise InMemoryMergeConflictsError when running _xmerge...
r35479
Kyle Lippincott
merge-tools: when calling external merge tool, describe the resolve inputs...
r40512 def _describemerge(ui, repo, mynode, fcl, fcb, fco, env, toolpath, args):
Martin von Zweigbergk
config: move ui.pre-merge-tool-output-template into [command-templates]...
r46353 tmpl = ui.config(b'command-templates', b'pre-merge-tool-output')
Kyle Lippincott
merge-tools: when calling external merge tool, describe the resolve inputs...
r40512 if not tmpl:
return
mappingdict = templateutil.mappingdict
Augie Fackler
formatting: blacken the codebase...
r43346 props = {
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'ctx': fcl.changectx(),
b'node': hex(mynode),
b'path': fcl.path(),
b'local': mappingdict(
Augie Fackler
formatting: blacken the codebase...
r43346 {
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'ctx': fcl.changectx(),
b'fctx': fcl,
b'node': hex(mynode),
b'name': _(b'local'),
b'islink': b'l' in fcl.flags(),
b'label': env[b'HG_MY_LABEL'],
Augie Fackler
formatting: blacken the codebase...
r43346 }
),
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'base': mappingdict(
Augie Fackler
formatting: blacken the codebase...
r43346 {
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'ctx': fcb.changectx(),
b'fctx': fcb,
b'name': _(b'base'),
b'islink': b'l' in fcb.flags(),
b'label': env[b'HG_BASE_LABEL'],
Augie Fackler
formatting: blacken the codebase...
r43346 }
),
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'other': mappingdict(
Augie Fackler
formatting: blacken the codebase...
r43346 {
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'ctx': fco.changectx(),
b'fctx': fco,
b'name': _(b'other'),
b'islink': b'l' in fco.flags(),
b'label': env[b'HG_OTHER_LABEL'],
Augie Fackler
formatting: blacken the codebase...
r43346 }
),
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'toolpath': toolpath,
b'toolargs': args,
Augie Fackler
formatting: blacken the codebase...
r43346 }
Kyle Lippincott
merge-tools: when calling external merge tool, describe the resolve inputs...
r40512
# TODO: make all of this something that can be specified on a per-tool basis
tmpl = templater.unquotestring(tmpl)
# Not using cmdutil.rendertemplate here since it causes errors importing
# things for us to import cmdutil.
tres = formatter.templateresources(ui, repo)
Augie Fackler
formatting: blacken the codebase...
r43346 t = formatter.maketemplater(
ui, tmpl, defaults=templatekw.keywords, resources=tres
)
Kyle Lippincott
merge-tools: when calling external merge tool, describe the resolve inputs...
r40512 ui.status(t.renderdefault(props))
Augie Fackler
formatting: blacken the codebase...
r43346
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _xmerge(repo, mynode, local, other, base, toolconf, backup):
fcd = local.fctx
fco = other.fctx
fca = base.fctx
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 tool, toolpath, binary, symlink, scriptfn = toolconf
Martin von Zweigbergk
merge: respect ui.relative-paths...
r41651 uipathfn = scmutil.getuipathfn(repo)
Siddharth Agarwal
filemerge: don't try using external tools on change/delete conflicts...
r27042 if fcd.isabsent() or fco.isabsent():
Augie Fackler
formatting: blacken the codebase...
r43346 repo.ui.warn(
Martin von Zweigbergk
cleanup: join string literals that are already on one line...
r43387 _(b'warning: %s cannot merge change/delete conflict for %s\n')
Augie Fackler
formatting: blacken the codebase...
r43346 % (tool, uipathfn(fcd.path()))
)
Siddharth Agarwal
filemerge: don't try using external tools on change/delete conflicts...
r27042 return False, 1, None
Kyle Lippincott
filemerge: give some variables in _xmerge more descriptive names...
r36994 localpath = _workingpath(repo, fcd)
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 args = _toolstr(repo.ui, tool, b"args")
Martin von Zweigbergk
filemerge: make `_maketempfiles()` more reusable...
r49637
files = [
(b"base", fca.path(), fca.decodeddata()),
(b"other", fco.path(), fco.decodeddata()),
]
outpath = b""
Martin von Zweigbergk
filemerge: remove `uselocalpath` argument from `_maketempfiles()`...
r49633 if b"$output" in args:
Martin von Zweigbergk
filemerge: make `_maketempfiles()` more reusable...
r49637 # read input from backup, write to original
outpath = localpath
Martin von Zweigbergk
filemerge: remove `uselocalpath` argument from `_maketempfiles()`...
r49633 localoutputpath = backup.path()
Martin von Zweigbergk
filemerge: move removal of `.orig` extension on temp file close to context...
r49634 # Remove the .orig to make syntax-highlighting more likely.
if localoutputpath.endswith(b'.orig'):
localoutputpath, ext = os.path.splitext(localoutputpath)
Martin von Zweigbergk
filemerge: when merge tool uses $output, don't leave markers in $local...
r49823 files.append((b"local", localoutputpath, backup.data()))
Kyle Lippincott
filemerge: make the 'local' path match the format that 'base' and 'other' use...
r37095
Martin von Zweigbergk
filemerge: make `_maketempfiles()` more reusable...
r49637 with _maketempfiles(files) as temppaths:
basepath, otherpath = temppaths[:2]
if len(temppaths) == 3:
localpath = temppaths[2]
Martin von Zweigbergk
simplemerge: take over formatting of label from `filemerge`...
r49433
def format_label(input):
if input.label_detail:
return b'%s: %s' % (input.label, input.label_detail)
else:
return input.label
Augie Fackler
formatting: blacken the codebase...
r43346 env = {
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'HG_FILE': fcd.path(),
b'HG_MY_NODE': short(mynode),
b'HG_OTHER_NODE': short(fco.changectx().node()),
b'HG_BASE_NODE': short(fca.changectx().node()),
b'HG_MY_ISLINK': b'l' in fcd.flags(),
b'HG_OTHER_ISLINK': b'l' in fco.flags(),
b'HG_BASE_ISLINK': b'l' in fca.flags(),
Martin von Zweigbergk
simplemerge: take over formatting of label from `filemerge`...
r49433 b'HG_MY_LABEL': format_label(local),
b'HG_OTHER_LABEL': format_label(other),
b'HG_BASE_LABEL': format_label(base),
Augie Fackler
formatting: blacken the codebase...
r43346 }
Phil Cohen
filemerge: reduce creation of tempfiles until needed...
r34037 ui = repo.ui
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
Augie Fackler
formatting: blacken the codebase...
r43346 replace = {
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'local': localpath,
b'base': basepath,
b'other': otherpath,
b'output': outpath,
Martin von Zweigbergk
simplemerge: take over formatting of label from `filemerge`...
r49433 b'labellocal': format_label(local),
b'labelother': format_label(other),
b'labelbase': format_label(base),
Augie Fackler
formatting: blacken the codebase...
r43346 }
Yuya Nishihara
procutil: bulk-replace function calls to point to new module
r37138 args = util.interpolate(
Augie Fackler
formatting: blacken the codebase...
r43346 br'\$',
replace,
args,
lambda s: procutil.shellquote(util.localpath(s)),
)
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if _toolbool(ui, tool, b"gui"):
Augie Fackler
formatting: blacken the codebase...
r43346 repo.ui.status(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 _(b'running merge tool %s for file %s\n')
Augie Fackler
formatting: blacken the codebase...
r43346 % (tool, uipathfn(fcd.path()))
)
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 if scriptfn is None:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 cmd = toolpath + b' ' + args
repo.ui.debug(b'launching merge tool: %s\n' % cmd)
Kyle Lippincott
merge-tools: when calling external merge tool, describe the resolve inputs...
r40512 _describemerge(ui, repo, mynode, fcd, fca, fco, env, toolpath, args)
Augie Fackler
formatting: blacken the codebase...
r43346 r = ui.system(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 cmd, cwd=repo.root, environ=env, blockedtag=b'mergetool'
Augie Fackler
formatting: blacken the codebase...
r43346 )
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 else:
Augie Fackler
formatting: blacken the codebase...
r43346 repo.ui.debug(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'launching python merge script: %s:%s\n' % (toolpath, scriptfn)
Augie Fackler
formatting: blacken the codebase...
r43346 )
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 r = 0
try:
# avoid cycle cmdutil->merge->filemerge->extensions->cmdutil
from . import extensions
Augie Fackler
formatting: blacken the codebase...
r43346
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 mod = extensions.loadpath(toolpath, b'hgmerge.%s' % tool)
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 except Exception:
Augie Fackler
formatting: blacken the codebase...
r43346 raise error.Abort(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 _(b"loading python merge script failed: %s") % toolpath
Augie Fackler
formatting: blacken the codebase...
r43346 )
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 mergefn = getattr(mod, scriptfn, None)
if mergefn is None:
Augie Fackler
formatting: blacken the codebase...
r43346 raise error.Abort(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 _(b"%s does not have function: %s") % (toolpath, scriptfn)
Augie Fackler
formatting: blacken the codebase...
r43346 )
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 argslist = procutil.shellsplit(args)
# avoid cycle cmdutil->merge->filemerge->hook->extensions->cmdutil
from . import hook
Augie Fackler
formatting: blacken the codebase...
r43346
ret, raised = hook.pythonhook(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 ui, repo, b"merge", toolpath, mergefn, {b'args': argslist}, True
Augie Fackler
formatting: blacken the codebase...
r43346 )
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 if raised:
r = 1
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 repo.ui.debug(b'merge tool returned: %d\n' % r)
Phil Cohen
filemerge: reduce creation of tempfiles until needed...
r34037 return True, r, False
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125
Augie Fackler
formatting: blacken the codebase...
r43346
Martin von Zweigbergk
simplemerge: take over formatting of label from `filemerge`...
r49433 def _populate_label_detail(input, template):
"""Applies the given template to the ctx and stores it in the input."""
Martin von Zweigbergk
filemerge: work with `simplemerge.MergeInput` in `filemerge()`...
r49431 ctx = input.fctx.changectx()
Durham Goode
merge: add conflict marker formatter (BC)...
r21519 if ctx.node() is None:
ctx = ctx.p1()
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 props = {b'ctx': ctx}
Yuya Nishihara
templater: rename .render(mapping) to .renderdefault(mapping) (API)...
r37003 templateresult = template.renderdefault(props)
Martin von Zweigbergk
filemerge: use new function for getting first line of string...
r49892 input.label_detail = stringutil.firstline(templateresult) # avoid '\n'
Durham Goode
merge: add conflict marker formatter (BC)...
r21519
Augie Fackler
formatting: blacken the codebase...
r43346
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 def _populate_label_details(repo, inputs, tool=None):
Martin von Zweigbergk
simplemerge: take over formatting of label from `filemerge`...
r49433 """Populates the label details using the conflict marker template."""
Durham Goode
merge: add conflict marker formatter (BC)...
r21519 ui = repo.ui
Martin von Zweigbergk
config: rename ui.mergemarkertemplate to command-templates.mergemarker...
r46352 template = ui.config(b'command-templates', b'mergemarker')
Kyle Lippincott
filemerge: support passing labels to external merge tools...
r35925 if tool is not None:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 template = _toolstr(ui, tool, b'mergemarkertemplate', template)
Yuya Nishihara
filemerge: optionally strip quotes from merge marker template (BC)...
r32047 template = templater.unquotestring(template)
Yuya Nishihara
templater: move repo, ui and cache to per-engine resources
r35485 tres = formatter.templateresources(ui, repo)
Augie Fackler
formatting: blacken the codebase...
r43346 tmpl = formatter.maketemplater(
ui, template, defaults=templatekw.keywords, resources=tres
)
Durham Goode
merge: add conflict marker formatter (BC)...
r21519
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 for input in inputs:
Martin von Zweigbergk
simplemerge: take over formatting of label from `filemerge`...
r49433 _populate_label_detail(input, tmpl)
Durham Goode
merge: add conflict marker formatter (BC)...
r21519
Augie Fackler
formatting: blacken the codebase...
r43346
Simon Farnsworth
merge: use labels in prompts to the user...
r29774 def partextras(labels):
"""Return a dictionary of extra labels for use in prompts to the user
Intended use is in strings of the form "(l)ocal%(l)s".
"""
if labels is None:
return {
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b"l": b"",
b"o": b"",
Simon Farnsworth
merge: use labels in prompts to the user...
r29774 }
return {
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b"l": b" [%s]" % labels[0],
b"o": b" [%s]" % labels[1],
Simon Farnsworth
merge: use labels in prompts to the user...
r29774 }
Augie Fackler
formatting: blacken the codebase...
r43346
Martin von Zweigbergk
filemerge: when using in-memory merge, always put backup files in temp dir...
r49631 def _makebackup(repo, ui, fcd):
Phil Cohen
filemerge: use arbitraryfilectx for backups...
r34783 """Makes and returns a filectx-like object for ``fcd``'s backup file.
Phil Cohen
filemerge: extract _maketemp and _makebackup...
r34033
In addition to preserving the user's pre-existing modifications to `fcd`
(if any), the backup is used to undo certain premerges, confirm whether a
merge changed anything, and determine what line endings the new file should
have.
Phil Cohen
filemerge: fix backing up an in-memory file to a custom location...
r35720
Martin von Zweigbergk
filemerge: remove `premerge` argument from `_makebackup()`...
r49262 Backups only need to be written once since their content doesn't change
afterwards.
Phil Cohen
filemerge: extract _maketemp and _makebackup...
r34033 """
if fcd.isabsent():
return None
Phil Cohen
filemerge: use arbitraryfilectx for backups...
r34783 # TODO: Break this import cycle somehow. (filectx -> ctx -> fileset ->
# merge -> filemerge). (I suspect the fileset import is the weakest link)
from . import context
Augie Fackler
formatting: blacken the codebase...
r43346
Martin von Zweigbergk
filemerge: when using in-memory merge, always put backup files in temp dir...
r49631 if isinstance(fcd, context.overlayworkingfilectx):
# If we're merging in-memory, we're free to put the backup anywhere.
fd, backup = pycompat.mkstemp(b'hg-merge-backup')
with os.fdopen(fd, 'wb') as f:
f.write(fcd.data())
Phil Cohen
filemerge: store backups in the overlayworkingctx if using imm...
r34785 else:
Martin von Zweigbergk
filemerge: when using in-memory merge, always put backup files in temp dir...
r49631 backup = scmutil.backuppath(ui, repo, fcd.path())
a = _workingpath(repo, fcd)
util.copyfile(a, backup)
return context.arbitraryfilectx(backup, repo=repo)
Phil Cohen
filemerge: extract _maketemp and _makebackup...
r34033
Augie Fackler
formatting: blacken the codebase...
r43346
Kyle Lippincott
filemerge: move temp file unlinks to _maketempfiles...
r37016 @contextlib.contextmanager
Martin von Zweigbergk
filemerge: make `_maketempfiles()` more reusable...
r49637 def _maketempfiles(files):
"""Creates a temporary file for each (prefix, path, data) tuple in `files`,
so an external merge tool may use them.
Phil Cohen
filemerge: extract _maketemp and _makebackup...
r34033 """
Martin von Zweigbergk
filemerge: put temporary files in single temp dir by default...
r49624 tmproot = pycompat.mkdtemp(prefix=b'hgmerge-')
Kyle Lippincott
filemerge: use a single temp dir instead of temp files...
r37017
Martin von Zweigbergk
filemerge: reduce some duplication in `_maketempfiles()`...
r49636 def maketempfrompath(prefix, path, data):
Kyle Lippincott
filemerge: make the 'local' path match the format that 'base' and 'other' use...
r37095 fullbase, ext = os.path.splitext(path)
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 pre = b"%s~%s" % (os.path.basename(fullbase), prefix)
Martin von Zweigbergk
filemerge: put temporary files in single temp dir by default...
r49624 name = os.path.join(tmproot, pre)
if ext:
name += ext
Martin von Zweigbergk
filemerge: reduce some duplication in `_maketempfiles()`...
r49636 util.writefile(name, data)
return name
Kyle Lippincott
filemerge: make the 'local' path match the format that 'base' and 'other' use...
r37095
Martin von Zweigbergk
filemerge: make `_maketempfiles()` more reusable...
r49637 temp_files = []
for prefix, path, data in files:
temp_files.append(maketempfrompath(prefix, path, data))
Kyle Lippincott
filemerge: move temp file unlinks to _maketempfiles...
r37016 try:
Martin von Zweigbergk
filemerge: make `_maketempfiles()` more reusable...
r49637 yield temp_files
Kyle Lippincott
filemerge: move temp file unlinks to _maketempfiles...
r37016 finally:
Martin von Zweigbergk
filemerge: put temporary files in single temp dir by default...
r49624 shutil.rmtree(tmproot)
Phil Cohen
filemerge: extract _maketemp and _makebackup...
r34033
Augie Fackler
formatting: blacken the codebase...
r43346
Martin von Zweigbergk
filemerge: inline `_filemerge()` into `filemerge()`...
r49261 def filemerge(repo, wctx, mynode, orig, fcd, fco, fca, labels=None):
Matt Mackall
filemerge: pull file-merging code into its own module
r6003 """perform a 3-way merge in the working directory
Matt Mackall
merge: introduce mergestate
r6512 mynode = parent node before merge
orig = original local filename before merge
fco = other file context
fca = ancestor file context
fcd = local file context for current/destination file
Siddharth Agarwal
filemerge: also return whether the merge is complete...
r26606
Siddharth Agarwal
filemerge: return whether the file was deleted...
r27034 Returns whether the merge is complete, the return value of the merge, and
a boolean indicating whether the file was deleted from disk."""
Siddharth Agarwal
filemerge: deindent the parts of filemerge outside the try block...
r26608 ui = repo.ui
fd = fcd.path()
Martin von Zweigbergk
merge: respect ui.relative-paths...
r41651 uipathfn = scmutil.getuipathfn(repo)
fduipath = uipathfn(fd)
Siddharth Agarwal
filemerge: deindent the parts of filemerge outside the try block...
r26608 binary = fcd.isbinary() or fco.isbinary() or fca.isbinary()
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 symlink = b'l' in fcd.flags() + fco.flags()
Siddharth Agarwal
filemerge._picktool: only pick from nomerge tools for change/delete conflicts...
r27039 changedelete = fcd.isabsent() or fco.isabsent()
tool, toolpath = _picktool(repo, ui, fd, binary, symlink, changedelete)
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 scriptfn = None
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if tool in internals and tool.startswith(b'internal:'):
Siddharth Agarwal
filemerge: deindent the parts of filemerge outside the try block...
r26608 # normalize to new-style names (':merge' etc)
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 tool = tool[len(b'internal') :]
if toolpath and toolpath.startswith(b'python:'):
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 invalidsyntax = False
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if toolpath.count(b':') >= 2:
script, scriptfn = toolpath[7:].rsplit(b':', 1)
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 if not scriptfn:
invalidsyntax = True
# missing :callable can lead to spliting on windows drive letter
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if b'\\' in scriptfn or b'/' in scriptfn:
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 invalidsyntax = True
else:
invalidsyntax = True
if invalidsyntax:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 raise error.Abort(_(b"invalid 'python:' syntax: %s") % toolpath)
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 toolpath = script
Augie Fackler
formatting: blacken the codebase...
r43346 ui.debug(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b"picked tool '%s' for %s (binary %s symlink %s changedelete %s)\n"
Augie Fackler
formatting: blacken the codebase...
r43346 % (
tool,
fduipath,
pycompat.bytestr(binary),
pycompat.bytestr(symlink),
pycompat.bytestr(changedelete),
)
)
Matt Mackall
filemerge: pull file-merging code into its own module
r6003
Siddharth Agarwal
filemerge: deindent the parts of filemerge outside the try block...
r26608 if tool in internals:
func = internals[tool]
mergetype = func.mergetype
onfailure = func.onfailure
precheck = func.precheck
Kyle Lippincott
filemerge: support passing labels to external merge tools...
r35925 isexternal = False
Siddharth Agarwal
filemerge: deindent the parts of filemerge outside the try block...
r26608 else:
Phil Cohen
filemerge: only raise InMemoryMergeConflictsError when running _xmerge...
r35479 if wctx.isinmemory():
func = _xmergeimm
else:
func = _xmerge
Siddharth Agarwal
filemerge: deindent the parts of filemerge outside the try block...
r26608 mergetype = fullmerge
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 onfailure = _(b"merging %s failed!\n")
Siddharth Agarwal
filemerge: deindent the parts of filemerge outside the try block...
r26608 precheck = None
Kyle Lippincott
filemerge: support passing labels to external merge tools...
r35925 isexternal = True
Siddharth Agarwal
filemerge: indent filemerge.filemerge...
r26512
hindlemail
filemerge: support specifying a python function to custom merge-tools...
r38052 toolconf = tool, toolpath, binary, symlink, scriptfn
Matt Mackall
filemerge: pull file-merging code into its own module
r6003
Martin von Zweigbergk
filemerge: set default labels a little earlier...
r49429 if not labels:
labels = [b'local', b'other']
Martin von Zweigbergk
filemerge: always define a "base" label...
r49430 if len(labels) < 3:
labels.append(b'base')
Martin von Zweigbergk
filemerge: work with `simplemerge.MergeInput` in `filemerge()`...
r49431 local = simplemerge.MergeInput(fcd, labels[0])
other = simplemerge.MergeInput(fco, labels[1])
base = simplemerge.MergeInput(fca, labels[2])
Siddharth Agarwal
filemerge: deindent the parts of filemerge outside the try block...
r26608 if mergetype == nomerge:
Martin von Zweigbergk
filemerge: work with `simplemerge.MergeInput` in `filemerge()`...
r49431 return func(
repo,
mynode,
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 local,
other,
base,
Martin von Zweigbergk
filemerge: work with `simplemerge.MergeInput` in `filemerge()`...
r49431 toolconf,
)
Siddharth Agarwal
filemerge: indent filemerge.filemerge...
r26512
Martin von Zweigbergk
filemerge: make `_filemerge()` do both premerge and merge...
r49260 if orig != fco.path():
ui.status(
_(b"merging %s and %s to %s\n")
% (uipathfn(orig), uipathfn(fco.path()), fduipath)
)
else:
ui.status(_(b"merging %s\n") % fduipath)
Siddharth Agarwal
filemerge: move 'merging' output to before file creation...
r26528
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 ui.debug(b"my %s other %s ancestor %s\n" % (fcd, fco, fca))
Siddharth Agarwal
filemerge: move 'merging' output to before file creation...
r26528
Martin von Zweigbergk
filemerge: remove unused `orig` argument from tool functions...
r49336 if precheck and not precheck(repo, mynode, fcd, fco, fca, toolconf):
Siddharth Agarwal
filemerge: deindent the parts of filemerge outside the try block...
r26608 if onfailure:
Phil Cohen
filemerge: raise InMemoryMergeConflictsError if we hit merge conflicts in IMM...
r35283 if wctx.isinmemory():
Augie Fackler
formatting: blacken the codebase...
r43346 raise error.InMemoryMergeConflictsError(
Martin von Zweigbergk
cleanup: join string literals that are already on one line...
r43387 b'in-memory merge does not support merge conflicts'
Augie Fackler
formatting: blacken the codebase...
r43346 )
Martin von Zweigbergk
merge: respect ui.relative-paths...
r41651 ui.warn(onfailure % fduipath)
Martin von Zweigbergk
filemerge: stop returning always-`True` value...
r49337 return 1, False
Siddharth Agarwal
filemerge: move precheck to before files are written out...
r26529
Martin von Zweigbergk
filemerge: when using in-memory merge, always put backup files in temp dir...
r49631 backup = _makebackup(repo, ui, fcd)
Siddharth Agarwal
filemerge: clean up temp files in a finally block...
r26589 r = 1
try:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 internalmarkerstyle = ui.config(b'ui', b'mergemarkers')
Kyle Lippincott
filemerge: support passing labels to external merge tools...
r35925 if isexternal:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 markerstyle = _toolstr(ui, tool, b'mergemarkers')
Kyle Lippincott
filemerge: support passing labels to external merge tools...
r35925 else:
markerstyle = internalmarkerstyle
Martin von Zweigbergk
filemerge: make `_filemerge()` do both premerge and merge...
r49260 if mergetype == fullmerge:
Martin von Zweigbergk
filemerge: add support for partial conflict resolution by external tool...
r49838 _run_partial_resolution_tools(repo, local, other, base)
Kyle Lippincott
filemerge: support passing labels to external merge tools...
r35925 # conflict markers generated by premerge will use 'detailed'
# settings if either ui.mergemarkers or the tool's mergemarkers
# setting is 'detailed'. This way tools can have basic labels in
# space-constrained areas of the UI, but still get full information
# in conflict markers if premerge is 'keep' or 'keep-merge3'.
labeltool = None
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if markerstyle != b'basic':
Kyle Lippincott
filemerge: support passing labels to external merge tools...
r35925 # respect 'tool's mergemarkertemplate (which defaults to
Martin von Zweigbergk
config: rename ui.mergemarkertemplate to command-templates.mergemarker...
r46352 # command-templates.mergemarker)
Kyle Lippincott
filemerge: support passing labels to external merge tools...
r35925 labeltool = tool
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if internalmarkerstyle != b'basic' or markerstyle != b'basic':
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 _populate_label_details(
repo, [local, other, base], tool=labeltool
)
Kyle Lippincott
filemerge: support passing labels to external merge tools...
r35925
Augie Fackler
formatting: blacken the codebase...
r43346 r = _premerge(
Martin von Zweigbergk
filemerge: work with `simplemerge.MergeInput` in `filemerge()`...
r49431 repo,
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 local,
other,
base,
Martin von Zweigbergk
filemerge: work with `simplemerge.MergeInput` in `filemerge()`...
r49431 toolconf,
Augie Fackler
formatting: blacken the codebase...
r43346 )
Martin von Zweigbergk
filemerge: make `_filemerge()` do both premerge and merge...
r49260 # we're done if premerge was successful (r is 0)
if not r:
Martin von Zweigbergk
filemerge: stop returning always-`True` value...
r49337 return r, False
Siddharth Agarwal
filemerge: call premerge directly from main merge function...
r26567
Martin von Zweigbergk
filemerge: work with `simplemerge.MergeInput` in `filemerge()`...
r49431 # Reset to basic labels
Martin von Zweigbergk
simplemerge: take over formatting of label from `filemerge`...
r49433 local.label_detail = None
other.label_detail = None
base.label_detail = None
Martin von Zweigbergk
filemerge: work with `simplemerge.MergeInput` in `filemerge()`...
r49431
if markerstyle != b'basic':
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 _populate_label_details(repo, [local, other, base], tool=tool)
Martin von Zweigbergk
filemerge: work with `simplemerge.MergeInput` in `filemerge()`...
r49431
Augie Fackler
formatting: blacken the codebase...
r43346 needcheck, r, deleted = func(
repo,
mynode,
Martin von Zweigbergk
filemerge: pass `simplemerge.MergeInput` to tool functions...
r49432 local,
other,
base,
Augie Fackler
formatting: blacken the codebase...
r43346 toolconf,
Martin von Zweigbergk
filemerge: stop passing around 3 unused `None` values in `files` argument...
r49335 backup,
Augie Fackler
formatting: blacken the codebase...
r43346 )
Siddharth Agarwal
filemerge: return whether the file is deleted from all other merge tools...
r27033
Siddharth Agarwal
filemerge: move post-merge checks into a separate function...
r26575 if needcheck:
Martin von Zweigbergk
filemerge: stop passing around 3 unused `None` values in `files` argument...
r49335 r = _check(repo, r, ui, tool, fcd, backup)
Durham Goode
merge: add conflict marker formatter (BC)...
r21519
FUJIWARA Katsunori
filemerge: refactoring of 'filemerge()'...
r16125 if r:
if onfailure:
Phil Cohen
filemerge: raise InMemoryMergeConflictsError if we hit merge conflicts in IMM...
r35283 if wctx.isinmemory():
Augie Fackler
formatting: blacken the codebase...
r43346 raise error.InMemoryMergeConflictsError(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b'in-memory merge '
b'does not support '
b'merge conflicts'
Augie Fackler
formatting: blacken the codebase...
r43346 )
Martin von Zweigbergk
merge: respect ui.relative-paths...
r41651 ui.warn(onfailure % fduipath)
Ryan McElroy
merge: allow user to halt merge on merge-tool failures...
r34798 _onfilemergefailure(ui)
Siddharth Agarwal
filemerge: clean up temp files in a finally block...
r26589
Martin von Zweigbergk
filemerge: stop returning always-`True` value...
r49337 return r, deleted
Siddharth Agarwal
filemerge: clean up temp files in a finally block...
r26589 finally:
Martin von Zweigbergk
filemerge: rename backup variables from `back` to `backup`...
r49334 if not r and backup is not None:
backup.remove()
Matt Mackall
merge: allow smarter tool configuration...
r6004
Augie Fackler
formatting: blacken the codebase...
r43346
Martin von Zweigbergk
filemerge: add support for partial conflict resolution by external tool...
r49838 def _run_partial_resolution_tools(repo, local, other, base):
"""Runs partial-resolution tools on the three inputs and updates them."""
ui = repo.ui
Martin von Zweigbergk
filemerge: add configs to disable some or all partial merge tools...
r50060 if ui.configbool(b'merge', b'disable-partial-tools'):
return
Martin von Zweigbergk
partial-merge: add support for `.args` config (`$local` etc.)...
r49839 # Tuples of (order, name, executable path, args)
Martin von Zweigbergk
filemerge: add support for partial conflict resolution by external tool...
r49838 tools = []
seen = set()
section = b"partial-merge-tools"
for k, v in ui.configitems(section):
name = k.split(b'.')[0]
if name in seen:
continue
patterns = ui.configlist(section, b'%s.patterns' % name, [])
is_match = True
if patterns:
m = match.match(repo.root, b'', patterns)
is_match = m(local.fctx.path())
if is_match:
Martin von Zweigbergk
filemerge: add configs to disable some or all partial merge tools...
r50060 if ui.configbool(section, b'%s.disable' % name):
continue
Martin von Zweigbergk
filemerge: add support for partial conflict resolution by external tool...
r49838 order = ui.configint(section, b'%s.order' % name, 0)
executable = ui.config(section, b'%s.executable' % name, name)
Martin von Zweigbergk
partial-merge: add support for `.args` config (`$local` etc.)...
r49839 args = ui.config(section, b'%s.args' % name)
tools.append((order, name, executable, args))
Martin von Zweigbergk
filemerge: add support for partial conflict resolution by external tool...
r49838
if not tools:
return
# Sort in configured order (first in tuple)
tools.sort()
files = [
(b"local", local.fctx.path(), local.text()),
(b"base", base.fctx.path(), base.text()),
(b"other", other.fctx.path(), other.text()),
]
with _maketempfiles(files) as temppaths:
localpath, basepath, otherpath = temppaths
Martin von Zweigbergk
partial-merge: add support for `.args` config (`$local` etc.)...
r49839 for order, name, executable, args in tools:
Martin von Zweigbergk
filemerge: add support for partial conflict resolution by external tool...
r49838 cmd = procutil.shellquote(executable)
Martin von Zweigbergk
partial-merge: add support for `.args` config (`$local` etc.)...
r49839 replace = {
b'local': localpath,
b'base': basepath,
b'other': otherpath,
}
args = util.interpolate(
br'\$',
replace,
args,
lambda s: procutil.shellquote(util.localpath(s)),
)
cmd = b'%s %s' % (cmd, args)
Martin von Zweigbergk
filemerge: add support for partial conflict resolution by external tool...
r49838 r = ui.system(cmd, cwd=repo.root, blockedtag=b'partial-mergetool')
if r:
raise error.StateError(
b'partial merge tool %s exited with code %d' % (name, r)
)
local_text = util.readfile(localpath)
other_text = util.readfile(otherpath)
if local_text == other_text:
# No need to run other tools if all conflicts have been resolved
break
local.set_text(local_text)
base.set_text(util.readfile(basepath))
other.set_text(other_text)
Ryan McElroy
filemerge: introduce functions to halt merge flow...
r34797 def _haltmerge():
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 msg = _(b'merge halted after failed merge (see hg resolve)')
Ryan McElroy
filemerge: introduce functions to halt merge flow...
r34797 raise error.InterventionRequired(msg)
Augie Fackler
formatting: blacken the codebase...
r43346
Ryan McElroy
filemerge: introduce functions to halt merge flow...
r34797 def _onfilemergefailure(ui):
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 action = ui.config(b'merge', b'on-failure')
if action == b'prompt':
Martin von Zweigbergk
cleanup: join string literals that are already on one line...
r43387 msg = _(b'continue merge operation (yn)?$$ &Yes $$ &No')
Ryan McElroy
filemerge: introduce functions to halt merge flow...
r34797 if ui.promptchoice(msg, 0) == 1:
_haltmerge()
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if action == b'halt':
Ryan McElroy
filemerge: introduce functions to halt merge flow...
r34797 _haltmerge()
# default action is 'continue', in which case we neither prompt nor halt
Augie Fackler
formatting: blacken the codebase...
r43346
Kyle Lippincott
resolve: add option to warn/abort on -m with unresolved conflict markers...
r38829 def hasconflictmarkers(data):
Kyle Lippincott
filemerge: be more strict when detecting conflict markers, add `|` markers...
r48753 # Detect lines starting with a string of 7 identical characters from the
# subset Mercurial uses for conflict markers, followed by either the end of
# line or a space and some text. Note that using [<>=+|-]{7} would detect
# `<><><><><` as a conflict marker, which we don't want.
Augie Fackler
formatting: blacken the codebase...
r43346 return bool(
Martin von Zweigbergk
resolve: also detect new :mergediff conflict markers...
r47065 re.search(
Kyle Lippincott
filemerge: be more strict when detecting conflict markers, add `|` markers...
r48753 br"^([<>=+|-])\1{6}( .*)$",
Martin von Zweigbergk
resolve: also detect new :mergediff conflict markers...
r47065 data,
re.MULTILINE,
)
Augie Fackler
formatting: blacken the codebase...
r43346 )
Kyle Lippincott
resolve: add option to warn/abort on -m with unresolved conflict markers...
r38829
Martin von Zweigbergk
filemerge: stop passing around 3 unused `None` values in `files` argument...
r49335 def _check(repo, r, ui, tool, fcd, backup):
Siddharth Agarwal
filemerge: move post-merge checks into a separate function...
r26575 fd = fcd.path()
Martin von Zweigbergk
merge: respect ui.relative-paths...
r41651 uipathfn = scmutil.getuipathfn(repo)
Siddharth Agarwal
filemerge: move post-merge checks into a separate function...
r26575
Augie Fackler
formatting: blacken the codebase...
r43346 if not r and (
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 _toolbool(ui, tool, b"checkconflicts")
or b'conflicts' in _toollist(ui, tool, b"check")
Augie Fackler
formatting: blacken the codebase...
r43346 ):
Kyle Lippincott
resolve: add option to warn/abort on -m with unresolved conflict markers...
r38829 if hasconflictmarkers(fcd.data()):
Siddharth Agarwal
filemerge: move post-merge checks into a separate function...
r26575 r = 1
checked = False
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 if b'prompt' in _toollist(ui, tool, b"check"):
Siddharth Agarwal
filemerge: move post-merge checks into a separate function...
r26575 checked = True
Augie Fackler
formatting: blacken the codebase...
r43346 if ui.promptchoice(
Martin von Zweigbergk
cleanup: join string literals that are already on one line...
r43387 _(b"was merge of '%s' successful (yn)?$$ &Yes $$ &No")
Augie Fackler
formatting: blacken the codebase...
r43346 % uipathfn(fd),
1,
):
Siddharth Agarwal
filemerge: move post-merge checks into a separate function...
r26575 r = 1
Augie Fackler
formatting: blacken the codebase...
r43346 if (
not r
and not checked
and (
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 _toolbool(ui, tool, b"checkchanged")
or b'changed' in _toollist(ui, tool, b"check")
Augie Fackler
formatting: blacken the codebase...
r43346 )
):
Martin von Zweigbergk
filemerge: rename backup variables from `back` to `backup`...
r49334 if backup is not None and not fcd.cmp(backup):
Augie Fackler
formatting: blacken the codebase...
r43346 if ui.promptchoice(
_(
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 b" output file %s appears unchanged\n"
b"was merge successful (yn)?"
b"$$ &Yes $$ &No"
Augie Fackler
formatting: blacken the codebase...
r43346 )
% uipathfn(fd),
1,
):
Siddharth Agarwal
filemerge: move post-merge checks into a separate function...
r26575 r = 1
Martin von Zweigbergk
filemerge: rename backup variables from `back` to `backup`...
r49334 if backup is not None and _toolbool(ui, tool, b"fixeol"):
_matcheol(_workingpath(repo, fcd), backup)
Siddharth Agarwal
filemerge: move post-merge checks into a separate function...
r26575
return r
Augie Fackler
formatting: blacken the codebase...
r43346
Phil Cohen
filemerge: add `_workingpath`...
r34036 def _workingpath(repo, ctx):
return repo.wjoin(ctx.path())
Augie Fackler
formatting: blacken the codebase...
r43346
FUJIWARA Katsunori
filemerge: move decorator definition for internal merge tools to registrar...
r33663 def loadinternalmerge(ui, extname, registrarobj):
Augie Fackler
formating: upgrade to black 20.8b1...
r46554 """Load internal merge tool from specified registrarobj"""
Gregory Szorc
global: bulk replace simple pycompat.iteritems(x) with x.items()...
r49768 for name, func in registrarobj._table.items():
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 fullname = b':' + name
FUJIWARA Katsunori
filemerge: move decorator definition for internal merge tools to registrar...
r33663 internals[fullname] = func
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 internals[b'internal:' + name] = func
FUJIWARA Katsunori
filemerge: move decorator definition for internal merge tools to registrar...
r33663 internalsdoc[fullname] = func
FUJIWARA Katsunori
filemerge: show actual capabilities of internal merge tools...
r39162 capabilities = sorted([k for k, v in func.capabilities.items() if v])
if capabilities:
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 capdesc = b" (actual capabilities: %s)" % b', '.join(
capabilities
)
func.__doc__ = func.__doc__ + pycompat.sysstr(b"\n\n%s" % capdesc)
FUJIWARA Katsunori
filemerge: avoid putting translated text into docstring...
r39303
# to put i18n comments into hg.pot for automatically generated texts
Matt Harbison
filemerge: fix an i18n comment typo
r39395 # i18n: "binary" and "symlink" are keywords
FUJIWARA Katsunori
filemerge: avoid putting translated text into docstring...
r39303 # i18n: this text is added automatically
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 _(b" (actual capabilities: binary, symlink)")
FUJIWARA Katsunori
filemerge: avoid putting translated text into docstring...
r39303 # i18n: "binary" is keyword
# i18n: this text is added automatically
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 _(b" (actual capabilities: binary)")
FUJIWARA Katsunori
filemerge: avoid putting translated text into docstring...
r39303 # i18n: "symlink" is keyword
# i18n: this text is added automatically
Augie Fackler
formatting: byteify all mercurial/ and hgext/ string literals...
r43347 _(b" (actual capabilities: symlink)")
FUJIWARA Katsunori
filemerge: show actual capabilities of internal merge tools...
r39162
Augie Fackler
formatting: blacken the codebase...
r43346
FUJIWARA Katsunori
filemerge: move decorator definition for internal merge tools to registrar...
r33663 # load built-in merge tools explicitly to setup internalsdoc
loadinternalmerge(None, None, internaltool)
FUJIWARA Katsunori
filemerge: create detail of internal merge tools from documentation string...
r16126 # tell hggettext to extract docstrings from these functions:
i18nfunctions = internals.values()