sapling/eden/scm/edenscm/extensions.py

990 lines
30 KiB
Python
Raw Normal View History

# Portions Copyright (c) Meta Platforms, Inc. and affiliates.
#
# This software may be used and distributed according to the terms of the
# GNU General Public License version 2.
# extensions.py - extension handling for mercurial
#
# Copyright 2005-2007 Olivia Mackall <olivia@selenic.com>
#
# This software may be used and distributed according to the terms of the
2010-01-20 07:20:08 +03:00
# GNU General Public License version 2 or any later version.
2015-08-09 05:13:14 +03:00
from __future__ import absolute_import
wrapfunction: use functools.partial if possible Every `extensions.bind` call inserts a frame in traceback: ... in closure return func(*(args + a), **kw) which makes traceback noisy. The Python stdlib has a `functools.partial` which is backed by C code and does not pollute traceback. However it does not support instancemethod and sets `args` attribute which could be problematic for alias handling. This patch makes `wrapfunction` use `functools.partial` if we are wrapping a function directly exported by a module (so it's impossible to be a class or instance method), and special handles `wrapfunction` results so alias handling code could handle `args` just fine. As an example, `hg rebase -s . -d . --traceback` got 6 lines removed in my setup: File "hg/mercurial/dispatch.py", line 898, in _dispatch cmdpats, cmdoptions) -File "hg/mercurial/extensions.py", line 333, in closure - return func(*(args + a), **kw) File "hg/hgext/journal.py", line 84, in runcommand return orig(lui, repo, cmd, fullargs, *args) -File "hg/mercurial/extensions.py", line 333, in closure - return func(*(args + a), **kw) File "fb-hgext/hgext3rd/fbamend/hiddenoverride.py", line 119, in runcommand result = orig(lui, repo, cmd, fullargs, *args) File "hg/mercurial/dispatch.py", line 660, in runcommand ret = _runcommand(ui, options, cmd, d) -File "hg/mercurial/extensions.py", line 333, in closure - return func(*(args + a), **kw) File "hg/hgext/pager.py", line 69, in pagecmd return orig(ui, options, cmd, cmdfunc) .... Differential Revision: https://phab.mercurial-scm.org/D632
2017-09-05 23:37:36 +03:00
import functools
2015-08-09 05:13:14 +03:00
import imp
import inspect
2015-08-09 05:13:14 +03:00
import os
import sys
2015-08-09 05:13:14 +03:00
from . import cmdutil, configitems, error, pycompat, util
from .i18n import _, gettext
_preimported = {}
_extensions = {}
_disabledextensions = {}
_aftercallbacks = {}
_order = []
# These extensions are never imported, even if the user tells us to.
#
# (If you permanently sunset an extension, add it here.)
_ignoreextensions = {
"backups",
"bookmarks",
"bundle2hooks",
"censor",
"children",
"cleanobsstore",
"clindex",
"color",
"configwarn",
"convert",
"directaccess",
"eden",
"eol",
"factotum",
"fastmanifest",
"fastpartialmatch",
"fbsparse",
"fixcorrupt",
"graphlog",
"gitlookup",
"hbisect",
"hgcia",
"hgk",
"hiddenerror",
"inotify",
"interhg",
"morecolors",
"mq",
"nointerrupt",
"perftweaks",
"purge",
"obsshelve",
"patchrmdir",
"parentrevspec",
"progress",
"releasenotes",
"relink",
"remoteid",
"stat",
"strip",
"treedirstate",
"uncommit",
"upgradegeneraldelta",
"win32text",
}
_exclude_list = {"extlib"}
# root of the directory, or installed distribution
_hgroot = os.path.abspath(os.path.join(__file__, "../../"))
_sysroot = os.path.abspath(os.path.join(os.__file__, "../"))
# List of extensions to always enable by default, unless overwritten by config.
#
# This allows us to integrate extensions into the codebase while leaving them in
# ext/ -- useful for extensions that need cleaning up, or significant
# integration work, to be brought into mercurial/.
DEFAULT_EXTENSIONS = {
"conflictinfo",
"debugshell",
"errorredirect",
"githelp",
"lz4revlog",
"mergedriver",
"progressfile",
"sampling",
"remotefilelog",
}
# Similar to DEFAULT_EXTENSIONS. But cannot be disabled.
ALWAYS_ON_EXTENSIONS = ()
def isenabled(ui, name):
for format in ["%s", "ext.%s"]:
conf = ui.config("extensions", format % name)
if name in ALWAYS_ON_EXTENSIONS:
return True
if conf is not None and not conf.startswith("!"):
return True
# Check DEFAULT_EXTENSIONS if no config for this extension was
# specified.
if conf is None and name in DEFAULT_EXTENSIONS:
return True
def extensions(ui=None):
if ui:
enabled = lambda name: isenabled(ui, name)
else:
enabled = lambda name: True
for name in _order:
module = _extensions[name]
if module and enabled(name):
yield name, module
def find(name):
"""return module with given extension name"""
mod = None
try:
mod = _extensions[name]
except KeyError:
for k, v in pycompat.iteritems(_extensions):
if k.endswith("." + name) or k.endswith("/" + name):
mod = v
break
if not mod:
raise KeyError(name)
return mod
def isloaded(name):
"""test if an extension is loaded
Unlike isenabled, returns false if an extension is enabled in config but
fails to load (ex. when importing the extension an exception happened).
"""
return name in _extensions
def loadpath(path, module_name):
"""loads the given extension from the given path
Note, this cannot be used to load core extensions, since the relative
imports they use no longer work within loadpath.
"""
module_name = module_name.replace(".", "_")
path = util.normpath(util.expandpath(path))
config: remove trusted config handling Summary: The "trusted" feature refuses to load config files based on filesystem owner information. It dates back to 2006 [1]. From the initial discussion [2], it's mainly for hgweb use-case where `hg serve` runs inside other people's repo, which is not an important day-to-day use case. The feature belongs to "complex with little gain" category: - It does not work for Windows currently. It is difficult to implement on Windows. - Git does not have any protection around this. - It adds undesirable complexity to the config parser. Now loading order matters and the parser has to have a special state recording all trusted users and groups so far. - It adds complexity to the caller - there are extra code handling untrusted vs trusted hoooks etc. printing messages. - File based security does not provide good granularity - imagine a reporc enables both a system extension that provides a repo requirement, and an untrusted user extension - config file-based security will either load the untrusted extension, or fail to read the repo. - The usecase it protects is relatively rare and whoever hits that would probably be a power user that knows things. Therefore let's just remove the feature at least from the config parser layer. If the requirement of protecting reading other people's repo is justified in the future, we can implement repo ownership check properly (with Windows support). [1]: https://www.mercurial-scm.org/repo/hg/rev/494521a3f142599dbe3ace9c61aa017da215f4fe [2]: https://www.mercurial-scm.org/pipermail/mercurial-devel/2006-October/000056.html Reviewed By: DurhamG, mitrandir77 Differential Revision: D8767903 fbshipit-source-id: 60e4e0aded57b423e1b5cc5a80ebf873c6f28bcb
2018-08-10 07:07:13 +03:00
# TODO: check whether path is "trusted" or not
if ":" in path:
prefix, content = path.split(":", 1)
if prefix == "python-base64":
import base64
source = base64.b64decode(content)
# Correct imports to ease transition away from "mercurial" package.
source = source.replace(b"edenscm.mercurial", b"edenscm")
return loadsource(source, module_name)
if os.path.isdir(path):
# module/__init__.py style
d, f = os.path.split(path)
fd, fpath, desc = imp.find_module(f, [d])
return imp.load_module(module_name, fd, fpath, desc)
else:
try:
return imp.load_source(module_name, path)
except IOError as exc:
if not exc.filename:
exc.filename = path # python does not fill this
raise
def loadsource(source, name):
"""make a Python module from provided Python source code"""
# See load_source_module in Python/import.c for how this should work.
code = compile(source, "<%s>" % name, "exec")
# Get the module constructor. Note: 'sys' might be a demandimport proxy.
# Get the real 'sys' module by using sys.modules.
modtype = type(sys.modules["sys"])
mod = modtype(name)
env = mod.__dict__
exec(code, env, env)
mod.__file__ = f"<{name}>"
return mod
def preimport(name):
"""preimport an ext module"""
mod = getattr(__import__("edenscm.ext.%s" % name).ext, name)
# use a dict explicitly - "dict.get" is much faster than "import" again.
_preimported[name] = mod
def loaddefault(name, reportfunc=None):
"""load extensions without a specified path"""
mod = _preimported.get(name)
if mod:
return mod
mod = _importh("edenscm.ext.%s" % name)
return mod
_collectedimports = [] # [(name, path)]
def _collectimport(orig, name, *args, **kwargs):
"""collect imports to _collectedimports"""
mod = orig(name, *args, **kwargs)
fix a bug in the _checkforeignmodules() code Summary: Fix the `_collectimport()` code to more accurately figure out module paths. When used from a statement like `import foo.bar` the `__import__()` function returns the `foo` module. However, if used like `from foo.bar import baz` it returns the `foo.bar` module. The `_collectimport()` code did not expect this behavior and assumed that it always returned `foo`. This resulted in it doing the wrong thing when trying to resolve nested imports. In most cases it would just fail with an attribute error and it would then swallow this exceptions. However in some cases it was able to find a non-module object. For instance, when processing the `mercurial.extensions` module it would find the `extensions()` function inside this module. Calling `inspect.getabsfile()` on this function doesn't always produce the correct result. If loaded from a pre-compiled .pyc file the function may have a relative path baked in as its function name. The `inspect.getabsfile()` code then simply prepends this with the current working directory, despite the fact that this wasn't actually imported from the current directory. I also changed the code to use inspect.getfile() rather than inspect.getabsfile(). The getabsfile() function attempts to do other normalization and string manipulation that we don't need. (It tries to find `*.py` names rather than `*.pyc` or `*.pyo` names, and it normalizes case.) Reviewed By: ryanmce, quark-zju Differential Revision: D8601652 fbshipit-source-id: db9be3c5cbbea83a880851036093aaa28b5b9b19
2018-06-26 01:37:52 +03:00
fromlist = args[2] if len(args) >= 3 else None
try:
fix a bug in the _checkforeignmodules() code Summary: Fix the `_collectimport()` code to more accurately figure out module paths. When used from a statement like `import foo.bar` the `__import__()` function returns the `foo` module. However, if used like `from foo.bar import baz` it returns the `foo.bar` module. The `_collectimport()` code did not expect this behavior and assumed that it always returned `foo`. This resulted in it doing the wrong thing when trying to resolve nested imports. In most cases it would just fail with an attribute error and it would then swallow this exceptions. However in some cases it was able to find a non-module object. For instance, when processing the `mercurial.extensions` module it would find the `extensions()` function inside this module. Calling `inspect.getabsfile()` on this function doesn't always produce the correct result. If loaded from a pre-compiled .pyc file the function may have a relative path baked in as its function name. The `inspect.getabsfile()` code then simply prepends this with the current working directory, despite the fact that this wasn't actually imported from the current directory. I also changed the code to use inspect.getfile() rather than inspect.getabsfile(). The getabsfile() function attempts to do other normalization and string manipulation that we don't need. (It tries to find `*.py` names rather than `*.pyc` or `*.pyo` names, and it normalizes case.) Reviewed By: ryanmce, quark-zju Differential Revision: D8601652 fbshipit-source-id: db9be3c5cbbea83a880851036093aaa28b5b9b19
2018-06-26 01:37:52 +03:00
# If the fromlist argument is non-empty then __import__ returns the exact
# module requested. Otherwise it returns the top-level module in the hierarchy
# and we need to resolve it with _resolvenestedmodules()
if fromlist:
nestedmod = mod
else:
nestedmod = _resolvenestedmodules(mod, name)
path = os.path.abspath(inspect.getfile(nestedmod))
_collectedimports.append((name, path))
except Exception:
pass
return mod
def _importh(name):
"""import and return the <name> module"""
mod = __import__(name)
return _resolvenestedmodules(mod, name)
def _resolvenestedmodules(mod, name):
"""resolve nested modules
fix a bug in the _checkforeignmodules() code Summary: Fix the `_collectimport()` code to more accurately figure out module paths. When used from a statement like `import foo.bar` the `__import__()` function returns the `foo` module. However, if used like `from foo.bar import baz` it returns the `foo.bar` module. The `_collectimport()` code did not expect this behavior and assumed that it always returned `foo`. This resulted in it doing the wrong thing when trying to resolve nested imports. In most cases it would just fail with an attribute error and it would then swallow this exceptions. However in some cases it was able to find a non-module object. For instance, when processing the `mercurial.extensions` module it would find the `extensions()` function inside this module. Calling `inspect.getabsfile()` on this function doesn't always produce the correct result. If loaded from a pre-compiled .pyc file the function may have a relative path baked in as its function name. The `inspect.getabsfile()` code then simply prepends this with the current working directory, despite the fact that this wasn't actually imported from the current directory. I also changed the code to use inspect.getfile() rather than inspect.getabsfile(). The getabsfile() function attempts to do other normalization and string manipulation that we don't need. (It tries to find `*.py` names rather than `*.pyc` or `*.pyo` names, and it normalizes case.) Reviewed By: ryanmce, quark-zju Differential Revision: D8601652 fbshipit-source-id: db9be3c5cbbea83a880851036093aaa28b5b9b19
2018-06-26 01:37:52 +03:00
__import__('x.y.z') returns module x when no fromlist is specified.
This function resolves it and return the module "z".
"""
components = name.split(".")
for comp in components[1:]:
mod = getattr(mod, comp)
return mod
def _importext(name, path=None, reportfunc=None):
if path:
# the module will be loaded in sys.modules
# choose an unique name so that it doesn't
# conflicts with other modules
mod = loadpath(path, "edenscm.ext.%s" % name)
else:
mod = loaddefault(name, reportfunc)
return mod
def _reportimporterror(ui, err, failed, next):
# note: this ui.debug happens before --debug is processed,
# Use --config ui.debug=1 to see them.
ui.debug(
"could not import %s (%s): trying %s\n" % (failed, util.forcebytestr(err), next)
)
if ui.debugflag:
ui.traceback()
# attributes set by registrar.command
_cmdfuncattrs = ("norepo", "optionalrepo", "inferrepo")
def _validatecmdtable(ui, cmdtable):
"""Check if extension commands have required attributes"""
for c, e in pycompat.iteritems(cmdtable):
f = e[0]
if getattr(f, "_deprecatedregistrar", False):
ui.deprecwarn(
"cmdutil.command is deprecated, use "
"registrar.command to register '%s'" % c,
"4.6",
)
missing = [a for a in _cmdfuncattrs if not util.safehasattr(f, a)]
if not missing:
for option in e[1]:
default = option[2]
if (type(b"") != type("")) and isinstance(default, type(b"")):
# TODO: write a test after Python 3 migration
raise error.ProgrammingError(
"option '%s.%s' has a bytes default value" % (c, option[1]),
hint=(
"change the %s.%s default value to a string"
% (c, option[1])
),
)
continue
raise error.ProgrammingError(
"missing attributes: %s" % ", ".join(missing),
hint="use @command decorator to register '%s'" % c,
)
_warned = set()
def load(ui, name, path):
if name.startswith("ext.") or name.startswith("ext/"):
shortname = name[4:]
if name not in _warned:
_warned.add(name)
msg = _("'ext' prefix in [extensions] config section is deprecated.\n")
location = ui.configsource("extensions", name)
if location and ":" in location:
msg += _("(hint: replace %r with %r at %s)\n") % (
name,
shortname,
location,
)
else:
msg += _("(hint: replace %r with %r)\n") % (name, shortname)
ui.warn(msg)
else:
shortname = name
if shortname in _ignoreextensions:
return None
if shortname in _extensions:
return _extensions[shortname]
_extensions[shortname] = None
# If the entry point is not 'hg', the code was executed in a non-standard
# way and we cannot assume the filesystem layout. Be permissive to avoid
# false positives.
from . import dispatch # noqa: F401; avoid cycles
mod = _importext(shortname, path, bind(_reportimporterror, ui))
extensions: refuse to load extensions if minimum hg version not met As the author of several 3rd party extensions, I frequently see bug reports from users attempting to run my extension with an old version of Mercurial that I no longer support in my extension. Oftentimes, the extension will import just fine. But as soon as we run extsetup(), reposetup(), or get into the guts of a wrapped function, we encounter an exception and abort. Today, Mercurial will print a message about extensions that don't have a "testedwith" declaring explicit compatibility with the current version. The existing mechanism is a good start. But it isn't as robust as I would like. Specifically, Mercurial assumes compatibility by default. This means extension authors must perform compatibility checking in their extsetup() or we wait and see if we encounter an abort at runtime. And, compatibility checking can involve a lot of code and lots of error checking. It's a lot of effort for extension authors. Oftentimes, extension authors know which versions of Mercurial there extension works on and more importantly where it is broken. This patch introduces a magic "minimumhgversion" attribute in extensions. When found, the extension loading mechanism will compare the declared version against the current Mercurial version. If the extension explicitly states we require a newer Mercurial version, a warning is printed and the extension isn't loaded beyond importing the Python module. This causes a graceful failure while alerting the user of the compatibility issue. I would be receptive to the idea of making the failure more fatal. However, care would need to be taken to not criple every hg command. e.g. the user may use `hg config` to fix the hgrc and if we aborted trying to run that, the user would effectively be locked out of `hg`! A potential future improvement to this functionality would be to catch ImportError for the extension/module and parse the source code for "minimumhgversion = 'XXX'" and do similar checking. This way we could give more information about why the extension failed to load.
2015-11-25 02:16:25 +03:00
# "mercurial" and "ext" were moved. Detect wrong module imports.
if ui.configbool("devel", "all-warnings"):
if "ext" in sys.modules:
ui.develwarn("extension %s imported incorrect modules" % name)
extensions: refuse to load extensions if minimum hg version not met As the author of several 3rd party extensions, I frequently see bug reports from users attempting to run my extension with an old version of Mercurial that I no longer support in my extension. Oftentimes, the extension will import just fine. But as soon as we run extsetup(), reposetup(), or get into the guts of a wrapped function, we encounter an exception and abort. Today, Mercurial will print a message about extensions that don't have a "testedwith" declaring explicit compatibility with the current version. The existing mechanism is a good start. But it isn't as robust as I would like. Specifically, Mercurial assumes compatibility by default. This means extension authors must perform compatibility checking in their extsetup() or we wait and see if we encounter an abort at runtime. And, compatibility checking can involve a lot of code and lots of error checking. It's a lot of effort for extension authors. Oftentimes, extension authors know which versions of Mercurial there extension works on and more importantly where it is broken. This patch introduces a magic "minimumhgversion" attribute in extensions. When found, the extension loading mechanism will compare the declared version against the current Mercurial version. If the extension explicitly states we require a newer Mercurial version, a warning is printed and the extension isn't loaded beyond importing the Python module. This causes a graceful failure while alerting the user of the compatibility issue. I would be receptive to the idea of making the failure more fatal. However, care would need to be taken to not criple every hg command. e.g. the user may use `hg config` to fix the hgrc and if we aborted trying to run that, the user would effectively be locked out of `hg`! A potential future improvement to this functionality would be to catch ImportError for the extension/module and parse the source code for "minimumhgversion = 'XXX'" and do similar checking. This way we could give more information about why the extension failed to load.
2015-11-25 02:16:25 +03:00
# Before we do anything with the extension, check against minimum stated
# compatibility. This gives extension authors a mechanism to have their
# extensions short circuit when loaded with a known incompatible version
# of Mercurial.
minver = getattr(mod, "minimumhgversion", None)
extensions: refuse to load extensions if minimum hg version not met As the author of several 3rd party extensions, I frequently see bug reports from users attempting to run my extension with an old version of Mercurial that I no longer support in my extension. Oftentimes, the extension will import just fine. But as soon as we run extsetup(), reposetup(), or get into the guts of a wrapped function, we encounter an exception and abort. Today, Mercurial will print a message about extensions that don't have a "testedwith" declaring explicit compatibility with the current version. The existing mechanism is a good start. But it isn't as robust as I would like. Specifically, Mercurial assumes compatibility by default. This means extension authors must perform compatibility checking in their extsetup() or we wait and see if we encounter an abort at runtime. And, compatibility checking can involve a lot of code and lots of error checking. It's a lot of effort for extension authors. Oftentimes, extension authors know which versions of Mercurial there extension works on and more importantly where it is broken. This patch introduces a magic "minimumhgversion" attribute in extensions. When found, the extension loading mechanism will compare the declared version against the current Mercurial version. If the extension explicitly states we require a newer Mercurial version, a warning is printed and the extension isn't loaded beyond importing the Python module. This causes a graceful failure while alerting the user of the compatibility issue. I would be receptive to the idea of making the failure more fatal. However, care would need to be taken to not criple every hg command. e.g. the user may use `hg config` to fix the hgrc and if we aborted trying to run that, the user would effectively be locked out of `hg`! A potential future improvement to this functionality would be to catch ImportError for the extension/module and parse the source code for "minimumhgversion = 'XXX'" and do similar checking. This way we could give more information about why the extension failed to load.
2015-11-25 02:16:25 +03:00
if minver and util.versiontuple(minver, 2) > util.versiontuple(n=2):
ui.warn(
_(
"(third party extension %s requires version %s or newer "
"of Mercurial; disabling)\n"
)
% (shortname, minver)
)
extensions: refuse to load extensions if minimum hg version not met As the author of several 3rd party extensions, I frequently see bug reports from users attempting to run my extension with an old version of Mercurial that I no longer support in my extension. Oftentimes, the extension will import just fine. But as soon as we run extsetup(), reposetup(), or get into the guts of a wrapped function, we encounter an exception and abort. Today, Mercurial will print a message about extensions that don't have a "testedwith" declaring explicit compatibility with the current version. The existing mechanism is a good start. But it isn't as robust as I would like. Specifically, Mercurial assumes compatibility by default. This means extension authors must perform compatibility checking in their extsetup() or we wait and see if we encounter an abort at runtime. And, compatibility checking can involve a lot of code and lots of error checking. It's a lot of effort for extension authors. Oftentimes, extension authors know which versions of Mercurial there extension works on and more importantly where it is broken. This patch introduces a magic "minimumhgversion" attribute in extensions. When found, the extension loading mechanism will compare the declared version against the current Mercurial version. If the extension explicitly states we require a newer Mercurial version, a warning is printed and the extension isn't loaded beyond importing the Python module. This causes a graceful failure while alerting the user of the compatibility issue. I would be receptive to the idea of making the failure more fatal. However, care would need to be taken to not criple every hg command. e.g. the user may use `hg config` to fix the hgrc and if we aborted trying to run that, the user would effectively be locked out of `hg`! A potential future improvement to this functionality would be to catch ImportError for the extension/module and parse the source code for "minimumhgversion = 'XXX'" and do similar checking. This way we could give more information about why the extension failed to load.
2015-11-25 02:16:25 +03:00
return
_validatecmdtable(ui, getattr(mod, "cmdtable", {}))
extensions: refuse to load extensions if minimum hg version not met As the author of several 3rd party extensions, I frequently see bug reports from users attempting to run my extension with an old version of Mercurial that I no longer support in my extension. Oftentimes, the extension will import just fine. But as soon as we run extsetup(), reposetup(), or get into the guts of a wrapped function, we encounter an exception and abort. Today, Mercurial will print a message about extensions that don't have a "testedwith" declaring explicit compatibility with the current version. The existing mechanism is a good start. But it isn't as robust as I would like. Specifically, Mercurial assumes compatibility by default. This means extension authors must perform compatibility checking in their extsetup() or we wait and see if we encounter an abort at runtime. And, compatibility checking can involve a lot of code and lots of error checking. It's a lot of effort for extension authors. Oftentimes, extension authors know which versions of Mercurial there extension works on and more importantly where it is broken. This patch introduces a magic "minimumhgversion" attribute in extensions. When found, the extension loading mechanism will compare the declared version against the current Mercurial version. If the extension explicitly states we require a newer Mercurial version, a warning is printed and the extension isn't loaded beyond importing the Python module. This causes a graceful failure while alerting the user of the compatibility issue. I would be receptive to the idea of making the failure more fatal. However, care would need to be taken to not criple every hg command. e.g. the user may use `hg config` to fix the hgrc and if we aborted trying to run that, the user would effectively be locked out of `hg`! A potential future improvement to this functionality would be to catch ImportError for the extension/module and parse the source code for "minimumhgversion = 'XXX'" and do similar checking. This way we could give more information about why the extension failed to load.
2015-11-25 02:16:25 +03:00
_extensions[shortname] = mod
_order.append(shortname)
for fn in _aftercallbacks.get(shortname, []):
fn(loaded=True)
return mod
def _runuisetup(name, ui):
uisetup = getattr(_extensions[name], "uisetup", None)
if uisetup:
try:
uisetup(ui)
except Exception as inst:
ui.traceback(force=True)
msg = util.forcebytestr(inst)
ui.warn(
_("failed to set up extension %s: %s\n") % (name, msg),
notice=_("warning"),
)
return False
return True
def _runextsetup(name, ui):
extsetup = getattr(_extensions[name], "extsetup", None)
if extsetup:
try:
try:
extsetup(ui)
except TypeError:
# Try to use getfullargspec (Python 3) first, and fall
# back to getargspec only if it doesn't exist so as to
# avoid warnings.
if getattr(inspect, "getfullargspec", getattr(inspect, "getargspec"))(
extsetup
).args:
raise
extsetup() # old extsetup with no ui argument
except Exception as inst:
ui.traceback(force=True)
msg = util.forcebytestr(inst)
ui.warn(
_("failed to set up extension %s: %s\n") % (name, msg),
notice=_("warning"),
)
return False
return True
def loadall(ui, include_list=None):
result = ui.configitems("extensions")
resultkeys = set([name for name, loc in result])
# Add all extensions in `DEFAULT_EXTENSIONS` that were not defined by
# extensions.
result += [
(name, "") for name in sorted(DEFAULT_EXTENSIONS) if name not in resultkeys
]
# Always enable `ALWAYS_ON_EXTENSIONS`
result = [(k, v) for (k, v) in result if k not in ALWAYS_ON_EXTENSIONS]
result += [(name, "") for name in sorted(ALWAYS_ON_EXTENSIONS)]
if include_list is not None:
result = [(k, v) for (k, v) in result if k in include_list]
alreadyenabled = set(_order)
for (name, path) in result:
if path:
if path[0:1] == "!":
_disabledextensions[name] = path[1:]
continue
try:
load(ui, name, path)
except error.ForeignImportError:
raise
except Exception as inst:
msg = util.forcebytestr(inst)
if path:
ui.warn(
_(
"extension %s is disabled because it cannot be imported from %s: %s\n"
)
% (name, path, msg),
notice=_("warning"),
)
else:
ui.warn(
_("extension %s is disabled because it cannot be imported: %s\n")
% (name, msg),
notice=_("warning"),
)
if isinstance(inst, error.Hint) and inst.hint:
ui.warn(_("(%s)\n") % inst.hint)
ui.traceback()
newextensions = list(name for name in _order if name not in alreadyenabled)
# list of (objname, loadermod, loadername) tuple:
# - objname is the name of an object in extension module,
# from which extra information is loaded
# - loadermod is the module where loader is placed
# - loadername is the name of the function,
# which takes (ui, extensionname, extraobj) arguments
#
# This one is for the list of item that must be run before running any setup
earlyextraloaders = [("configtable", configitems, "loadconfigtable")]
_loadextra(ui, newextensions, earlyextraloaders)
broken = set()
for name in newextensions:
if not _runuisetup(name, ui):
broken.add(name)
# Recompute since the order may have changed
newextensions = list(name for name in _order if name not in alreadyenabled)
for name in newextensions:
if name in broken:
continue
if not _runextsetup(name, ui):
broken.add(name)
for name in broken:
_extensions[name] = None
# Call aftercallbacks that were never met.
for shortname in _aftercallbacks:
if shortname in _extensions:
continue
for fn in _aftercallbacks[shortname]:
fn(loaded=False)
# loadall() is called multiple times and lingering _aftercallbacks
# entries could result in double execution. See issue4646.
_aftercallbacks.clear()
# delay importing avoids cyclic dependency (especially commands)
from . import (
autopull,
color,
commands,
filemerge,
fileset,
hintutil,
namespaces,
revset,
templatefilters,
templatekw,
templater,
)
# list of (objname, loadermod, loadername) tuple:
# - objname is the name of an object in extension module,
# from which extra information is loaded
# - loadermod is the module where loader is placed
# - loadername is the name of the function,
# which takes (ui, extensionname, extraobj) arguments
extraloaders = [
("autopullpredicate", autopull, "loadpredicate"),
("cmdtable", commands, "loadcmdtable"),
("colortable", color, "loadcolortable"),
("filesetpredicate", fileset, "loadpredicate"),
("hint", hintutil, "loadhint"),
("internalmerge", filemerge, "loadinternalmerge"),
("namespacepredicate", namespaces, "loadpredicate"),
("revsetpredicate", revset, "loadpredicate"),
("templatefilter", templatefilters, "loadfilter"),
("templatefunc", templater, "loadfunction"),
("templatekeyword", templatekw, "loadkeyword"),
]
_loadextra(ui, newextensions, extraloaders)
def _loadextra(ui, newextensions, extraloaders):
for name in newextensions:
module = _extensions[name]
if not module:
continue # loading this module failed
for objname, loadermod, loadername in extraloaders:
extraobj = getattr(module, objname, None)
if extraobj is not None:
getattr(loadermod, loadername)(ui, name, extraobj)
def afterloaded(extension, callback):
"""Run the specified function after a named extension is loaded.
If the named extension is already loaded, the callback will be called
immediately.
If the named extension never loads, the callback will be called after
all extensions have been loaded.
The callback receives the named argument ``loaded``, which is a boolean
indicating whether the dependent extension actually loaded.
"""
if extension in _extensions:
# Report loaded as False if the extension is disabled
loaded = _extensions[extension] is not None
callback(loaded=loaded)
else:
_aftercallbacks.setdefault(extension, []).append(callback)
def bind(func, *args):
"""Partial function application
Returns a new function that is the partial application of args and kwargs
to func. For example,
f(1, 2, bar=3) === bind(f, 1)(2, bar=3)"""
assert callable(func)
def closure(*a, **kw):
return func(*(args + a), **kw)
return closure
def _updatewrapper(wrap, origfn, unboundwrapper):
"""Copy and add some useful attributes to wrapper"""
try:
wrap.__name__ = origfn.__name__
except AttributeError:
pass
wrap.__module__ = getattr(origfn, "__module__")
wrap.__doc__ = getattr(origfn, "__doc__")
wrap.__dict__.update(getattr(origfn, "__dict__", {}))
wrap._origfunc = origfn
wrap._unboundwrapper = unboundwrapper
def wrapcommand(table, command, wrapper, synopsis=None, docstring=None):
'''Wrap the command named `command' in table
Replace command in the command table with wrapper. The wrapped command will
be inserted into the command table specified by the table argument.
The wrapper will be called like
wrapper(orig, *args, **kwargs)
where orig is the original (wrapped) function, and *args, **kwargs
are the arguments passed to it.
Optionally append to the command synopsis and docstring, used for help.
For example, if your extension wraps the ``bookmarks`` command to add the
flags ``--remote`` and ``--all`` you might call this function like so:
synopsis = ' [-a] [--remote]'
docstring = """
The ``remotenames`` extension adds the ``--remote`` and ``--all`` (``-a``)
flags to the bookmarks command. Either flag will show the remote bookmarks
2015-10-17 01:58:46 +03:00
known to the repository; ``--remote`` will also suppress the output of the
local bookmarks.
"""
extensions.wrapcommand(commands.table, 'bookmarks', exbookmarks,
synopsis, docstring)
'''
assert callable(wrapper)
2008-10-23 02:34:50 +04:00
aliases, entry = cmdutil.findcmd(command, table)
for alias, e in pycompat.iteritems(table):
2008-10-23 02:34:50 +04:00
if e is entry:
key = alias
break
origfn = entry[0]
wrap = functools.partial(util.checksignature(wrapper), util.checksignature(origfn))
_updatewrapper(wrap, origfn, wrapper)
if docstring is not None:
wrap.__doc__ += docstring
2008-10-23 02:34:50 +04:00
newentry = list(entry)
newentry[0] = wrap
if synopsis is not None:
newentry[2] += synopsis
2008-10-23 02:34:50 +04:00
table[key] = tuple(newentry)
return entry
def wrapfilecache(cls, propname, wrapper):
"""Wraps a filecache property.
These can't be wrapped using the normal wrapfunction.
"""
propname = propname
assert callable(wrapper)
for currcls in cls.__mro__:
if propname in currcls.__dict__:
origfn = currcls.__dict__[propname].func
assert callable(origfn)
def wrap(*args, **kwargs):
return wrapper(origfn, *args, **kwargs)
currcls.__dict__[propname].func = wrap
break
if currcls is object:
raise AttributeError(r"type '%s' has no property '%s'" % (cls, propname))
class wrappedfunction(object):
"""context manager for temporarily wrapping a function"""
def __init__(self, container, funcname, wrapper):
assert callable(wrapper)
self._container = container
self._funcname = funcname
self._wrapper = wrapper
def __enter__(self):
wrapfunction(self._container, self._funcname, self._wrapper)
def __exit__(self, exctype, excvalue, traceback):
unwrapfunction(self._container, self._funcname, self._wrapper)
2008-10-23 02:34:50 +04:00
def wrapfunction(container, funcname, wrapper):
"""Wrap the function named funcname in container
Replace the funcname member in the given container with the specified
wrapper. The container is typically a module, class, or instance.
The wrapper will be called like
wrapper(orig, *args, **kwargs)
where orig is the original (wrapped) function, and *args, **kwargs
are the arguments passed to it.
Wrapping methods of the repository object is not recommended since
it conflicts with extensions that extend the repository by
subclassing. All extensions that need to extend methods of
localrepository should use this subclassing trick: namely,
reposetup() should look like
def reposetup(ui, repo):
class myrepo(repo.__class__):
def whatever(self, *args, **kwargs):
[...extension stuff...]
super(myrepo, self).whatever(*args, **kwargs)
[...extension stuff...]
repo.__class__ = myrepo
In general, combining wrapfunction() with subclassing does not
work. Since you cannot control what other extensions are loaded by
your end users, you should play nicely with others by using the
subclass trick.
"""
assert callable(wrapper)
2008-10-23 02:34:50 +04:00
origfn = getattr(container, funcname)
assert callable(origfn)
wrapfunction: use functools.partial if possible Every `extensions.bind` call inserts a frame in traceback: ... in closure return func(*(args + a), **kw) which makes traceback noisy. The Python stdlib has a `functools.partial` which is backed by C code and does not pollute traceback. However it does not support instancemethod and sets `args` attribute which could be problematic for alias handling. This patch makes `wrapfunction` use `functools.partial` if we are wrapping a function directly exported by a module (so it's impossible to be a class or instance method), and special handles `wrapfunction` results so alias handling code could handle `args` just fine. As an example, `hg rebase -s . -d . --traceback` got 6 lines removed in my setup: File "hg/mercurial/dispatch.py", line 898, in _dispatch cmdpats, cmdoptions) -File "hg/mercurial/extensions.py", line 333, in closure - return func(*(args + a), **kw) File "hg/hgext/journal.py", line 84, in runcommand return orig(lui, repo, cmd, fullargs, *args) -File "hg/mercurial/extensions.py", line 333, in closure - return func(*(args + a), **kw) File "fb-hgext/hgext3rd/fbamend/hiddenoverride.py", line 119, in runcommand result = orig(lui, repo, cmd, fullargs, *args) File "hg/mercurial/dispatch.py", line 660, in runcommand ret = _runcommand(ui, options, cmd, d) -File "hg/mercurial/extensions.py", line 333, in closure - return func(*(args + a), **kw) File "hg/hgext/pager.py", line 69, in pagecmd return orig(ui, options, cmd, cmdfunc) .... Differential Revision: https://phab.mercurial-scm.org/D632
2017-09-05 23:37:36 +03:00
if inspect.ismodule(container):
# origfn is not an instance or class method. "partial" can be used.
# "partial" won't insert a frame in traceback.
wrap = functools.partial(wrapper, origfn)
else:
# "partial" cannot be safely used. Emulate its effect by using "bind".
# The downside is one more frame in traceback.
wrap = bind(wrapper, origfn)
_updatewrapper(wrap, origfn, wrapper)
setattr(container, funcname, wrap)
2008-10-23 02:34:50 +04:00
return origfn
def unwrapfunction(container, funcname, wrapper=None):
"""undo wrapfunction
If wrappers is None, undo the last wrap. Otherwise removes the wrapper
from the chain of wrappers.
Return the removed wrapper.
Raise IndexError if wrapper is None and nothing to unwrap; ValueError if
wrapper is not None but is not found in the wrapper chain.
"""
chain = getwrapperchain(container, funcname)
origfn = chain.pop()
if wrapper is None:
wrapper = chain[0]
chain.remove(wrapper)
setattr(container, funcname, origfn)
for w in reversed(chain):
wrapfunction(container, funcname, w)
return wrapper
def getwrapperchain(container, funcname):
"""get a chain of wrappers of a function
Return a list of functions: [newest wrapper, ..., oldest wrapper, origfunc]
The wrapper functions are the ones passed to wrapfunction, whose first
argument is origfunc.
"""
result = []
fn = getattr(container, funcname)
while fn:
assert callable(fn)
result.append(getattr(fn, "_unboundwrapper", fn))
fn = getattr(fn, "_origfunc", None)
return result
def _disabledpaths(strip_init=False):
"""find paths of disabled extensions. returns a dict of {name: path}
removes /__init__.py from packages if strip_init is True"""
from edenscm import ext
extpath = os.path.dirname(os.path.abspath(ext.__file__))
try: # might not be a filesystem path
files = os.listdir(extpath)
except OSError:
2010-02-07 13:32:08 +03:00
return {}
exts = {}
for e in files:
if e.endswith(".py"):
name = e.rsplit(".", 1)[0]
path = os.path.join(extpath, e)
else:
name = e
path = os.path.join(extpath, e, "__init__.py")
if not os.path.exists(path):
continue
if strip_init:
path = os.path.dirname(path)
if name in exts or name in _order or name == "__init__":
continue
2010-02-07 13:32:08 +03:00
exts[name] = path
for name, path in pycompat.iteritems(_disabledextensions):
# If no path was provided for a disabled extension (e.g. "color=!"),
# don't replace the path we already found by the scan above.
if path:
exts[name] = path
2010-02-07 13:32:08 +03:00
return exts
def _moduledoc(file):
"""return the top-level python documentation for the given file
Loosely inspired by pydoc.source_synopsis(), but rewritten to
handle triple quotes and to return the whole text instead of just
the synopsis"""
result = []
line = file.readline()
while line[:1] == "#" or not line.strip():
line = file.readline()
if not line:
break
start = line[:3]
if start == '"""' or start == "'''":
line = line[3:]
while line:
if line.rstrip().endswith(start):
line = line.split(start)[0]
if line:
result.append(line)
break
elif not line:
return None # unmatched delimiter
result.append(line)
line = file.readline()
else:
return None
return "".join(result)
2010-02-07 13:32:08 +03:00
def _disabledhelp(path):
"""retrieve help synopsis of a disabled extension (without importing)"""
2010-02-07 13:32:08 +03:00
try:
file = open(path)
except IOError:
return
else:
doc = _moduledoc(file)
2010-02-07 13:32:08 +03:00
file.close()
if doc: # extracting localized synopsis
return gettext(doc)
2010-02-07 13:32:08 +03:00
else:
return _("(no help text available)")
2010-02-07 13:32:08 +03:00
def disabled():
"""find disabled extensions from ext. returns a dict of {name: desc}"""
try:
# pyre-fixme[21]: Could not find name `__index__` in `edenscm.ext`.
from edenscm.ext import __index__
return dict(
(name, gettext(desc))
for name, desc in pycompat.iteritems(__index__.docs)
if name not in _order and name not in _exclude_list
)
except (ImportError, AttributeError):
pass
2010-02-07 13:32:08 +03:00
paths = _disabledpaths()
if not paths:
return {}
2010-02-07 13:32:08 +03:00
exts = {}
for name, path in pycompat.iteritems(paths):
2010-02-07 13:32:08 +03:00
doc = _disabledhelp(path)
if doc and name not in _exclude_list:
exts[name] = doc.splitlines()[0]
return exts
def disabledext(name):
"""find a specific disabled extension from ext. returns desc"""
try:
from edenscm.ext import __index__
if name in _order: # enabled
return
elif name in _exclude_list:
return
else:
return gettext(__index__.docs.get(name))
except (ImportError, AttributeError):
pass
paths = _disabledpaths()
if name in paths and name not in _exclude_list:
return _disabledhelp(paths[name])
def disabledcmd(ui, cmd):
"""import disabled extensions until cmd is found.
returns (cmdname, extname, module)"""
paths = _disabledpaths(strip_init=True)
if not paths:
raise error.UnknownCommand(cmd)
def findcmd(cmd, name, path):
try:
mod = loadpath(path, "ext.%s" % name)
except Exception:
return
try:
aliases, entry = cmdutil.findcmd(cmd, getattr(mod, "cmdtable", {}))
except (error.AmbiguousCommand, error.UnknownCommand):
return
except Exception:
ui.warn(_("error finding commands in %s\n") % path, notice=_("warning"))
ui.traceback()
return
for c in aliases:
if c.startswith(cmd):
cmd = c
break
else:
cmd = aliases[0]
return (cmd, name, mod)
ext = None
# first, search for an extension with the same name as the command
path = paths.pop(cmd, None)
if path:
ext = findcmd(cmd, cmd, path)
if not ext:
# otherwise, interrogate each extension until there's a match
for name, path in pycompat.iteritems(paths):
ext = findcmd(cmd, name, path)
if ext:
break
if ext and "DEPRECATED" not in ext.__doc__:
return ext
raise error.UnknownCommand(cmd)
def enabled(shortname=True):
"""return a dict of {name: desc} of extensions"""
exts = {}
for ename, ext in extensions():
doc = gettext(ext.__doc__) or _("(no help text available)")
if shortname:
ename = ename.split(".")[-1]
exts[ename] = doc.splitlines()[0].strip()
return exts
def notloaded():
"""return short names of extensions that failed to load"""
return [name for name, mod in pycompat.iteritems(_extensions) if mod is None]
def moduleversion(module):
"""return version information from given module as a string"""
if util.safehasattr(module, "getversion") and callable(module.getversion):
version = module.getversion()
elif util.safehasattr(module, "__version__"):
version = module.__version__
else:
version = ""
if isinstance(version, (list, tuple)):
version = ".".join(str(o) for o in version)
return version
def ismoduleinternal(module):
exttestedwith = getattr(module, "testedwith", None)
return exttestedwith == "ships-with-hg-core"