ui.py
2135 lines
| 78.2 KiB
| text/x-python
|
PythonLexer
/ mercurial / ui.py
mpm@selenic.com
|
r207 | # ui.py - user interface bits for mercurial | ||
# | ||||
Thomas Arendsen Hein
|
r4635 | # Copyright 2005-2007 Matt Mackall <mpm@selenic.com> | ||
mpm@selenic.com
|
r207 | # | ||
Martin Geisler
|
r8225 | # This software may be used and distributed according to the terms of the | ||
Matt Mackall
|
r10263 | # GNU General Public License version 2 or any later version. | ||
mpm@selenic.com
|
r207 | |||
Gregory Szorc
|
r25989 | from __future__ import absolute_import | ||
Simon Farnsworth
|
r30976 | import collections | ||
Kostia Balytskyi
|
r30480 | import contextlib | ||
Gregory Szorc
|
r25989 | import errno | ||
import getpass | ||||
Pierre-Yves David
|
r25629 | import inspect | ||
Gregory Szorc
|
r25989 | import os | ||
Matt Mackall
|
r27392 | import re | ||
Augie Fackler
|
r30992 | import signal | ||
Gregory Szorc
|
r25989 | import socket | ||
Augie Fackler
|
r30992 | import subprocess | ||
Gregory Szorc
|
r25989 | import sys | ||
import traceback | ||||
from .i18n import _ | ||||
from .node import hex | ||||
from . import ( | ||||
Pierre-Yves David
|
r31087 | color, | ||
Gregory Szorc
|
r25989 | config, | ||
r32984 | configitems, | |||
Pulkit Goyal
|
r30277 | encoding, | ||
Gregory Szorc
|
r25989 | error, | ||
formatter, | ||||
Yuya Nishihara
|
r41030 | loggingutil, | ||
Gregory Szorc
|
r25989 | progress, | ||
Pulkit Goyal
|
r30519 | pycompat, | ||
Jun Wu
|
r31679 | rcutil, | ||
Gregory Szorc
|
r25989 | scmutil, | ||
util, | ||||
) | ||||
Yuya Nishihara
|
r37102 | from .utils import ( | ||
dateutil, | ||||
Yuya Nishihara
|
r37137 | procutil, | ||
Yuya Nishihara
|
r37102 | stringutil, | ||
) | ||||
mpm@selenic.com
|
r207 | |||
liscju
|
r29378 | urlreq = util.urlreq | ||
Simon Farnsworth
|
r30979 | # for use with str.translate(None, _keepalnum), to keep just alphanumerics | ||
Yuya Nishihara
|
r31253 | _keepalnum = ''.join(c for c in map(pycompat.bytechr, range(256)) | ||
if not c.isalnum()) | ||||
Simon Farnsworth
|
r30979 | |||
Augie Fackler
|
r32872 | # The config knobs that will be altered (if unset) by ui.tweakdefaults. | ||
Pulkit Goyal
|
r35929 | tweakrc = b""" | ||
Augie Fackler
|
r32872 | [ui] | ||
# The rollback command is dangerous. As a rule, don't use it. | ||||
rollback = False | ||||
Martin von Zweigbergk
|
r35066 | # Make `hg status` report copy information | ||
statuscopies = yes | ||||
Augie Fackler
|
r35307 | # Prefer curses UIs when available. Revert to plain-text with `text`. | ||
interface = curses | ||||
Martin von Zweigbergk
|
r41634 | # Make compatible commands emit cwd-relative paths by default. | ||
relative-paths = yes | ||||
Augie Fackler
|
r32872 | |||
[commands] | ||||
Yuya Nishihara
|
r38674 | # Grep working directory by default. | ||
grep.all-files = True | ||||
Augie Fackler
|
r34708 | # Refuse to perform an `hg update` that would cause a file content merge | ||
update.check = noconflict | ||||
Pulkit Goyal
|
r36926 | # Show conflicts information in `hg status` | ||
status.verbose = True | ||||
Valentin Gatien-Baron
|
r42764 | # Make `hg resolve` with no action (like `-m`) fail instead of re-merging. | ||
resolve.explicit-re-merge = True | ||||
Augie Fackler
|
r32872 | |||
[diff] | ||||
git = 1 | ||||
Augie Fackler
|
r35308 | showfunc = 1 | ||
Augie Fackler
|
r38642 | word-diff = 1 | ||
Augie Fackler
|
r32872 | """ | ||
Matt Mackall
|
r22419 | samplehgrcs = { | ||
'user': | ||||
Yuya Nishihara
|
r33650 | b"""# example user config (see 'hg help config' for more info) | ||
Matt Mackall
|
r22419 | [ui] | ||
# name and email, e.g. | ||||
# username = Jane Doe <jdoe@example.com> | ||||
username = | ||||
Augie Fackler
|
r34569 | # We recommend enabling tweakdefaults to get slight improvements to | ||
# the UI over time. Make sure to set HGPLAIN in the environment when | ||||
# writing scripts! | ||||
# tweakdefaults = True | ||||
Pierre-Yves David
|
r32094 | # uncomment to disable color in command output | ||
Pierre-Yves David
|
r32095 | # (see 'hg help color' for details) | ||
Pierre-Yves David
|
r32094 | # color = never | ||
Pierre-Yves David
|
r31124 | |||
Pierre-Yves David
|
r32101 | # uncomment to disable command output pagination | ||
# (see 'hg help pager' for details) | ||||
Pierre-Yves David
|
r32105 | # paginate = never | ||
Pierre-Yves David
|
r32101 | |||
Matt Mackall
|
r22419 | [extensions] | ||
Jordi Gutiérrez Hermoso
|
r42165 | # uncomment the lines below to enable some popular extensions | ||
timeless
|
r29978 | # (see 'hg help extensions' for more info) | ||
Matt Mackall
|
r22419 | # | ||
Jordi Gutiérrez Hermoso
|
r42166 | # histedit = | ||
# rebase = | ||||
# uncommit = | ||||
Pierre-Yves David
|
r32098 | """, | ||
Matt Mackall
|
r22419 | |||
Jordi Gutiérrez Hermoso
|
r22837 | 'cloned': | ||
Yuya Nishihara
|
r33650 | b"""# example repository config (see 'hg help config' for more info) | ||
Jordi Gutiérrez Hermoso
|
r22837 | [paths] | ||
default = %s | ||||
# path aliases to other clones of this repo in URLs or filesystem paths | ||||
timeless
|
r29978 | # (see 'hg help config.paths' for more info) | ||
Jordi Gutiérrez Hermoso
|
r22837 | # | ||
Rishabh Madan
|
r31064 | # default:pushurl = ssh://jdoe@example.net/hg/jdoes-fork | ||
# my-fork = ssh://jdoe@example.net/hg/jdoes-fork | ||||
# my-clone = /home/jdoe/jdoes-clone | ||||
Jordi Gutiérrez Hermoso
|
r22837 | |||
[ui] | ||||
# name and email (local to this repository, optional), e.g. | ||||
# username = Jane Doe <jdoe@example.com> | ||||
""", | ||||
Matt Mackall
|
r22419 | 'local': | ||
Yuya Nishihara
|
r33650 | b"""# example repository config (see 'hg help config' for more info) | ||
Jordi Gutiérrez Hermoso
|
r22836 | [paths] | ||
# path aliases to other clones of this repo in URLs or filesystem paths | ||||
timeless
|
r29978 | # (see 'hg help config.paths' for more info) | ||
Jordi Gutiérrez Hermoso
|
r22836 | # | ||
Rishabh Madan
|
r31064 | # default = http://example.com/hg/example-repo | ||
# default:pushurl = ssh://jdoe@example.net/hg/jdoes-fork | ||||
# my-fork = ssh://jdoe@example.net/hg/jdoes-fork | ||||
# my-clone = /home/jdoe/jdoes-clone | ||||
Jordi Gutiérrez Hermoso
|
r22836 | |||
[ui] | ||||
# name and email (local to this repository, optional), e.g. | ||||
# username = Jane Doe <jdoe@example.com> | ||||
Matt Mackall
|
r22419 | """, | ||
'global': | ||||
Yuya Nishihara
|
r33650 | b"""# example system-wide hg config (see 'hg help config' for more info) | ||
Matt Mackall
|
r22419 | |||
Pierre-Yves David
|
r31124 | [ui] | ||
Pierre-Yves David
|
r32094 | # uncomment to disable color in command output | ||
Pierre-Yves David
|
r32095 | # (see 'hg help color' for details) | ||
Pierre-Yves David
|
r32094 | # color = never | ||
Pierre-Yves David
|
r31124 | |||
Pierre-Yves David
|
r32101 | # uncomment to disable command output pagination | ||
# (see 'hg help pager' for details) | ||||
Pierre-Yves David
|
r32105 | # paginate = never | ||
Pierre-Yves David
|
r32101 | |||
Matt Mackall
|
r22419 | [extensions] | ||
Jordi Gutiérrez Hermoso
|
r42165 | # uncomment the lines below to enable some popular extensions | ||
timeless
|
r29978 | # (see 'hg help extensions' for more info) | ||
Matt Mackall
|
r22419 | # | ||
# blackbox = | ||||
Pierre-Yves David
|
r32097 | # churn = | ||
Pierre-Yves David
|
r32098 | """, | ||
Matt Mackall
|
r22419 | } | ||
Augie Fackler
|
r34483 | def _maybestrurl(maybebytes): | ||
Yuya Nishihara
|
r38594 | return pycompat.rapply(pycompat.strurl, maybebytes) | ||
Augie Fackler
|
r34483 | |||
def _maybebytesurl(maybestr): | ||||
Yuya Nishihara
|
r38594 | return pycompat.rapply(pycompat.bytesurl, maybestr) | ||
Kyle Lippincott
|
r30945 | |||
class httppasswordmgrdbproxy(object): | ||||
"""Delays loading urllib2 until it's needed.""" | ||||
def __init__(self): | ||||
self._mgr = None | ||||
def _get_mgr(self): | ||||
if self._mgr is None: | ||||
self._mgr = urlreq.httppasswordmgrwithdefaultrealm() | ||||
return self._mgr | ||||
Augie Fackler
|
r34427 | def add_password(self, realm, uris, user, passwd): | ||
Augie Fackler
|
r34483 | return self._get_mgr().add_password( | ||
Yuya Nishihara
|
r35918 | _maybestrurl(realm), _maybestrurl(uris), | ||
Augie Fackler
|
r34483 | _maybestrurl(user), _maybestrurl(passwd)) | ||
Kyle Lippincott
|
r30945 | |||
Augie Fackler
|
r34427 | def find_user_password(self, realm, uri): | ||
Yuya Nishihara
|
r35918 | mgr = self._get_mgr() | ||
return _maybebytesurl(mgr.find_user_password(_maybestrurl(realm), | ||||
_maybestrurl(uri))) | ||||
Kyle Lippincott
|
r30945 | |||
Augie Fackler
|
r30992 | def _catchterm(*args): | ||
raise error.SignalInterrupt | ||||
Kyle Lippincott
|
r30945 | |||
r32958 | # unique object used to detect no default value has been provided when | |||
# retrieving configuration value. | ||||
_unset = object() | ||||
Saurabh Singh
|
r34883 | # _reqexithandlers: callbacks run at the end of a request | ||
_reqexithandlers = [] | ||||
Eric Hopper
|
r1559 | class ui(object): | ||
Matt Mackall
|
r8190 | def __init__(self, src=None): | ||
Yuya Nishihara
|
r30559 | """Create a fresh new ui object if no src given | ||
Use uimod.ui.load() to create a ui which knows global and user configs. | ||||
In most cases, you should use ui.copy() to create a copy of an existing | ||||
ui object. | ||||
""" | ||||
Pierre-Yves David
|
r21132 | # _buffers: used for temporary capture of output | ||
Matt Mackall
|
r8202 | self._buffers = [] | ||
Gregory Szorc
|
r27106 | # 3-tuple describing how each buffer in the stack behaves. | ||
# Values are (capture stderr, capture subprocesses, apply labels). | ||||
Pierre-Yves David
|
r21132 | self._bufferstates = [] | ||
Gregory Szorc
|
r27106 | # When a buffer is active, defines whether we are expanding labels. | ||
# This exists to prevent an extra list lookup. | ||||
self._bufferapplylabels = None | ||||
Bryan O'Sullivan
|
r9851 | self.quiet = self.verbose = self.debugflag = self.tracebackflag = False | ||
Matt Mackall
|
r8208 | self._reportuntrusted = True | ||
r32984 | self._knownconfig = configitems.coreitems | |||
Matt Mackall
|
r8203 | self._ocfg = config.config() # overlay | ||
self._tcfg = config.config() # trusted | ||||
self._ucfg = config.config() # untrusted | ||||
Martin Geisler
|
r8478 | self._trustusers = set() | ||
self._trustgroups = set() | ||||
Idan Kamara
|
r17048 | self.callhooks = True | ||
Gregory Szorc
|
r29109 | # Insecure server connections requested. | ||
self.insecureconnections = False | ||||
Simon Farnsworth
|
r30976 | # Blocked time | ||
self.logblockedtimes = False | ||||
Pierre-Yves David
|
r31106 | # color mode: see mercurial/color.py for possible value | ||
self._colormode = None | ||||
Pierre-Yves David
|
r31113 | self._terminfoparams = {} | ||
Pierre-Yves David
|
r31115 | self._styles = {} | ||
Augie Fackler
|
r38545 | self._uninterruptible = False | ||
Matt Mackall
|
r8136 | |||
Matt Mackall
|
r8190 | if src: | ||
Yuya Nishihara
|
r40579 | self._fout = src._fout | ||
self._ferr = src._ferr | ||||
self._fin = src._fin | ||||
Yuya Nishihara
|
r40623 | self._fmsg = src._fmsg | ||
Yuya Nishihara
|
r40580 | self._fmsgout = src._fmsgout | ||
self._fmsgerr = src._fmsgerr | ||||
Yuya Nishihara
|
r39875 | self._finoutredirected = src._finoutredirected | ||
Yuya Nishihara
|
r40761 | self._loggers = src._loggers.copy() | ||
Augie Fackler
|
r30992 | self.pageractive = src.pageractive | ||
Augie Fackler
|
r31026 | self._disablepager = src._disablepager | ||
Augie Fackler
|
r32872 | self._tweaked = src._tweaked | ||
Idan Kamara
|
r14612 | |||
Matt Mackall
|
r8203 | self._tcfg = src._tcfg.copy() | ||
self._ucfg = src._ucfg.copy() | ||||
self._ocfg = src._ocfg.copy() | ||||
Matt Mackall
|
r8201 | self._trustusers = src._trustusers.copy() | ||
self._trustgroups = src._trustgroups.copy() | ||||
Sune Foldager
|
r9887 | self.environ = src.environ | ||
Idan Kamara
|
r17048 | self.callhooks = src.callhooks | ||
Gregory Szorc
|
r29109 | self.insecureconnections = src.insecureconnections | ||
Pierre-Yves David
|
r31106 | self._colormode = src._colormode | ||
Pierre-Yves David
|
r31113 | self._terminfoparams = src._terminfoparams.copy() | ||
Pierre-Yves David
|
r31115 | self._styles = src._styles.copy() | ||
Pierre-Yves David
|
r31106 | |||
Matt Mackall
|
r8143 | self.fixconfig() | ||
liscju
|
r29378 | |||
self.httppasswordmgrdb = src.httppasswordmgrdb | ||||
Simon Farnsworth
|
r30976 | self._blockedtimes = src._blockedtimes | ||
Matt Mackall
|
r8143 | else: | ||
Yuya Nishihara
|
r40579 | self._fout = procutil.stdout | ||
self._ferr = procutil.stderr | ||||
self._fin = procutil.stdin | ||||
Yuya Nishihara
|
r40623 | self._fmsg = None | ||
Yuya Nishihara
|
r40580 | self._fmsgout = self.fout # configurable | ||
self._fmsgerr = self.ferr # configurable | ||||
Yuya Nishihara
|
r39875 | self._finoutredirected = False | ||
Yuya Nishihara
|
r40761 | self._loggers = {} | ||
Augie Fackler
|
r30992 | self.pageractive = False | ||
Augie Fackler
|
r31026 | self._disablepager = False | ||
Augie Fackler
|
r32872 | self._tweaked = False | ||
Idan Kamara
|
r14612 | |||
Sune Foldager
|
r9887 | # shared read-only environment | ||
Pulkit Goyal
|
r30637 | self.environ = encoding.environ | ||
Dirkjan Ochtman
|
r8222 | |||
Kyle Lippincott
|
r30945 | self.httppasswordmgrdb = httppasswordmgrdbproxy() | ||
Simon Farnsworth
|
r30976 | self._blockedtimes = collections.defaultdict(int) | ||
liscju
|
r29378 | |||
Matt Harbison
|
r30832 | allowed = self.configlist('experimental', 'exportableenviron') | ||
if '*' in allowed: | ||||
self._exportableenviron = self.environ | ||||
else: | ||||
self._exportableenviron = {} | ||||
for k in allowed: | ||||
if k in self.environ: | ||||
self._exportableenviron[k] = self.environ[k] | ||||
Yuya Nishihara
|
r30559 | @classmethod | ||
def load(cls): | ||||
"""Create a ui and load global and user configs""" | ||||
u = cls() | ||||
Jun Wu
|
r31685 | # we always trust global config files and environment variables | ||
Jun Wu
|
r31683 | for t, f in rcutil.rccomponents(): | ||
if t == 'path': | ||||
u.readconfig(f, trust=True) | ||||
Jun Wu
|
r31685 | elif t == 'items': | ||
sections = set() | ||||
for section, name, value, source in f: | ||||
# do not set u._ocfg | ||||
# XXX clean this up once immutable config object is a thing | ||||
u._tcfg.set(section, name, value, source) | ||||
u._ucfg.set(section, name, value, source) | ||||
sections.add(section) | ||||
for section in sections: | ||||
u.fixconfig(section=section) | ||||
Jun Wu
|
r31683 | else: | ||
raise error.ProgrammingError('unknown rctype: %s' % t) | ||||
Augie Fackler
|
r32872 | u._maybetweakdefaults() | ||
Yuya Nishihara
|
r30559 | return u | ||
Augie Fackler
|
r32872 | def _maybetweakdefaults(self): | ||
if not self.configbool('ui', 'tweakdefaults'): | ||||
return | ||||
if self._tweaked or self.plain('tweakdefaults'): | ||||
return | ||||
# Note: it is SUPER IMPORTANT that you set self._tweaked to | ||||
# True *before* any calls to setconfig(), otherwise you'll get | ||||
# infinite recursion between setconfig and this method. | ||||
# | ||||
# TODO: We should extract an inner method in setconfig() to | ||||
# avoid this weirdness. | ||||
self._tweaked = True | ||||
tmpcfg = config.config() | ||||
tmpcfg.parse('<tweakdefaults>', tweakrc) | ||||
for section in tmpcfg: | ||||
for name, value in tmpcfg.items(section): | ||||
if not self.hasconfig(section, name): | ||||
self.setconfig(section, name, value, "<tweakdefaults>") | ||||
Matt Mackall
|
r8189 | def copy(self): | ||
Ronny Pfannschmidt
|
r8220 | return self.__class__(self) | ||
Thomas Arendsen Hein
|
r1839 | |||
Yuya Nishihara
|
r29366 | def resetstate(self): | ||
"""Clear internal state that shouldn't persist across commands""" | ||||
if self._progbar: | ||||
self._progbar.resetstate() # reset last-print time of progress bar | ||||
Kyle Lippincott
|
r30945 | self.httppasswordmgrdb = httppasswordmgrdbproxy() | ||
Yuya Nishihara
|
r29366 | |||
Simon Farnsworth
|
r30976 | @contextlib.contextmanager | ||
def timeblockedsection(self, key): | ||||
Simon Farnsworth
|
r30978 | # this is open-coded below - search for timeblockedsection to find them | ||
Simon Farnsworth
|
r30976 | starttime = util.timer() | ||
try: | ||||
yield | ||||
finally: | ||||
Augie Fackler
|
r41925 | self._blockedtimes[key + '_blocked'] += ( | ||
(util.timer() - starttime) * 1000) | ||||
Yuya Nishihara
|
r29366 | |||
Augie Fackler
|
r38545 | @contextlib.contextmanager | ||
Kyle Lippincott
|
r41106 | def uninterruptible(self): | ||
Augie Fackler
|
r38545 | """Mark an operation as unsafe. | ||
Most operations on a repository are safe to interrupt, but a | ||||
few are risky (for example repair.strip). This context manager | ||||
lets you advise Mercurial that something risky is happening so | ||||
that control-C etc can be blocked if desired. | ||||
""" | ||||
enabled = self.configbool('experimental', 'nointerrupt') | ||||
if (enabled and | ||||
self.configbool('experimental', 'nointerrupt-interactiveonly')): | ||||
enabled = self.interactive() | ||||
if self._uninterruptible or not enabled: | ||||
# if nointerrupt support is turned off, the process isn't | ||||
Kyle Lippincott
|
r41106 | # interactive, or we're already in an uninterruptible | ||
Augie Fackler
|
r38545 | # block, do nothing. | ||
yield | ||||
return | ||||
def warn(): | ||||
self.warn(_("shutting down cleanly\n")) | ||||
self.warn( | ||||
_("press ^C again to terminate immediately (dangerous)\n")) | ||||
return True | ||||
Kyle Lippincott
|
r41106 | with procutil.uninterruptible(warn): | ||
Augie Fackler
|
r38545 | try: | ||
self._uninterruptible = True | ||||
yield | ||||
finally: | ||||
self._uninterruptible = False | ||||
Matt Mackall
|
r16135 | def formatter(self, topic, opts): | ||
Yuya Nishihara
|
r32573 | return formatter.formatter(self, self, topic, opts) | ||
Matt Mackall
|
r16135 | |||
Matt Mackall
|
r14859 | def _trusted(self, fp, f): | ||
Alexis S. L. Carvalho
|
r3677 | st = util.fstat(fp) | ||
Martin Geisler
|
r8657 | if util.isowner(st): | ||
Alexis S. L. Carvalho
|
r3677 | return True | ||
Matt Mackall
|
r8141 | |||
Matt Mackall
|
r8201 | tusers, tgroups = self._trustusers, self._trustgroups | ||
Matt Mackall
|
r8141 | if '*' in tusers or '*' in tgroups: | ||
return True | ||||
user = util.username(st.st_uid) | ||||
group = util.groupname(st.st_gid) | ||||
if user in tusers or group in tgroups or user == util.username(): | ||||
return True | ||||
Matt Mackall
|
r8204 | if self._reportuntrusted: | ||
Martin Geisler
|
r16939 | self.warn(_('not trusting file %s from untrusted ' | ||
Matt Mackall
|
r8141 | 'user %s, group %s\n') % (f, user, group)) | ||
return False | ||||
Alexis S. L. Carvalho
|
r3551 | |||
Matt Mackall
|
r8200 | def readconfig(self, filename, root=None, trust=False, | ||
Alexander Solovyov
|
r8345 | sections=None, remap=None): | ||
Matt Mackall
|
r8142 | try: | ||
Augie Fackler
|
r38790 | fp = open(filename, r'rb') | ||
Matt Mackall
|
r8142 | except IOError: | ||
if not sections: # ignore unless we were looking for something | ||||
return | ||||
raise | ||||
Matt Mackall
|
r8139 | |||
Matt Mackall
|
r8203 | cfg = config.config() | ||
Matt Mackall
|
r14859 | trusted = sections or trust or self._trusted(fp, filename) | ||
Alexis S. L. Carvalho
|
r3552 | |||
Matt Mackall
|
r8142 | try: | ||
Alexander Solovyov
|
r8345 | cfg.read(filename, fp, sections=sections, remap=remap) | ||
Matt Mackall
|
r15407 | fp.close() | ||
Gregory Szorc
|
r25660 | except error.ConfigError as inst: | ||
Matt Mackall
|
r8142 | if trusted: | ||
Matt Mackall
|
r8144 | raise | ||
Yuya Nishihara
|
r37102 | self.warn(_("ignored: %s\n") % stringutil.forcebytestr(inst)) | ||
Alexis S. L. Carvalho
|
r3552 | |||
Brodie Rao
|
r10455 | if self.plain(): | ||
Brodie Rao
|
r10507 | for k in ('debug', 'fallbackencoding', 'quiet', 'slash', | ||
Yuya Nishihara
|
r40580 | 'logtemplate', 'message-output', 'statuscopies', 'style', | ||
Brodie Rao
|
r10507 | 'traceback', 'verbose'): | ||
Brodie Rao
|
r10455 | if k in cfg['ui']: | ||
del cfg['ui'][k] | ||||
"Yann E. MORIN"
|
r14373 | for k, v in cfg.items('defaults'): | ||
del cfg['defaults'][k] | ||||
Martin von Zweigbergk
|
r31588 | for k, v in cfg.items('commands'): | ||
del cfg['commands'][k] | ||||
"Yann E. MORIN"
|
r14373 | # Don't remove aliases from the configuration if in the exceptionlist | ||
if self.plain('alias'): | ||||
Brodie Rao
|
r10506 | for k, v in cfg.items('alias'): | ||
del cfg['alias'][k] | ||||
Siddharth Agarwal
|
r24883 | if self.plain('revsetalias'): | ||
for k, v in cfg.items('revsetalias'): | ||||
del cfg['revsetalias'][k] | ||||
Yuya Nishihara
|
r28958 | if self.plain('templatealias'): | ||
for k, v in cfg.items('templatealias'): | ||||
del cfg['templatealias'][k] | ||||
Brodie Rao
|
r10455 | |||
Matt Mackall
|
r8142 | if trusted: | ||
Matt Mackall
|
r8203 | self._tcfg.update(cfg) | ||
self._tcfg.update(self._ocfg) | ||||
self._ucfg.update(cfg) | ||||
self._ucfg.update(self._ocfg) | ||||
Matt Mackall
|
r8139 | |||
Alexis S. L. Carvalho
|
r3347 | if root is None: | ||
root = os.path.expanduser('~') | ||||
self.fixconfig(root=root) | ||||
Alexis S. L. Carvalho
|
r3014 | |||
Nicolas Dumazet
|
r12764 | def fixconfig(self, root=None, section=None): | ||
if section in (None, 'paths'): | ||||
# expand vars and ~ | ||||
# translate paths relative to root (or home) into absolute paths | ||||
Matt Harbison
|
r39843 | root = root or encoding.getcwd() | ||
Nicolas Dumazet
|
r12764 | for c in self._tcfg, self._ucfg, self._ocfg: | ||
for n, p in c.items('paths'): | ||||
Gregory Szorc
|
r29412 | # Ignore sub-options. | ||
if ':' in n: | ||||
continue | ||||
Nicolas Dumazet
|
r12764 | if not p: | ||
continue | ||||
if '%%' in p: | ||||
Yuya Nishihara
|
r30618 | s = self.configsource('paths', n) or 'none' | ||
Nicolas Dumazet
|
r12764 | self.warn(_("(deprecated '%%' in path %s=%s from %s)\n") | ||
Yuya Nishihara
|
r30618 | % (n, p, s)) | ||
Nicolas Dumazet
|
r12764 | p = p.replace('%%', '%') | ||
p = util.expandpath(p) | ||||
Brodie Rao
|
r14076 | if not util.hasscheme(p) and not os.path.isabs(p): | ||
Nicolas Dumazet
|
r12764 | p = os.path.normpath(os.path.join(root, p)) | ||
c.set("paths", n, p) | ||||
Alexis S. L. Carvalho
|
r3347 | |||
Nicolas Dumazet
|
r12764 | if section in (None, 'ui'): | ||
# update ui options | ||||
Yuya Nishihara
|
r40580 | self._fmsgout, self._fmsgerr = _selectmsgdests(self) | ||
Nicolas Dumazet
|
r12764 | self.debugflag = self.configbool('ui', 'debug') | ||
self.verbose = self.debugflag or self.configbool('ui', 'verbose') | ||||
self.quiet = not self.debugflag and self.configbool('ui', 'quiet') | ||||
if self.verbose and self.quiet: | ||||
self.quiet = self.verbose = False | ||||
Ry4an Brase
|
r13493 | self._reportuntrusted = self.debugflag or self.configbool("ui", | ||
Jun Wu
|
r33499 | "report_untrusted") | ||
self.tracebackflag = self.configbool('ui', 'traceback') | ||||
Simon Farnsworth
|
r30976 | self.logblockedtimes = self.configbool('ui', 'logblockedtimes') | ||
Alexis S. L. Carvalho
|
r3350 | |||
Nicolas Dumazet
|
r12764 | if section in (None, 'trusted'): | ||
# update trust information | ||||
self._trustusers.update(self.configlist('trusted', 'users')) | ||||
self._trustgroups.update(self.configlist('trusted', 'groups')) | ||||
Alexis S. L. Carvalho
|
r3551 | |||
Yuya Nishihara
|
r41030 | if section in (None, b'devel', b'ui') and self.debugflag: | ||
tracked = set() | ||||
if self.configbool(b'devel', b'debug.extensions'): | ||||
tracked.add(b'extension') | ||||
if tracked: | ||||
logger = loggingutil.fileobjectlogger(self._ferr, tracked) | ||||
self.setlogger(b'debug', logger) | ||||
Pierre-Yves David
|
r15919 | def backupconfig(self, section, item): | ||
return (self._ocfg.backup(section, item), | ||||
self._tcfg.backup(section, item), | ||||
self._ucfg.backup(section, item),) | ||||
def restoreconfig(self, data): | ||||
self._ocfg.restore(data[0]) | ||||
self._tcfg.restore(data[1]) | ||||
self._ucfg.restore(data[2]) | ||||
Mads Kiilerich
|
r20788 | def setconfig(self, section, name, value, source=''): | ||
Mads Kiilerich
|
r20787 | for cfg in (self._ocfg, self._tcfg, self._ucfg): | ||
Mads Kiilerich
|
r20788 | cfg.set(section, name, value, source) | ||
Nicolas Dumazet
|
r12764 | self.fixconfig(section=section) | ||
Augie Fackler
|
r32872 | self._maybetweakdefaults() | ||
mpm@selenic.com
|
r960 | |||
Matt Mackall
|
r8199 | def _data(self, untrusted): | ||
Matt Mackall
|
r8203 | return untrusted and self._ucfg or self._tcfg | ||
Alexis S. L. Carvalho
|
r3552 | |||
Matt Mackall
|
r8182 | def configsource(self, section, name, untrusted=False): | ||
Yuya Nishihara
|
r30618 | return self._data(untrusted).source(section, name) | ||
Matt Mackall
|
r8182 | |||
r32958 | def config(self, section, name, default=_unset, untrusted=False): | |||
r33058 | """return the plain string version of a config""" | |||
value = self._config(section, name, default=default, | ||||
untrusted=untrusted) | ||||
if value is _unset: | ||||
return None | ||||
return value | ||||
def _config(self, section, name, default=_unset, untrusted=False): | ||||
Yuya Nishihara
|
r34949 | value = itemdefault = default | ||
David Demelier
|
r33329 | item = self._knownconfig.get(section, {}).get(name) | ||
alternates = [(section, name)] | ||||
if item is not None: | ||||
alternates.extend(item.alias) | ||||
Yuya Nishihara
|
r34949 | if callable(item.default): | ||
itemdefault = item.default() | ||||
else: | ||||
itemdefault = item.default | ||||
Boris Feld
|
r34859 | else: | ||
msg = ("accessing unregistered config item: '%s.%s'") | ||||
msg %= (section, name) | ||||
self.develwarn(msg, 2, 'warn-config-unknown') | ||||
David Demelier
|
r33329 | |||
if default is _unset: | ||||
if item is None: | ||||
value = default | ||||
Boris Feld
|
r33471 | elif item.default is configitems.dynamicdefault: | ||
value = None | ||||
msg = "config item requires an explicit default value: '%s.%s'" | ||||
msg %= (section, name) | ||||
self.develwarn(msg, 2, 'warn-config-default') | ||||
David Demelier
|
r33329 | else: | ||
Yuya Nishihara
|
r34949 | value = itemdefault | ||
Boris Feld
|
r33471 | elif (item is not None | ||
Yuya Nishihara
|
r34949 | and item.default is not configitems.dynamicdefault | ||
and default != itemdefault): | ||||
msg = ("specifying a mismatched default value for a registered " | ||||
David Demelier
|
r33329 | "config item: '%s.%s' '%s'") | ||
Augie Fackler
|
r36143 | msg %= (section, name, pycompat.bytestr(default)) | ||
David Demelier
|
r33329 | self.develwarn(msg, 2, 'warn-config-default') | ||
r32987 | ||||
David Demelier
|
r33329 | for s, n in alternates: | ||
candidate = self._data(untrusted).get(s, n, None) | ||||
r33058 | if candidate is not None: | |||
value = candidate | ||||
Matt Mackall
|
r15035 | break | ||
Matt Mackall
|
r8204 | if self.debugflag and not untrusted and self._reportuntrusted: | ||
David Demelier
|
r33329 | for s, n in alternates: | ||
uvalue = self._ucfg.get(s, n) | ||||
Augie Fackler
|
r19536 | if uvalue is not None and uvalue != value: | ||
self.debug("ignoring untrusted configuration option " | ||||
David Demelier
|
r33329 | "%s.%s = %s\n" % (s, n, uvalue)) | ||
Alexis S. L. Carvalho
|
r3552 | return value | ||
Alexis S. L. Carvalho
|
r3341 | |||
r32967 | def configsuboptions(self, section, name, default=_unset, untrusted=False): | |||
Gregory Szorc
|
r27252 | """Get a config option and all sub-options. | ||
Some config options have sub-options that are declared with the | ||||
format "key:opt = value". This method is used to return the main | ||||
option and all its declared sub-options. | ||||
Returns a 2-tuple of ``(option, sub-options)``, where `sub-options`` | ||||
is a dict of defined sub-options where keys and values are strings. | ||||
""" | ||||
r32966 | main = self.config(section, name, default, untrusted=untrusted) | |||
Gregory Szorc
|
r27252 | data = self._data(untrusted) | ||
sub = {} | ||||
prefix = '%s:' % name | ||||
for k, v in data.items(section): | ||||
if k.startswith(prefix): | ||||
sub[k[len(prefix):]] = v | ||||
if self.debugflag and not untrusted and self._reportuntrusted: | ||||
for k, v in sub.items(): | ||||
uvalue = self._ucfg.get(section, '%s:%s' % (name, k)) | ||||
if uvalue is not None and uvalue != v: | ||||
self.debug('ignoring untrusted configuration option ' | ||||
'%s:%s.%s = %s\n' % (section, name, k, uvalue)) | ||||
return main, sub | ||||
r32965 | def configpath(self, section, name, default=_unset, untrusted=False): | |||
Simon Heimberg
|
r14924 | 'get a path config item, expanded relative to repo root or config file' | ||
Matt Mackall
|
r13238 | v = self.config(section, name, default, untrusted) | ||
Simon Heimberg
|
r14923 | if v is None: | ||
return None | ||||
Matt Mackall
|
r13238 | if not os.path.isabs(v) or "://" not in v: | ||
src = self.configsource(section, name, untrusted) | ||||
if ':' in src: | ||||
Simon Heimberg
|
r14922 | base = os.path.dirname(src.rsplit(':')[0]) | ||
Matt Mackall
|
r13238 | v = os.path.join(base, os.path.expanduser(v)) | ||
return v | ||||
r32959 | def configbool(self, section, name, default=_unset, untrusted=False): | |||
Sune Foldager
|
r14171 | """parse a configuration element as a boolean | ||
Yuya Nishihara
|
r34133 | >>> u = ui(); s = b'foo' | ||
>>> u.setconfig(s, b'true', b'yes') | ||||
>>> u.configbool(s, b'true') | ||||
Sune Foldager
|
r14171 | True | ||
Yuya Nishihara
|
r34133 | >>> u.setconfig(s, b'false', b'no') | ||
>>> u.configbool(s, b'false') | ||||
Sune Foldager
|
r14171 | False | ||
Yuya Nishihara
|
r34133 | >>> u.configbool(s, b'unknown') | ||
Sune Foldager
|
r14171 | False | ||
Yuya Nishihara
|
r34133 | >>> u.configbool(s, b'unknown', True) | ||
Sune Foldager
|
r14171 | True | ||
Yuya Nishihara
|
r34133 | >>> u.setconfig(s, b'invalid', b'somevalue') | ||
>>> u.configbool(s, b'invalid') | ||||
Sune Foldager
|
r14171 | Traceback (most recent call last): | ||
... | ||||
ConfigError: foo.invalid is not a boolean ('somevalue') | ||||
""" | ||||
r33059 | v = self._config(section, name, default, untrusted=untrusted) | |||
Martin Geisler
|
r8527 | if v is None: | ||
r33059 | return v | |||
if v is _unset: | ||||
r32959 | if default is _unset: | |||
return False | ||||
Matt Mackall
|
r8144 | return default | ||
Dirkjan Ochtman
|
r10243 | if isinstance(v, bool): | ||
return v | ||||
Yuya Nishihara
|
r37102 | b = stringutil.parsebool(v) | ||
Augie Fackler
|
r12087 | if b is None: | ||
Sune Foldager
|
r14171 | raise error.ConfigError(_("%s.%s is not a boolean ('%s')") | ||
Matt Mackall
|
r8144 | % (section, name, v)) | ||
Augie Fackler
|
r12087 | return b | ||
Alexis S. L. Carvalho
|
r3552 | |||
r32960 | def configwith(self, convert, section, name, default=_unset, | |||
Bryan O'Sullivan
|
r30926 | desc=None, untrusted=False): | ||
"""parse a configuration element with a conversion function | ||||
Yuya Nishihara
|
r34133 | >>> u = ui(); s = b'foo' | ||
>>> u.setconfig(s, b'float1', b'42') | ||||
>>> u.configwith(float, s, b'float1') | ||||
Bryan O'Sullivan
|
r30926 | 42.0 | ||
Yuya Nishihara
|
r34133 | >>> u.setconfig(s, b'float2', b'-4.25') | ||
>>> u.configwith(float, s, b'float2') | ||||
Jun Wu
|
r30932 | -4.25 | ||
Yuya Nishihara
|
r34133 | >>> u.configwith(float, s, b'unknown', 7) | ||
r32960 | 7.0 | |||
Yuya Nishihara
|
r34133 | >>> u.setconfig(s, b'invalid', b'somevalue') | ||
>>> u.configwith(float, s, b'invalid') | ||||
Bryan O'Sullivan
|
r30926 | Traceback (most recent call last): | ||
... | ||||
ConfigError: foo.invalid is not a valid float ('somevalue') | ||||
Yuya Nishihara
|
r34133 | >>> u.configwith(float, s, b'invalid', desc=b'womble') | ||
Bryan O'Sullivan
|
r30926 | Traceback (most recent call last): | ||
... | ||||
ConfigError: foo.invalid is not a valid womble ('somevalue') | ||||
""" | ||||
r32960 | v = self.config(section, name, default, untrusted) | |||
Bryan O'Sullivan
|
r30926 | if v is None: | ||
r32960 | return v # do not attempt to convert None | |||
Bryan O'Sullivan
|
r30926 | try: | ||
return convert(v) | ||||
Boris Feld
|
r32462 | except (ValueError, error.ParseError): | ||
Bryan O'Sullivan
|
r30926 | if desc is None: | ||
Yuya Nishihara
|
r34205 | desc = pycompat.sysbytes(convert.__name__) | ||
Bryan O'Sullivan
|
r30926 | raise error.ConfigError(_("%s.%s is not a valid %s ('%s')") | ||
% (section, name, desc, v)) | ||||
r32961 | def configint(self, section, name, default=_unset, untrusted=False): | |||
Sune Foldager
|
r14171 | """parse a configuration element as an integer | ||
Yuya Nishihara
|
r34133 | >>> u = ui(); s = b'foo' | ||
>>> u.setconfig(s, b'int1', b'42') | ||||
>>> u.configint(s, b'int1') | ||||
Sune Foldager
|
r14171 | 42 | ||
Yuya Nishihara
|
r34133 | >>> u.setconfig(s, b'int2', b'-42') | ||
>>> u.configint(s, b'int2') | ||||
Sune Foldager
|
r14171 | -42 | ||
Yuya Nishihara
|
r34133 | >>> u.configint(s, b'unknown', 7) | ||
Sune Foldager
|
r14171 | 7 | ||
Yuya Nishihara
|
r34133 | >>> u.setconfig(s, b'invalid', b'somevalue') | ||
>>> u.configint(s, b'invalid') | ||||
Sune Foldager
|
r14171 | Traceback (most recent call last): | ||
... | ||||
Bryan O'Sullivan
|
r30927 | ConfigError: foo.invalid is not a valid integer ('somevalue') | ||
Sune Foldager
|
r14171 | """ | ||
Bryan O'Sullivan
|
r30927 | return self.configwith(int, section, name, default, 'integer', | ||
untrusted) | ||||
Sune Foldager
|
r14171 | |||
r32962 | def configbytes(self, section, name, default=_unset, untrusted=False): | |||
Bryan O'Sullivan
|
r19065 | """parse a configuration element as a quantity in bytes | ||
Units can be specified as b (bytes), k or kb (kilobytes), m or | ||||
mb (megabytes), g or gb (gigabytes). | ||||
Yuya Nishihara
|
r34133 | >>> u = ui(); s = b'foo' | ||
>>> u.setconfig(s, b'val1', b'42') | ||||
>>> u.configbytes(s, b'val1') | ||||
Bryan O'Sullivan
|
r19065 | 42 | ||
Yuya Nishihara
|
r34133 | >>> u.setconfig(s, b'val2', b'42.5 kb') | ||
>>> u.configbytes(s, b'val2') | ||||
Bryan O'Sullivan
|
r19065 | 43520 | ||
Yuya Nishihara
|
r34133 | >>> u.configbytes(s, b'unknown', b'7 MB') | ||
Bryan O'Sullivan
|
r19065 | 7340032 | ||
Yuya Nishihara
|
r34133 | >>> u.setconfig(s, b'invalid', b'somevalue') | ||
>>> u.configbytes(s, b'invalid') | ||||
Bryan O'Sullivan
|
r19065 | Traceback (most recent call last): | ||
... | ||||
ConfigError: foo.invalid is not a byte quantity ('somevalue') | ||||
""" | ||||
r33060 | value = self._config(section, name, default, untrusted) | |||
if value is _unset: | ||||
r32962 | if default is _unset: | |||
default = 0 | ||||
Bryan O'Sullivan
|
r19195 | value = default | ||
Augie Fackler
|
r33586 | if not isinstance(value, bytes): | ||
r32962 | return value | |||
Bryan O'Sullivan
|
r19065 | try: | ||
Bryan O'Sullivan
|
r19195 | return util.sizetoint(value) | ||
except error.ParseError: | ||||
Bryan O'Sullivan
|
r19065 | raise error.ConfigError(_("%s.%s is not a byte quantity ('%s')") | ||
Bryan O'Sullivan
|
r19195 | % (section, name, value)) | ||
Bryan O'Sullivan
|
r19065 | |||
r32963 | def configlist(self, section, name, default=_unset, untrusted=False): | |||
Sune Foldager
|
r14171 | """parse a configuration element as a list of comma/space separated | ||
strings | ||||
Yuya Nishihara
|
r34133 | >>> u = ui(); s = b'foo' | ||
>>> u.setconfig(s, b'list1', b'this,is "a small" ,test') | ||||
>>> u.configlist(s, b'list1') | ||||
Sune Foldager
|
r14171 | ['this', 'is', 'a small', 'test'] | ||
Augie Fackler
|
r34958 | >>> u.setconfig(s, b'list2', b'this, is "a small" , test ') | ||
>>> u.configlist(s, b'list2') | ||||
['this', 'is', 'a small', 'test'] | ||||
Sune Foldager
|
r14171 | """ | ||
Jun Wu
|
r31481 | # default is not always a list | ||
r32963 | v = self.configwith(config.parselist, section, name, default, | |||
Jun Wu
|
r31481 | 'list', untrusted) | ||
r32963 | if isinstance(v, bytes): | |||
return config.parselist(v) | ||||
elif v is None: | ||||
return [] | ||||
return v | ||||
Thomas Arendsen Hein
|
r2499 | |||
r32964 | def configdate(self, section, name, default=_unset, untrusted=False): | |||
Boris Feld
|
r32408 | """parse a configuration element as a tuple of ints | ||
Yuya Nishihara
|
r34133 | >>> u = ui(); s = b'foo' | ||
>>> u.setconfig(s, b'date', b'0 0') | ||||
>>> u.configdate(s, b'date') | ||||
Boris Feld
|
r32408 | (0, 0) | ||
""" | ||||
if self.config(section, name, default, untrusted): | ||||
Boris Feld
|
r36625 | return self.configwith(dateutil.parsedate, section, name, default, | ||
Boris Feld
|
r32408 | 'date', untrusted) | ||
r32964 | if default is _unset: | |||
return None | ||||
Boris Feld
|
r32408 | return default | ||
Navaneeth Suresh
|
r42899 | def configdefault(self, section, name): | ||
"""returns the default value of the config item""" | ||||
item = self._knownconfig.get(section, {}).get(name) | ||||
itemdefault = None | ||||
if item is not None: | ||||
if callable(item.default): | ||||
itemdefault = item.default() | ||||
else: | ||||
itemdefault = item.default | ||||
return itemdefault | ||||
Bryan O'Sullivan
|
r27696 | def hasconfig(self, section, name, untrusted=False): | ||
return self._data(untrusted).hasitem(section, name) | ||||
Bryan O'Sullivan
|
r4487 | def has_section(self, section, untrusted=False): | ||
Vadim Gelfer
|
r2343 | '''tell whether section exists in config.''' | ||
Matt Mackall
|
r8199 | return section in self._data(untrusted) | ||
Alexis S. L. Carvalho
|
r3552 | |||
Gregory Szorc
|
r27253 | def configitems(self, section, untrusted=False, ignoresub=False): | ||
Matt Mackall
|
r8199 | items = self._data(untrusted).items(section) | ||
Gregory Szorc
|
r27253 | if ignoresub: | ||
Rodrigo Damazio
|
r37152 | items = [i for i in items if ':' not in i[0]] | ||
Matt Mackall
|
r8204 | if self.debugflag and not untrusted and self._reportuntrusted: | ||
Dirkjan Ochtman
|
r8222 | for k, v in self._ucfg.items(section): | ||
Matt Mackall
|
r8203 | if self._tcfg.get(section, k) != v: | ||
David Soria Parra
|
r14708 | self.debug("ignoring untrusted configuration option " | ||
"%s.%s = %s\n" % (section, k, v)) | ||||
Matt Mackall
|
r8144 | return items | ||
mpm@selenic.com
|
r285 | |||
Alexis S. L. Carvalho
|
r3552 | def walkconfig(self, untrusted=False): | ||
Matt Mackall
|
r8203 | cfg = self._data(untrusted) | ||
for section in cfg.sections(): | ||||
Alexis S. L. Carvalho
|
r3552 | for name, value in self.configitems(section, untrusted): | ||
Martin Geisler
|
r13576 | yield section, name, value | ||
Bryan O'Sullivan
|
r1028 | |||
"Yann E. MORIN"
|
r14372 | def plain(self, feature=None): | ||
Dan Villiom Podlaski Christiansen
|
r11325 | '''is plain mode active? | ||
Brodie Rao
|
r13849 | Plain mode means that all configuration variables which affect | ||
the behavior and output of Mercurial should be | ||||
ignored. Additionally, the output should be stable, | ||||
reproducible and suitable for use in scripts or applications. | ||||
The only way to trigger plain mode is by setting either the | ||||
`HGPLAIN' or `HGPLAINEXCEPT' environment variables. | ||||
Dan Villiom Podlaski Christiansen
|
r11325 | |||
"Yann E. MORIN"
|
r14372 | The return value can either be | ||
- False if HGPLAIN is not set, or feature is in HGPLAINEXCEPT | ||||
Yuya Nishihara
|
r35180 | - False if feature is disabled by default and not included in HGPLAIN | ||
"Yann E. MORIN"
|
r14372 | - True otherwise | ||
Dan Villiom Podlaski Christiansen
|
r11325 | ''' | ||
Pulkit Goyal
|
r30277 | if ('HGPLAIN' not in encoding.environ and | ||
'HGPLAINEXCEPT' not in encoding.environ): | ||||
Brodie Rao
|
r13849 | return False | ||
Pulkit Goyal
|
r30277 | exceptions = encoding.environ.get('HGPLAINEXCEPT', | ||
'').strip().split(',') | ||||
Yuya Nishihara
|
r35180 | # TODO: add support for HGPLAIN=+feature,-feature syntax | ||
if '+strictflags' not in encoding.environ.get('HGPLAIN', '').split(','): | ||||
exceptions.append('strictflags') | ||||
"Yann E. MORIN"
|
r14372 | if feature and exceptions: | ||
return feature not in exceptions | ||||
return True | ||||
Brodie Rao
|
r10455 | |||
Boris Feld
|
r34850 | def username(self, acceptempty=False): | ||
Thomas Arendsen Hein
|
r1985 | """Return default username to be used in commits. | ||
Searched in this order: $HGUSER, [ui] section of hgrcs, $EMAIL | ||||
and stop searching if one of these is set. | ||||
Boris Feld
|
r34850 | If not found and acceptempty is True, returns None. | ||
Benoit Boissinot
|
r6862 | If not found and ui.askusername is True, ask the user, else use | ||
($LOGNAME or $USER or $LNAME or $USERNAME) + "@full.hostname". | ||||
Boris Feld
|
r34850 | If no username could be found, raise an Abort error. | ||
Thomas Arendsen Hein
|
r1985 | """ | ||
Pulkit Goyal
|
r30277 | user = encoding.environ.get("HGUSER") | ||
Thomas Arendsen Hein
|
r1985 | if user is None: | ||
David Demelier
|
r33329 | user = self.config("ui", "username") | ||
Chad Dombrova
|
r11225 | if user is not None: | ||
user = os.path.expandvars(user) | ||||
Thomas Arendsen Hein
|
r1985 | if user is None: | ||
Pulkit Goyal
|
r30277 | user = encoding.environ.get("EMAIL") | ||
Boris Feld
|
r34850 | if user is None and acceptempty: | ||
return user | ||||
Benoit Boissinot
|
r6862 | if user is None and self.configbool("ui", "askusername"): | ||
Martin Geisler
|
r7600 | user = self.prompt(_("enter a commit username:"), default=None) | ||
Martin Geisler
|
r9613 | if user is None and not self.interactive(): | ||
Benoit Boissinot
|
r3721 | try: | ||
Yuya Nishihara
|
r37138 | user = '%s@%s' % (procutil.getuser(), | ||
Yuya Nishihara
|
r36802 | encoding.strtolocal(socket.getfqdn())) | ||
Martin Geisler
|
r16940 | self.warn(_("no username found, using '%s' instead\n") % user) | ||
Benoit Boissinot
|
r3721 | except KeyError: | ||
Thomas Arendsen Hein
|
r4044 | pass | ||
if not user: | ||||
Pierre-Yves David
|
r26587 | raise error.Abort(_('no username supplied'), | ||
timeless
|
r28962 | hint=_("use 'hg config --edit' " | ||
Matt Mackall
|
r20580 | 'to set your username')) | ||
Matt Mackall
|
r6351 | if "\n" in user: | ||
Pulkit Goyal
|
r36246 | raise error.Abort(_("username %r contains a newline\n") | ||
% pycompat.bytestr(user)) | ||||
Thomas Arendsen Hein
|
r1985 | return user | ||
Matt Mackall
|
r608 | |||
Thomas Arendsen Hein
|
r1129 | def shortuser(self, user): | ||
"""Return a short representation of a user name or email address.""" | ||||
Matt Mackall
|
r10282 | if not self.verbose: | ||
Yuya Nishihara
|
r37102 | user = stringutil.shortuser(user) | ||
Thomas Arendsen Hein
|
r1129 | return user | ||
Vadim Gelfer
|
r2494 | def expandpath(self, loc, default=None): | ||
Thomas Arendsen Hein
|
r1892 | """Return repository location relative to cwd or from [paths]""" | ||
Gregory Szorc
|
r26189 | try: | ||
p = self.paths.getpath(loc) | ||||
if p: | ||||
return p.rawloc | ||||
except error.RepoError: | ||||
pass | ||||
if default: | ||||
try: | ||||
p = self.paths.getpath(default) | ||||
if p: | ||||
return p.rawloc | ||||
except error.RepoError: | ||||
pass | ||||
Gregory Szorc
|
r24250 | return loc | ||
@util.propertycache | ||||
def paths(self): | ||||
return paths(self) | ||||
mpm@selenic.com
|
r506 | |||
Yuya Nishihara
|
r40579 | @property | ||
def fout(self): | ||||
return self._fout | ||||
@fout.setter | ||||
def fout(self, f): | ||||
self._fout = f | ||||
Yuya Nishihara
|
r40580 | self._fmsgout, self._fmsgerr = _selectmsgdests(self) | ||
Yuya Nishihara
|
r40579 | |||
@property | ||||
def ferr(self): | ||||
return self._ferr | ||||
@ferr.setter | ||||
def ferr(self, f): | ||||
self._ferr = f | ||||
Yuya Nishihara
|
r40580 | self._fmsgout, self._fmsgerr = _selectmsgdests(self) | ||
Yuya Nishihara
|
r40579 | |||
@property | ||||
def fin(self): | ||||
return self._fin | ||||
@fin.setter | ||||
def fin(self, f): | ||||
self._fin = f | ||||
Yuya Nishihara
|
r40623 | @property | ||
def fmsg(self): | ||||
"""Stream dedicated for status/error messages; may be None if | ||||
fout/ferr are used""" | ||||
return self._fmsg | ||||
@fmsg.setter | ||||
def fmsg(self, f): | ||||
self._fmsg = f | ||||
self._fmsgout, self._fmsgerr = _selectmsgdests(self) | ||||
Gregory Szorc
|
r27106 | def pushbuffer(self, error=False, subproc=False, labeled=False): | ||
Mads Kiilerich
|
r23139 | """install a buffer to capture standard output of the ui object | ||
Pierre-Yves David
|
r21132 | |||
Pierre-Yves David
|
r24848 | If error is True, the error output will be captured too. | ||
If subproc is True, output from subprocesses (typically hooks) will be | ||||
Gregory Szorc
|
r27106 | captured too. | ||
Brodie Rao
|
r10815 | |||
If labeled is True, any labels associated with buffered | ||||
output will be handled. By default, this has no effect | ||||
on the output returned, but extensions and GUI tools may | ||||
handle this argument and returned styled output. If output | ||||
is being buffered so it can be captured and parsed or | ||||
processed, labeled should not be set to True. | ||||
Gregory Szorc
|
r27106 | """ | ||
Matt Mackall
|
r8202 | self._buffers.append([]) | ||
Gregory Szorc
|
r27106 | self._bufferstates.append((error, subproc, labeled)) | ||
self._bufferapplylabels = labeled | ||||
Matt Mackall
|
r3737 | |||
Gregory Szorc
|
r27109 | def popbuffer(self): | ||
'''pop the last buffer and return the buffered output''' | ||||
Pierre-Yves David
|
r21132 | self._bufferstates.pop() | ||
Gregory Szorc
|
r27106 | if self._bufferstates: | ||
self._bufferapplylabels = self._bufferstates[-1][2] | ||||
else: | ||||
self._bufferapplylabels = None | ||||
Matt Mackall
|
r8202 | return "".join(self._buffers.pop()) | ||
Matt Mackall
|
r3737 | |||
Yuya Nishihara
|
r40577 | def _isbuffered(self, dest): | ||
Yuya Nishihara
|
r40579 | if dest is self._fout: | ||
Yuya Nishihara
|
r40577 | return bool(self._buffers) | ||
Yuya Nishihara
|
r40579 | if dest is self._ferr: | ||
Yuya Nishihara
|
r40577 | return bool(self._bufferstates and self._bufferstates[-1][0]) | ||
return False | ||||
Joerg Sonnenberger
|
r35979 | def canwritewithoutlabels(self): | ||
'''check if write skips the label''' | ||||
if self._buffers and not self._bufferapplylabels: | ||||
return True | ||||
return self._colormode is None | ||||
def canbatchlabeledwrites(self): | ||||
'''check if write calls with labels are batchable''' | ||||
# Windows color printing is special, see ``write``. | ||||
return self._colormode != 'win32' | ||||
Brodie Rao
|
r10815 | def write(self, *args, **opts): | ||
'''write args to output | ||||
Pierre-Yves David
|
r31091 | By default, this method simply writes to the buffer or stdout. | ||
Color mode can be set on the UI class to have the output decorated | ||||
with color modifier before being written to stdout. | ||||
Brodie Rao
|
r10815 | |||
Pierre-Yves David
|
r31091 | The color used is controlled by an optional keyword argument, "label". | ||
This should be a string containing label names separated by space. | ||||
Label names take the form of "topic.type". For example, ui.debug() | ||||
issues a label of "ui.debug". | ||||
Brodie Rao
|
r10815 | |||
When labeling output for a specific command, a label of | ||||
"cmdname.type" is recommended. For example, status issues | ||||
a label of "status.modified" for modified files. | ||||
''' | ||||
Yuya Nishihara
|
r41376 | dest = self._fout | ||
# inlined _write() for speed | ||||
Yuya Nishihara
|
r41378 | if self._buffers: | ||
Yuya Nishihara
|
r41376 | label = opts.get(r'label', '') | ||
if label and self._bufferapplylabels: | ||||
self._buffers[-1].extend(self.label(a, label) for a in args) | ||||
else: | ||||
self._buffers[-1].extend(args) | ||||
Yuya Nishihara
|
r41377 | return | ||
# inliend _writenobuf() for speed | ||||
self._progclear() | ||||
msg = b''.join(args) | ||||
# opencode timeblockedsection because this is a critical path | ||||
starttime = util.timer() | ||||
try: | ||||
Yuya Nishihara
|
r41378 | if self._colormode == 'win32': | ||
Yuya Nishihara
|
r41377 | # windows color printing is its own can of crab, defer to | ||
# the color module and that is it. | ||||
color.win32print(self, dest.write, msg, **opts) | ||||
else: | ||||
if self._colormode is not None: | ||||
label = opts.get(r'label', '') | ||||
msg = self.label(msg, label) | ||||
dest.write(msg) | ||||
except IOError as err: | ||||
raise error.StdioError(err) | ||||
finally: | ||||
Augie Fackler
|
r41925 | self._blockedtimes['stdio_blocked'] += ( | ||
(util.timer() - starttime) * 1000) | ||||
Yuya Nishihara
|
r40577 | |||
def write_err(self, *args, **opts): | ||||
Yuya Nishihara
|
r40579 | self._write(self._ferr, *args, **opts) | ||
Yuya Nishihara
|
r40577 | |||
def _write(self, dest, *args, **opts): | ||||
Yuya Nishihara
|
r41376 | # update write() as well if you touch this code | ||
Yuya Nishihara
|
r40577 | if self._isbuffered(dest): | ||
Yuya Nishihara
|
r41375 | label = opts.get(r'label', '') | ||
if label and self._bufferapplylabels: | ||||
Pierre-Yves David
|
r31091 | self._buffers[-1].extend(self.label(a, label) for a in args) | ||
else: | ||||
self._buffers[-1].extend(args) | ||||
Yuya Nishihara
|
r35975 | else: | ||
Yuya Nishihara
|
r40577 | self._writenobuf(dest, *args, **opts) | ||
Yuya Nishihara
|
r35975 | |||
Yuya Nishihara
|
r40574 | def _writenobuf(self, dest, *args, **opts): | ||
Yuya Nishihara
|
r41377 | # update write() as well if you touch this code | ||
Yuya Nishihara
|
r40554 | self._progclear() | ||
Yuya Nishihara
|
r40557 | msg = b''.join(args) | ||
Pierre-Yves David
|
r31090 | |||
Yuya Nishihara
|
r31128 | # opencode timeblockedsection because this is a critical path | ||
starttime = util.timer() | ||||
try: | ||||
Yuya Nishihara
|
r40579 | if dest is self._ferr and not getattr(self._fout, 'closed', False): | ||
self._fout.flush() | ||||
Yuya Nishihara
|
r40625 | if getattr(dest, 'structured', False): | ||
# channel for machine-readable output with metadata, where | ||||
# no extra colorization is necessary. | ||||
dest.write(msg, **opts) | ||||
elif self._colormode == 'win32': | ||||
Yuya Nishihara
|
r40558 | # windows color printing is its own can of crab, defer to | ||
# the color module and that is it. | ||||
Yuya Nishihara
|
r40576 | color.win32print(self, dest.write, msg, **opts) | ||
Yuya Nishihara
|
r40558 | else: | ||
if self._colormode is not None: | ||||
label = opts.get(r'label', '') | ||||
msg = self.label(msg, label) | ||||
Yuya Nishihara
|
r40576 | dest.write(msg) | ||
Yuya Nishihara
|
r40575 | # stderr may be buffered under win32 when redirected to files, | ||
# including stdout. | ||||
Yuya Nishihara
|
r40579 | if dest is self._ferr and not getattr(self._ferr, 'closed', False): | ||
Yuya Nishihara
|
r40575 | dest.flush() | ||
Bryan O'Sullivan
|
r31961 | except IOError as err: | ||
Yuya Nishihara
|
r40579 | if (dest is self._ferr | ||
Yuya Nishihara
|
r40575 | and err.errno in (errno.EPIPE, errno.EIO, errno.EBADF)): | ||
# no way to report the error, so ignore it | ||||
return | ||||
Bryan O'Sullivan
|
r31961 | raise error.StdioError(err) | ||
Yuya Nishihara
|
r31128 | finally: | ||
Augie Fackler
|
r41925 | self._blockedtimes['stdio_blocked'] += ( | ||
(util.timer() - starttime) * 1000) | ||||
mpm@selenic.com
|
r565 | |||
Yuya Nishihara
|
r40626 | def _writemsg(self, dest, *args, **opts): | ||
_writemsgwith(self._write, dest, *args, **opts) | ||||
def _writemsgnobuf(self, dest, *args, **opts): | ||||
_writemsgwith(self._writenobuf, dest, *args, **opts) | ||||
Vadim Gelfer
|
r1837 | def flush(self): | ||
Simon Farnsworth
|
r30978 | # opencode timeblockedsection because this is a critical path | ||
starttime = util.timer() | ||||
try: | ||||
Bryan O'Sullivan
|
r31963 | try: | ||
Yuya Nishihara
|
r40579 | self._fout.flush() | ||
Bryan O'Sullivan
|
r31963 | except IOError as err: | ||
Gregory Szorc
|
r33859 | if err.errno not in (errno.EPIPE, errno.EIO, errno.EBADF): | ||
raise error.StdioError(err) | ||||
Bryan O'Sullivan
|
r31963 | finally: | ||
try: | ||||
Yuya Nishihara
|
r40579 | self._ferr.flush() | ||
Bryan O'Sullivan
|
r31963 | except IOError as err: | ||
Gregory Szorc
|
r33859 | if err.errno not in (errno.EPIPE, errno.EIO, errno.EBADF): | ||
raise error.StdioError(err) | ||||
Simon Farnsworth
|
r30978 | finally: | ||
Augie Fackler
|
r41925 | self._blockedtimes['stdio_blocked'] += ( | ||
(util.timer() - starttime) * 1000) | ||||
Vadim Gelfer
|
r1837 | |||
Matt Mackall
|
r16751 | def _isatty(self, fh): | ||
Jun Wu
|
r33499 | if self.configbool('ui', 'nontty'): | ||
Matt Mackall
|
r16751 | return False | ||
Yuya Nishihara
|
r37138 | return procutil.isatty(fh) | ||
Vadim Gelfer
|
r1837 | |||
Yuya Nishihara
|
r41321 | def protectfinout(self): | ||
"""Duplicate ui streams and redirect original if they are stdio | ||||
Returns (fin, fout) which point to the original ui fds, but may be | ||||
copy of them. The returned streams can be considered "owned" in that | ||||
print(), exec(), etc. never reach to them. | ||||
""" | ||||
if self._finoutredirected: | ||||
# if already redirected, protectstdio() would just create another | ||||
# nullfd pair, which is equivalent to returning self._fin/_fout. | ||||
return self._fin, self._fout | ||||
fin, fout = procutil.protectstdio(self._fin, self._fout) | ||||
self._finoutredirected = (fin, fout) != (self._fin, self._fout) | ||||
return fin, fout | ||||
def restorefinout(self, fin, fout): | ||||
"""Restore ui streams from possibly duplicated (fin, fout)""" | ||||
if (fin, fout) == (self._fin, self._fout): | ||||
return | ||||
procutil.restorestdio(self._fin, self._fout, fin, fout) | ||||
# protectfinout() won't create more than one duplicated streams, | ||||
# so we can just turn the redirection flag off. | ||||
self._finoutredirected = False | ||||
Yuya Nishihara
|
r41320 | @contextlib.contextmanager | ||
def protectedfinout(self): | ||||
"""Run code block with protected standard streams""" | ||||
Yuya Nishihara
|
r41321 | fin, fout = self.protectfinout() | ||
Yuya Nishihara
|
r41320 | try: | ||
yield fin, fout | ||||
finally: | ||||
Yuya Nishihara
|
r41321 | self.restorefinout(fin, fout) | ||
Yuya Nishihara
|
r41320 | |||
Augie Fackler
|
r31026 | def disablepager(self): | ||
self._disablepager = True | ||||
Augie Fackler
|
r30994 | |||
Augie Fackler
|
r30992 | def pager(self, command): | ||
"""Start a pager for subsequent command output. | ||||
Commands which produce a long stream of output should call | ||||
this function to activate the user's preferred pagination | ||||
mechanism (which may be no pager). Calling this function | ||||
precludes any future use of interactive functionality, such as | ||||
prompting the user or activating curses. | ||||
Args: | ||||
command: The full, non-aliased name of the command. That is, "log" | ||||
not "history, "summary" not "summ", etc. | ||||
""" | ||||
Augie Fackler
|
r31026 | if (self._disablepager | ||
FUJIWARA Katsunori
|
r33622 | or self.pageractive): | ||
# how pager should do is already determined | ||||
return | ||||
if not command.startswith('internal-always-') and ( | ||||
# explicit --pager=on (= 'internal-always-' prefix) should | ||||
# take precedence over disabling factors below | ||||
command in self.configlist('pager', 'ignore') | ||||
Jun Wu
|
r33499 | or not self.configbool('ui', 'paginate') | ||
Augie Fackler
|
r30997 | or not self.configbool('pager', 'attend-' + command, True) | ||
Valentin Gatien-Baron
|
r39349 | or encoding.environ.get('TERM') == 'dumb' | ||
Augie Fackler
|
r30992 | # TODO: if we want to allow HGPLAINEXCEPT=pager, | ||
# formatted() will need some adjustment. | ||||
or not self.formatted() | ||||
or self.plain() | ||||
Jun Wu
|
r34023 | or self._buffers | ||
Augie Fackler
|
r30992 | # TODO: expose debugger-enabled on the UI object | ||
Augie Fackler
|
r31341 | or '--debugger' in pycompat.sysargv): | ||
Augie Fackler
|
r30992 | # We only want to paginate if the ui appears to be | ||
# interactive, the user didn't say HGPLAIN or | ||||
# HGPLAINEXCEPT=pager, and the user didn't specify --debug. | ||||
return | ||||
Yuya Nishihara
|
r32078 | pagercmd = self.config('pager', 'pager', rcutil.fallbackpager) | ||
Yuya Nishihara
|
r31079 | if not pagercmd: | ||
return | ||||
Jun Wu
|
r31954 | pagerenv = {} | ||
for name, value in rcutil.defaultpagerenv().items(): | ||||
if name not in encoding.environ: | ||||
pagerenv[name] = value | ||||
Pulkit Goyal
|
r40262 | self.debug('starting pager for command %s\n' % | ||
stringutil.pprint(command)) | ||||
Yuya Nishihara
|
r31490 | self.flush() | ||
Matt Harbison
|
r31690 | |||
wasformatted = self.formatted() | ||||
Augie Fackler
|
r30992 | if util.safehasattr(signal, "SIGPIPE"): | ||
signal.signal(signal.SIGPIPE, _catchterm) | ||||
Jun Wu
|
r31954 | if self._runpager(pagercmd, pagerenv): | ||
Matt Harbison
|
r31690 | self.pageractive = True | ||
# Preserve the formatted-ness of the UI. This is important | ||||
# because we mess with stdout, which might confuse | ||||
# auto-detection of things being formatted. | ||||
self.setconfig('ui', 'formatted', wasformatted, 'pager') | ||||
self.setconfig('ui', 'interactive', False, 'pager') | ||||
Matt Harbison
|
r31691 | |||
# If pagermode differs from color.mode, reconfigure color now that | ||||
# pageractive is set. | ||||
cm = self._colormode | ||||
if cm != self.config('color', 'pagermode', cm): | ||||
color.setup(self) | ||||
Matt Harbison
|
r31690 | else: | ||
# If the pager can't be spawned in dispatch when --pager=on is | ||||
# given, don't try again when the command runs, to avoid a duplicate | ||||
# warning about a missing pager command. | ||||
self.disablepager() | ||||
Augie Fackler
|
r30992 | |||
Jun Wu
|
r31954 | def _runpager(self, command, env=None): | ||
Augie Fackler
|
r30992 | """Actually start the pager and set up file descriptors. | ||
This is separate in part so that extensions (like chg) can | ||||
override how a pager is invoked. | ||||
""" | ||||
Augie Fackler
|
r31479 | if command == 'cat': | ||
# Save ourselves some work. | ||||
Matt Harbison
|
r31690 | return False | ||
Augie Fackler
|
r31478 | # If the command doesn't contain any of these characters, we | ||
# assume it's a binary and exec it directly. This means for | ||||
# simple pager command configurations, we can degrade | ||||
# gracefully and tell the user about their broken pager. | ||||
shell = any(c in command for c in "|&;<>()$`\\\"' \t\n*?[#~=%") | ||||
Matt Harbison
|
r31624 | |||
Jun Wu
|
r34646 | if pycompat.iswindows and not shell: | ||
Matt Harbison
|
r31624 | # Window's built-in `more` cannot be invoked with shell=False, but | ||
# its `more.com` can. Hide this implementation detail from the | ||||
# user so we can also get sane bad PAGER behavior. MSYS has | ||||
# `more.exe`, so do a cmd.exe style resolution of the executable to | ||||
# determine which one to use. | ||||
Yuya Nishihara
|
r37138 | fullcmd = procutil.findexe(command) | ||
Matt Harbison
|
r31624 | if not fullcmd: | ||
self.warn(_("missing pager command '%s', skipping pager\n") | ||||
% command) | ||||
Matt Harbison
|
r31690 | return False | ||
Matt Harbison
|
r31624 | |||
command = fullcmd | ||||
Augie Fackler
|
r31478 | try: | ||
pager = subprocess.Popen( | ||||
Matt Harbison
|
r39698 | procutil.tonativestr(command), shell=shell, bufsize=-1, | ||
Yuya Nishihara
|
r37138 | close_fds=procutil.closefds, stdin=subprocess.PIPE, | ||
Yuya Nishihara
|
r37137 | stdout=procutil.stdout, stderr=procutil.stderr, | ||
Matt Harbison
|
r39698 | env=procutil.tonativeenv(procutil.shellenviron(env))) | ||
Augie Fackler
|
r31478 | except OSError as e: | ||
if e.errno == errno.ENOENT and not shell: | ||||
self.warn(_("missing pager command '%s', skipping pager\n") | ||||
% command) | ||||
Matt Harbison
|
r31690 | return False | ||
Augie Fackler
|
r31478 | raise | ||
Augie Fackler
|
r30992 | |||
# back up original file descriptors | ||||
Yuya Nishihara
|
r37137 | stdoutfd = os.dup(procutil.stdout.fileno()) | ||
stderrfd = os.dup(procutil.stderr.fileno()) | ||||
Augie Fackler
|
r30992 | |||
Yuya Nishihara
|
r37137 | os.dup2(pager.stdin.fileno(), procutil.stdout.fileno()) | ||
if self._isatty(procutil.stderr): | ||||
os.dup2(pager.stdin.fileno(), procutil.stderr.fileno()) | ||||
Augie Fackler
|
r30992 | |||
Bryan O'Sullivan
|
r31958 | @self.atexit | ||
Augie Fackler
|
r30992 | def killpager(): | ||
if util.safehasattr(signal, "SIGINT"): | ||||
signal.signal(signal.SIGINT, signal.SIG_IGN) | ||||
# restore original fds, closing pager.stdin copies in the process | ||||
Yuya Nishihara
|
r37137 | os.dup2(stdoutfd, procutil.stdout.fileno()) | ||
os.dup2(stderrfd, procutil.stderr.fileno()) | ||||
Augie Fackler
|
r30992 | pager.stdin.close() | ||
pager.wait() | ||||
Matt Harbison
|
r31690 | return True | ||
Saurabh Singh
|
r34883 | @property | ||
def _exithandlers(self): | ||||
return _reqexithandlers | ||||
Bryan O'Sullivan
|
r31956 | def atexit(self, func, *args, **kwargs): | ||
'''register a function to run after dispatching a request | ||||
Handlers do not stay registered across request boundaries.''' | ||||
self._exithandlers.append((func, args, kwargs)) | ||||
return func | ||||
Simon Farnsworth
|
r28542 | def interface(self, feature): | ||
"""what interface to use for interactive console features? | ||||
The interface is controlled by the value of `ui.interface` but also by | ||||
the value of feature-specific configuration. For example: | ||||
ui.interface.histedit = text | ||||
ui.interface.chunkselector = curses | ||||
Here the features are "histedit" and "chunkselector". | ||||
The configuration above means that the default interfaces for commands | ||||
is curses, the interface for histedit is text and the interface for | ||||
selecting chunk is crecord (the best curses interface available). | ||||
Mads Kiilerich
|
r30332 | Consider the following example: | ||
Simon Farnsworth
|
r28542 | ui.interface = curses | ||
ui.interface.histedit = text | ||||
Then histedit will use the text interface and chunkselector will use | ||||
the default curses interface (crecord at the moment). | ||||
""" | ||||
alldefaults = frozenset(["text", "curses"]) | ||||
featureinterfaces = { | ||||
"chunkselector": [ | ||||
"text", | ||||
"curses", | ||||
Augie Fackler
|
r40638 | ], | ||
"histedit": [ | ||||
"text", | ||||
"curses", | ||||
], | ||||
Simon Farnsworth
|
r28542 | } | ||
# Feature-specific interface | ||||
if feature not in featureinterfaces.keys(): | ||||
# Programming error, not user error | ||||
raise ValueError("Unknown feature requested %s" % feature) | ||||
availableinterfaces = frozenset(featureinterfaces[feature]) | ||||
if alldefaults > availableinterfaces: | ||||
# Programming error, not user error. We need a use case to | ||||
# define the right thing to do here. | ||||
raise ValueError( | ||||
"Feature %s does not handle all default interfaces" % | ||||
feature) | ||||
Kyle Lippincott
|
r38749 | if self.plain() or encoding.environ.get('TERM') == 'dumb': | ||
Simon Farnsworth
|
r28542 | return "text" | ||
# Default interface for all the features | ||||
defaultinterface = "text" | ||||
Jun Wu
|
r33499 | i = self.config("ui", "interface") | ||
Simon Farnsworth
|
r28542 | if i in alldefaults: | ||
defaultinterface = i | ||||
choseninterface = defaultinterface | ||||
Boris Feld
|
r34617 | f = self.config("ui", "interface.%s" % feature) | ||
Simon Farnsworth
|
r28542 | if f in availableinterfaces: | ||
choseninterface = f | ||||
if i is not None and defaultinterface != i: | ||||
if f is not None: | ||||
self.warn(_("invalid value for ui.interface: %s\n") % | ||||
(i,)) | ||||
else: | ||||
self.warn(_("invalid value for ui.interface: %s (using %s)\n") % | ||||
(i, choseninterface)) | ||||
if f is not None and choseninterface != f: | ||||
self.warn(_("invalid value for ui.interface.%s: %s (using %s)\n") % | ||||
(feature, f, choseninterface)) | ||||
return choseninterface | ||||
Matt Mackall
|
r8208 | def interactive(self): | ||
Dan Villiom Podlaski Christiansen
|
r11325 | '''is interactive input allowed? | ||
An interactive session is a session where input can be reasonably read | ||||
from `sys.stdin'. If this function returns false, any attempt to read | ||||
from stdin should fail with an error, unless a sensible default has been | ||||
specified. | ||||
Interactiveness is triggered by the value of the `ui.interactive' | ||||
configuration variable or - if it is unset - when `sys.stdin' points | ||||
to a terminal device. | ||||
This function refers to input only; for output, see `ui.formatted()'. | ||||
''' | ||||
r33061 | i = self.configbool("ui", "interactive") | |||
Patrick Mezard
|
r8538 | if i is None: | ||
Idan Kamara
|
r14515 | # some environments replace stdin without implementing isatty | ||
# usually those are non-interactive | ||||
Yuya Nishihara
|
r40579 | return self._isatty(self._fin) | ||
Ronny Pfannschmidt
|
r10077 | |||
Patrick Mezard
|
r8538 | return i | ||
Matt Mackall
|
r8208 | |||
Augie Fackler
|
r12689 | def termwidth(self): | ||
'''how wide is the terminal in columns? | ||||
''' | ||||
Pulkit Goyal
|
r30277 | if 'COLUMNS' in encoding.environ: | ||
Augie Fackler
|
r12689 | try: | ||
Pulkit Goyal
|
r30277 | return int(encoding.environ['COLUMNS']) | ||
Augie Fackler
|
r12689 | except ValueError: | ||
pass | ||||
Yuya Nishihara
|
r30314 | return scmutil.termsize(self)[0] | ||
Augie Fackler
|
r12689 | |||
Dan Villiom Podlaski Christiansen
|
r11324 | def formatted(self): | ||
Dan Villiom Podlaski Christiansen
|
r11325 | '''should formatted output be used? | ||
It is often desirable to format the output to suite the output medium. | ||||
Examples of this are truncating long lines or colorizing messages. | ||||
However, this is not often not desirable when piping output into other | ||||
utilities, e.g. `grep'. | ||||
Formatted output is triggered by the value of the `ui.formatted' | ||||
configuration variable or - if it is unset - when `sys.stdout' points | ||||
to a terminal device. Please note that `ui.formatted' should be | ||||
considered an implementation detail; it is not intended for use outside | ||||
Mercurial or its extensions. | ||||
This function refers to output only; for input, see `ui.interactive()'. | ||||
This function always returns false when in plain mode, see `ui.plain()'. | ||||
''' | ||||
Dan Villiom Podlaski Christiansen
|
r11324 | if self.plain(): | ||
return False | ||||
Jun Wu
|
r33499 | i = self.configbool("ui", "formatted") | ||
Dan Villiom Podlaski Christiansen
|
r11324 | if i is None: | ||
Idan Kamara
|
r14515 | # some environments replace stdout without implementing isatty | ||
# usually those are non-interactive | ||||
Yuya Nishihara
|
r40579 | return self._isatty(self._fout) | ||
Dan Villiom Podlaski Christiansen
|
r11324 | |||
return i | ||||
Kyle Lippincott
|
r42288 | def _readline(self, prompt=' ', promptopts=None): | ||
Yuya Nishihara
|
r36813 | # Replacing stdin/stdout temporarily is a hard problem on Python 3 | ||
# because they have to be text streams with *no buffering*. Instead, | ||||
# we use rawinput() only if call_readline() will be invoked by | ||||
# PyOS_Readline(), so no I/O will be made at Python layer. | ||||
Yuya Nishihara
|
r40579 | usereadline = (self._isatty(self._fin) and self._isatty(self._fout) | ||
and procutil.isstdin(self._fin) | ||||
and procutil.isstdout(self._fout)) | ||||
Yuya Nishihara
|
r36812 | if usereadline: | ||
Bryan O'Sullivan
|
r5036 | try: | ||
# magically add command line editing support, where | ||||
# available | ||||
import readline | ||||
# force demandimport to really load the module | ||||
readline.read_history_file | ||||
Brendan Cully
|
r7496 | # windows sometimes raises something other than ImportError | ||
except Exception: | ||||
Yuya Nishihara
|
r36812 | usereadline = False | ||
Idan Kamara
|
r14614 | |||
Kyle Lippincott
|
r42288 | if self._colormode == 'win32' or not usereadline: | ||
if not promptopts: | ||||
promptopts = {} | ||||
self._writemsgnobuf(self._fmsgout, prompt, type='prompt', | ||||
**promptopts) | ||||
self.flush() | ||||
prompt = ' ' | ||||
else: | ||||
prompt = self.label(prompt, 'ui.prompt') + ' ' | ||||
Yuya Nishihara
|
r22291 | # prompt ' ' must exist; otherwise readline may delete entire line | ||
# - http://bugs.python.org/issue12833 | ||||
Simon Farnsworth
|
r30978 | with self.timeblockedsection('stdio'): | ||
Yuya Nishihara
|
r36813 | if usereadline: | ||
Kyle Lippincott
|
r42288 | line = encoding.strtolocal(pycompat.rawinput(prompt)) | ||
Yuya Nishihara
|
r36814 | # When stdin is in binary mode on Windows, it can cause | ||
# raw_input() to emit an extra trailing carriage return | ||||
if pycompat.oslinesep == b'\r\n' and line.endswith(b'\r'): | ||||
line = line[:-1] | ||||
Yuya Nishihara
|
r36813 | else: | ||
Kyle Lippincott
|
r42288 | self._fout.write(pycompat.bytestr(prompt)) | ||
Yuya Nishihara
|
r40579 | self._fout.flush() | ||
line = self._fin.readline() | ||||
Yuya Nishihara
|
r36813 | if not line: | ||
raise EOFError | ||||
Yuya Nishihara
|
r36852 | line = line.rstrip(pycompat.oslinesep) | ||
Idan Kamara
|
r14614 | |||
Steve Borho
|
r5613 | return line | ||
Bryan O'Sullivan
|
r5036 | |||
Simon Heimberg
|
r9048 | def prompt(self, msg, default="y"): | ||
"""Prompt user with msg, read response. | ||||
If ui is not interactive, the default is returned. | ||||
Kirill Smelkov
|
r5751 | """ | ||
Yuya Nishihara
|
r40628 | return self._prompt(msg, default=default) | ||
def _prompt(self, msg, **opts): | ||||
default = opts[r'default'] | ||||
Matt Mackall
|
r8208 | if not self.interactive(): | ||
Yuya Nishihara
|
r40628 | self._writemsg(self._fmsgout, msg, ' ', type='prompt', **opts) | ||
Yuya Nishihara
|
r40626 | self._writemsg(self._fmsgout, default or '', "\n", | ||
type='promptecho') | ||||
Peter Arrenbrecht
|
r7320 | return default | ||
Simon Heimberg
|
r9048 | try: | ||
Kyle Lippincott
|
r42288 | r = self._readline(prompt=msg, promptopts=opts) | ||
Simon Heimberg
|
r9048 | if not r: | ||
Mads Kiilerich
|
r22589 | r = default | ||
Yuya Nishihara
|
r23053 | if self.configbool('ui', 'promptecho'): | ||
Yuya Nishihara
|
r40626 | self._writemsg(self._fmsgout, r, "\n", type='promptecho') | ||
Simon Heimberg
|
r9048 | return r | ||
except EOFError: | ||||
Siddharth Agarwal
|
r26896 | raise error.ResponseExpected() | ||
Simon Heimberg
|
r9048 | |||
FUJIWARA Katsunori
|
r20265 | @staticmethod | ||
def extractchoices(prompt): | ||||
"""Extract prompt message and list of choices from specified prompt. | ||||
This returns tuple "(message, choices)", and "choices" is the | ||||
list of tuple "(response character, text without &)". | ||||
Matt Mackall
|
r27392 | |||
Yuya Nishihara
|
r34133 | >>> ui.extractchoices(b"awake? $$ &Yes $$ &No") | ||
Matt Mackall
|
r27392 | ('awake? ', [('y', 'Yes'), ('n', 'No')]) | ||
Yuya Nishihara
|
r34133 | >>> ui.extractchoices(b"line\\nbreak? $$ &Yes $$ &No") | ||
Matt Mackall
|
r27392 | ('line\\nbreak? ', [('y', 'Yes'), ('n', 'No')]) | ||
Yuya Nishihara
|
r34133 | >>> ui.extractchoices(b"want lots of $$money$$?$$Ye&s$$N&o") | ||
Matt Mackall
|
r27392 | ('want lots of $$money$$?', [('s', 'Yes'), ('o', 'No')]) | ||
FUJIWARA Katsunori
|
r20265 | """ | ||
Matt Mackall
|
r27392 | |||
# Sadly, the prompt string may have been built with a filename | ||||
# containing "$$" so let's try to find the first valid-looking | ||||
# prompt to start parsing. Sadly, we also can't rely on | ||||
# choices containing spaces, ASCII, or basically anything | ||||
# except an ampersand followed by a character. | ||||
Pulkit Goyal
|
r33096 | m = re.match(br'(?s)(.+?)\$\$([^\$]*&[^ \$].*)', prompt) | ||
Matt Mackall
|
r27392 | msg = m.group(1) | ||
choices = [p.strip(' ') for p in m.group(2).split('$$')] | ||||
Augie Fackler
|
r33680 | def choicetuple(s): | ||
ampidx = s.index('&') | ||||
return s[ampidx + 1:ampidx + 2].lower(), s.replace('&', '', 1) | ||||
return (msg, [choicetuple(s) for s in choices]) | ||||
FUJIWARA Katsunori
|
r20265 | |||
Matt Mackall
|
r19226 | def promptchoice(self, prompt, default=0): | ||
"""Prompt user with a message, read response, and ensure it matches | ||||
one of the provided choices. The prompt is formatted as follows: | ||||
"would you like fries with that (Yn)? $$ &Yes $$ &No" | ||||
The index of the choice is returned. Responses are case | ||||
insensitive. If ui is not interactive, the default is | ||||
returned. | ||||
Simon Heimberg
|
r9048 | """ | ||
Matt Mackall
|
r19226 | |||
FUJIWARA Katsunori
|
r20265 | msg, choices = self.extractchoices(prompt) | ||
resps = [r for r, t in choices] | ||||
Thomas Arendsen Hein
|
r5671 | while True: | ||
Yuya Nishihara
|
r40628 | r = self._prompt(msg, default=resps[default], choices=choices) | ||
Simon Heimberg
|
r9048 | if r.lower() in resps: | ||
return resps.index(r.lower()) | ||||
Yuya Nishihara
|
r40580 | # TODO: shouldn't it be a warning? | ||
Yuya Nishihara
|
r40626 | self._writemsg(self._fmsgout, _("unrecognized response\n")) | ||
Simon Heimberg
|
r9048 | |||
Vadim Gelfer
|
r2281 | def getpass(self, prompt=None, default=None): | ||
Matt Mackall
|
r10282 | if not self.interactive(): | ||
return default | ||||
Steve Borho
|
r7798 | try: | ||
Yuya Nishihara
|
r40626 | self._writemsg(self._fmsgerr, prompt or _('password: '), | ||
Yuya Nishihara
|
r40629 | type='prompt', password=True) | ||
Yuya Nishihara
|
r21195 | # disable getpass() only if explicitly specified. it's still valid | ||
# to interact with tty even if fin is not a tty. | ||||
Simon Farnsworth
|
r30978 | with self.timeblockedsection('stdio'): | ||
if self.configbool('ui', 'nontty'): | ||||
Yuya Nishihara
|
r40579 | l = self._fin.readline() | ||
Simon Farnsworth
|
r30978 | if not l: | ||
raise EOFError | ||||
return l.rstrip('\n') | ||||
else: | ||||
Pulkit Goyal
|
r41995 | return getpass.getpass(r'') | ||
Steve Borho
|
r7798 | except EOFError: | ||
Siddharth Agarwal
|
r26896 | raise error.ResponseExpected() | ||
Rodrigo Damazio Bovendorp
|
r38791 | |||
Brodie Rao
|
r10815 | def status(self, *msg, **opts): | ||
'''write status message to output (if ui.quiet is False) | ||||
This adds an output label of "ui.status". | ||||
''' | ||||
Matt Mackall
|
r10282 | if not self.quiet: | ||
Yuya Nishihara
|
r40626 | self._writemsg(self._fmsgout, type='status', *msg, **opts) | ||
Rodrigo Damazio Bovendorp
|
r38791 | |||
Brodie Rao
|
r10815 | def warn(self, *msg, **opts): | ||
'''write warning message to output (stderr) | ||||
This adds an output label of "ui.warning". | ||||
''' | ||||
Yuya Nishihara
|
r40626 | self._writemsg(self._fmsgerr, type='warning', *msg, **opts) | ||
Rodrigo Damazio Bovendorp
|
r38791 | |||
def error(self, *msg, **opts): | ||||
'''write error message to output (stderr) | ||||
This adds an output label of "ui.error". | ||||
''' | ||||
Yuya Nishihara
|
r40626 | self._writemsg(self._fmsgerr, type='error', *msg, **opts) | ||
Rodrigo Damazio Bovendorp
|
r38791 | |||
Brodie Rao
|
r10815 | def note(self, *msg, **opts): | ||
'''write note to output (if ui.verbose is True) | ||||
This adds an output label of "ui.note". | ||||
''' | ||||
Matt Mackall
|
r10282 | if self.verbose: | ||
Yuya Nishihara
|
r40626 | self._writemsg(self._fmsgout, type='note', *msg, **opts) | ||
Rodrigo Damazio Bovendorp
|
r38791 | |||
Brodie Rao
|
r10815 | def debug(self, *msg, **opts): | ||
'''write debug message to output (if ui.debugflag is True) | ||||
This adds an output label of "ui.debug". | ||||
''' | ||||
Matt Mackall
|
r10282 | if self.debugflag: | ||
Yuya Nishihara
|
r40626 | self._writemsg(self._fmsgout, type='debug', *msg, **opts) | ||
Yuya Nishihara
|
r40792 | self.log(b'debug', b'%s', b''.join(msg)) | ||
FUJIWARA Katsunori
|
r26750 | |||
Sean Farley
|
r30835 | def edit(self, text, user, extra=None, editform=None, pending=None, | ||
Michael Bolin
|
r34030 | repopath=None, action=None): | ||
if action is None: | ||||
self.develwarn('action is None but will soon be a required ' | ||||
'parameter to ui.edit()') | ||||
Jordi Gutiérrez Hermoso
|
r28635 | extra_defaults = { | ||
'prefix': 'editor', | ||||
'suffix': '.txt', | ||||
} | ||||
Mykola Nikishov
|
r27153 | if extra is not None: | ||
Michael Bolin
|
r34030 | if extra.get('suffix') is not None: | ||
self.develwarn('extra.suffix is not None but will soon be ' | ||||
'ignored by ui.edit()') | ||||
Mykola Nikishov
|
r27153 | extra_defaults.update(extra) | ||
extra = extra_defaults | ||||
Sean Farley
|
r30835 | |||
Michael Bolin
|
r34056 | if action == 'diff': | ||
suffix = '.diff' | ||||
elif action: | ||||
Michael Bolin
|
r34030 | suffix = '.%s.hg.txt' % action | ||
else: | ||||
suffix = extra['suffix'] | ||||
Sean Farley
|
r30848 | rdir = None | ||
Sean Farley
|
r30835 | if self.configbool('experimental', 'editortmpinhg'): | ||
Sean Farley
|
r30848 | rdir = repopath | ||
Yuya Nishihara
|
r38182 | (fd, name) = pycompat.mkstemp(prefix='hg-' + extra['prefix'] + '-', | ||
Michael Bolin
|
r34030 | suffix=suffix, | ||
Sean Farley
|
r30848 | dir=rdir) | ||
Thomas Arendsen Hein
|
r1984 | try: | ||
Yuya Nishihara
|
r31778 | f = os.fdopen(fd, r'wb') | ||
f.write(util.tonativeeol(text)) | ||||
Thomas Arendsen Hein
|
r1984 | f.close() | ||
Alexander Drozdov
|
r20605 | environ = {'HGUSER': user} | ||
Alexander Drozdov
|
r20606 | if 'transplant_source' in extra: | ||
environ.update({'HGREVISION': hex(extra['transplant_source'])}) | ||||
Alexander Drozdov
|
r24687 | for label in ('intermediate-source', 'source', 'rebase_source'): | ||
Alexander Drozdov
|
r20605 | if label in extra: | ||
environ.update({'HGREVISION': extra[label]}) | ||||
break | ||||
FUJIWARA Katsunori
|
r22205 | if editform: | ||
environ.update({'HGEDITFORM': editform}) | ||||
FUJIWARA Katsunori
|
r26750 | if pending: | ||
environ.update({'HG_PENDING': pending}) | ||||
Alexander Drozdov
|
r20605 | |||
Osku Salerma
|
r5660 | editor = self.geteditor() | ||
mpm@selenic.com
|
r207 | |||
Yuya Nishihara
|
r23269 | self.system("%s \"%s\"" % (editor, name), | ||
Alexander Drozdov
|
r20605 | environ=environ, | ||
Simon Farnsworth
|
r30980 | onerr=error.Abort, errprefix=_("edit failed"), | ||
blockedtag='editor') | ||||
Matt Mackall
|
r608 | |||
Yuya Nishihara
|
r31778 | f = open(name, r'rb') | ||
t = util.fromnativeeol(f.read()) | ||||
Thomas Arendsen Hein
|
r1984 | f.close() | ||
finally: | ||||
os.unlink(name) | ||||
Radoslaw "AstralStorm" Szkodzinski
|
r662 | |||
mpm@selenic.com
|
r207 | return t | ||
Vadim Gelfer
|
r2200 | |||
Simon Farnsworth
|
r30979 | def system(self, cmd, environ=None, cwd=None, onerr=None, errprefix=None, | ||
blockedtag=None): | ||||
Yuya Nishihara
|
r23269 | '''execute shell command with appropriate output stream. command | ||
output will be redirected if fout is not stdout. | ||||
Yuya Nishihara
|
r31108 | |||
if command fails and onerr is None, return status, else raise onerr | ||||
object as exception. | ||||
Yuya Nishihara
|
r23269 | ''' | ||
Simon Farnsworth
|
r30979 | if blockedtag is None: | ||
Simon Farnsworth
|
r31535 | # Long cmds tend to be because of an absolute path on cmd. Keep | ||
# the tail end instead | ||||
cmdsuffix = cmd.translate(None, _keepalnum)[-85:] | ||||
blockedtag = 'unknown_system_' + cmdsuffix | ||||
Yuya Nishihara
|
r40579 | out = self._fout | ||
Augie Fackler
|
r25149 | if any(s[1] for s in self._bufferstates): | ||
Pierre-Yves David
|
r24848 | out = self | ||
Simon Farnsworth
|
r30979 | with self.timeblockedsection(blockedtag): | ||
Yuya Nishihara
|
r31108 | rc = self._runsystem(cmd, environ=environ, cwd=cwd, out=out) | ||
if rc and onerr: | ||||
errmsg = '%s %s' % (os.path.basename(cmd.split(None, 1)[0]), | ||||
Yuya Nishihara
|
r37481 | procutil.explainexit(rc)) | ||
Yuya Nishihara
|
r31108 | if errprefix: | ||
errmsg = '%s: %s' % (errprefix, errmsg) | ||||
raise onerr(errmsg) | ||||
return rc | ||||
Yuya Nishihara
|
r31107 | |||
Yuya Nishihara
|
r31108 | def _runsystem(self, cmd, environ, cwd, out): | ||
Yuya Nishihara
|
r31107 | """actually execute the given shell command (can be overridden by | ||
extensions like chg)""" | ||||
Yuya Nishihara
|
r37138 | return procutil.system(cmd, environ=environ, cwd=cwd, out=out) | ||
Yuya Nishihara
|
r23269 | |||
Matt Harbison
|
r18966 | def traceback(self, exc=None, force=False): | ||
'''print exception traceback if traceback printing enabled or forced. | ||||
Vadim Gelfer
|
r2335 | only to call in exception handler. returns true if traceback | ||
printed.''' | ||||
Matt Harbison
|
r18966 | if self.tracebackflag or force: | ||
Matt Harbison
|
r18965 | if exc is None: | ||
exc = sys.exc_info() | ||||
cause = getattr(exc[1], 'cause', None) | ||||
if cause is not None: | ||||
causetb = traceback.format_tb(cause[2]) | ||||
exctb = traceback.format_tb(exc[2]) | ||||
exconly = traceback.format_exception_only(cause[0], cause[1]) | ||||
# exclude frame where 'exc' was chained and rethrown from exctb | ||||
self.write_err('Traceback (most recent call last):\n', | ||||
''.join(exctb[:-1]), | ||||
''.join(causetb), | ||||
''.join(exconly)) | ||||
else: | ||||
Matt Harbison
|
r25568 | output = traceback.format_exception(exc[0], exc[1], exc[2]) | ||
Yuya Nishihara
|
r35915 | self.write_err(encoding.strtolocal(r''.join(output))) | ||
Matt Harbison
|
r18966 | return self.tracebackflag or force | ||
Osku Salerma
|
r5660 | |||
def geteditor(self): | ||||
'''return editor to use''' | ||||
Pulkit Goyal
|
r30641 | if pycompat.sysplatform == 'plan9': | ||
Steven Stallion
|
r16383 | # vi is the MIPS instruction simulator on Plan 9. We | ||
# instead default to E to plumb commit messages to | ||||
# avoid confusion. | ||||
editor = 'E' | ||||
else: | ||||
editor = 'vi' | ||||
Pulkit Goyal
|
r30277 | return (encoding.environ.get("HGEDITOR") or | ||
Jun Wu
|
r31687 | self.config("ui", "editor", editor)) | ||
Matt Mackall
|
r9153 | |||
Pierre-Yves David
|
r25499 | @util.propertycache | ||
def _progbar(self): | ||||
"""setup the progbar singleton to the ui object""" | ||||
if (self.quiet or self.debugflag | ||||
Jun Wu
|
r33499 | or self.configbool('progress', 'disable') | ||
Pierre-Yves David
|
r25499 | or not progress.shouldprint(self)): | ||
return None | ||||
return getprogbar(self) | ||||
def _progclear(self): | ||||
"""clear progress bar output if any. use it before any output""" | ||||
Mark Thomas
|
r34346 | if not haveprogbar(): # nothing loaded yet | ||
Pierre-Yves David
|
r25499 | return | ||
if self._progbar is not None and self._progbar.printed: | ||||
self._progbar.clear() | ||||
Matt Mackall
|
r9153 | def progress(self, topic, pos, item="", unit="", total=None): | ||
'''show a progress message | ||||
timeless
|
r28598 | By default a textual progress bar will be displayed if an operation | ||
takes too long. 'topic' is the current operation, 'item' is a | ||||
Mads Kiilerich
|
r17424 | non-numeric marker of the current position (i.e. the currently | ||
in-process file), 'pos' is the current numeric position (i.e. | ||||
Brodie Rao
|
r9398 | revision, bytes, etc.), unit is a corresponding unit label, | ||
Matt Mackall
|
r9153 | and total is the highest expected pos. | ||
Augie Fackler
|
r10425 | Multiple nested topics may be active at a time. | ||
All topics should be marked closed by setting pos to None at | ||||
termination. | ||||
Matt Mackall
|
r9153 | ''' | ||
Martin von Zweigbergk
|
r41261 | self.deprecwarn("use ui.makeprogress() instead of ui.progress()", | ||
"5.1") | ||||
Martin von Zweigbergk
|
r41178 | progress = self.makeprogress(topic, unit, total) | ||
if pos is not None: | ||||
progress.update(pos, item=item) | ||||
Matt Mackall
|
r9153 | else: | ||
Martin von Zweigbergk
|
r41178 | progress.complete() | ||
Brodie Rao
|
r10815 | |||
Martin von Zweigbergk
|
r38364 | def makeprogress(self, topic, unit="", total=None): | ||
Yuya Nishihara
|
r41246 | """Create a progress helper for the specified topic""" | ||
if getattr(self._fmsgerr, 'structured', False): | ||||
# channel for machine-readable output with metadata, just send | ||||
# raw information | ||||
# TODO: consider porting some useful information (e.g. estimated | ||||
# time) from progbar. we might want to support update delay to | ||||
# reduce the cost of transferring progress messages. | ||||
def updatebar(topic, pos, item, unit, total): | ||||
self._fmsgerr.write(None, type=b'progress', topic=topic, | ||||
pos=pos, item=item, unit=unit, total=total) | ||||
elif self._progbar is not None: | ||||
updatebar = self._progbar.progress | ||||
else: | ||||
def updatebar(topic, pos, item, unit, total): | ||||
pass | ||||
return scmutil.progress(self, updatebar, topic, unit, total) | ||||
Martin von Zweigbergk
|
r38364 | |||
Yuya Nishihara
|
r40761 | def getlogger(self, name): | ||
"""Returns a logger of the given name; or None if not registered""" | ||||
return self._loggers.get(name) | ||||
def setlogger(self, name, logger): | ||||
"""Install logger which can be identified later by the given name | ||||
More than one loggers can be registered. Use extension or module | ||||
name to uniquely identify the logger instance. | ||||
""" | ||||
self._loggers[name] = logger | ||||
Yuya Nishihara
|
r40793 | def log(self, event, msgfmt, *msgargs, **opts): | ||
Matt Mackall
|
r11984 | '''hook for logging facility extensions | ||
Yuya Nishihara
|
r40714 | event should be a readily-identifiable subsystem, which will | ||
Matt Mackall
|
r11984 | allow filtering. | ||
Augie Fackler
|
r26235 | |||
Yuya Nishihara
|
r40793 | msgfmt should be a newline-terminated format string to log, and | ||
*msgargs are %-formatted into it. | ||||
Augie Fackler
|
r26235 | |||
**opts currently has no defined meanings. | ||||
Matt Mackall
|
r11984 | ''' | ||
Yuya Nishihara
|
r40761 | if not self._loggers: | ||
return | ||||
activeloggers = [l for l in self._loggers.itervalues() | ||||
if l.tracked(event)] | ||||
if not activeloggers: | ||||
return | ||||
Yuya Nishihara
|
r40793 | msg = msgfmt % msgargs | ||
Yuya Nishihara
|
r40794 | opts = pycompat.byteskwargs(opts) | ||
Yuya Nishihara
|
r40792 | # guard against recursion from e.g. ui.debug() | ||
registeredloggers = self._loggers | ||||
self._loggers = {} | ||||
try: | ||||
for logger in activeloggers: | ||||
logger.log(self, event, msg, opts) | ||||
finally: | ||||
self._loggers = registeredloggers | ||||
Matt Mackall
|
r11984 | |||
Brodie Rao
|
r10815 | def label(self, msg, label): | ||
'''style msg based on supplied label | ||||
Pierre-Yves David
|
r31087 | If some color mode is enabled, this will add the necessary control | ||
characters to apply such color. In addition, 'debug' color mode adds | ||||
markup showing which label affects a piece of text. | ||||
Brodie Rao
|
r10815 | |||
ui.write(s, 'label') is equivalent to | ||||
ui.write(ui.label(s, 'label')). | ||||
''' | ||||
Pierre-Yves David
|
r31087 | if self._colormode is not None: | ||
return color.colorlabel(self, msg, label) | ||||
Brodie Rao
|
r10815 | return msg | ||
Gregory Szorc
|
r24250 | |||
Pierre-Yves David
|
r29095 | def develwarn(self, msg, stacklevel=1, config=None): | ||
Pierre-Yves David
|
r27274 | """issue a developer warning message | ||
Use 'stacklevel' to report the offender some layers further up in the | ||||
stack. | ||||
""" | ||||
Pierre-Yves David
|
r29095 | if not self.configbool('devel', 'all-warnings'): | ||
Kyle Lippincott
|
r35125 | if config is None or not self.configbool('devel', config): | ||
Pierre-Yves David
|
r29095 | return | ||
Pierre-Yves David
|
r25629 | msg = 'devel-warn: ' + msg | ||
Pierre-Yves David
|
r27274 | stacklevel += 1 # get in develwarn | ||
Pierre-Yves David
|
r25629 | if self.tracebackflag: | ||
Yuya Nishihara
|
r40579 | util.debugstacktrace(msg, stacklevel, self._ferr, self._fout) | ||
timeless
|
r28498 | self.log('develwarn', '%s at:\n%s' % | ||
(msg, ''.join(util.getstackframes(stacklevel)))) | ||||
Pierre-Yves David
|
r25629 | else: | ||
curframe = inspect.currentframe() | ||||
calframe = inspect.getouterframes(curframe, 2) | ||||
Augie Fackler
|
r36144 | fname, lineno, fmsg = calframe[stacklevel][1:4] | ||
fname, fmsg = pycompat.sysbytes(fname), pycompat.sysbytes(fmsg) | ||||
self.write_err('%s at: %s:%d (%s)\n' | ||||
% (msg, fname, lineno, fmsg)) | ||||
self.log('develwarn', '%s at: %s:%d (%s)\n', | ||||
msg, fname, lineno, fmsg) | ||||
Jun Wu
|
r29762 | curframe = calframe = None # avoid cycles | ||
Pierre-Yves David
|
r25629 | |||
Matt Harbison
|
r35941 | def deprecwarn(self, msg, version, stacklevel=2): | ||
Pierre-Yves David
|
r27275 | """issue a deprecation warning | ||
- msg: message explaining what is deprecated and how to upgrade, | ||||
- version: last version where the API will be supported, | ||||
""" | ||||
Pierre-Yves David
|
r29082 | if not (self.configbool('devel', 'all-warnings') | ||
or self.configbool('devel', 'deprec-warn')): | ||||
return | ||||
Pierre-Yves David
|
r27275 | msg += ("\n(compatibility will be dropped after Mercurial-%s," | ||
" update your code.)") % version | ||||
Matt Harbison
|
r35941 | self.develwarn(msg, stacklevel=stacklevel, config='deprec-warn') | ||
Pierre-Yves David
|
r25629 | |||
Matt Harbison
|
r30832 | def exportableenviron(self): | ||
"""The environment variables that are safe to export, e.g. through | ||||
hgweb. | ||||
""" | ||||
return self._exportableenviron | ||||
Kostia Balytskyi
|
r30480 | @contextlib.contextmanager | ||
def configoverride(self, overrides, source=""): | ||||
"""Context manager for temporary config overrides | ||||
`overrides` must be a dict of the following structure: | ||||
{(section, name) : value}""" | ||||
backups = {} | ||||
Gregory Szorc
|
r30537 | try: | ||
for (section, name), value in overrides.items(): | ||||
backups[(section, name)] = self.backupconfig(section, name) | ||||
self.setconfig(section, name, value, source) | ||||
yield | ||||
finally: | ||||
for __, backup in backups.items(): | ||||
self.restoreconfig(backup) | ||||
# just restoring ui.quiet config to the previous value is not enough | ||||
# as it does not update ui.quiet class member | ||||
if ('ui', 'quiet') in overrides: | ||||
self.fixconfig(section='ui') | ||||
Kostia Balytskyi
|
r30480 | |||
Gregory Szorc
|
r24250 | class paths(dict): | ||
"""Represents a collection of paths and their configs. | ||||
Data is initially derived from ui instances and the config files they have | ||||
loaded. | ||||
""" | ||||
def __init__(self, ui): | ||||
dict.__init__(self) | ||||
Gregory Szorc
|
r27266 | for name, loc in ui.configitems('paths', ignoresub=True): | ||
Gregory Szorc
|
r24250 | # No location is the same as not existing. | ||
if not loc: | ||||
continue | ||||
Gregory Szorc
|
r27266 | loc, sub = ui.configsuboptions('paths', name) | ||
self[name] = path(ui, name, rawloc=loc, suboptions=sub) | ||||
Gregory Szorc
|
r24250 | |||
def getpath(self, name, default=None): | ||||
Yuya Nishihara
|
r27561 | """Return a ``path`` from a string, falling back to default. | ||
Gregory Szorc
|
r26056 | |||
``name`` can be a named path or locations. Locations are filesystem | ||||
paths or URIs. | ||||
Gregory Szorc
|
r24250 | |||
Gregory Szorc
|
r26189 | Returns None if ``name`` is not a registered path, a URI, or a local | ||
path to a repo. | ||||
Gregory Szorc
|
r24250 | """ | ||
Gregory Szorc
|
r26189 | # Only fall back to default if no path was requested. | ||
if name is None: | ||||
Yuya Nishihara
|
r27561 | if not default: | ||
default = () | ||||
elif not isinstance(default, (tuple, list)): | ||||
default = (default,) | ||||
for k in default: | ||||
Gregory Szorc
|
r26189 | try: | ||
Yuya Nishihara
|
r27561 | return self[k] | ||
Gregory Szorc
|
r26189 | except KeyError: | ||
Yuya Nishihara
|
r27561 | continue | ||
return None | ||||
Gregory Szorc
|
r26189 | |||
# Most likely empty string. | ||||
# This may need to raise in the future. | ||||
if not name: | ||||
return None | ||||
Gregory Szorc
|
r24250 | try: | ||
return self[name] | ||||
except KeyError: | ||||
Gregory Szorc
|
r26056 | # Try to resolve as a local path or URI. | ||
try: | ||||
Gregory Szorc
|
r27265 | # We don't pass sub-options in, so no need to pass ui instance. | ||
return path(None, None, rawloc=name) | ||||
Gregory Szorc
|
r26056 | except ValueError: | ||
Gregory Szorc
|
r26189 | raise error.RepoError(_('repository %s does not exist') % | ||
name) | ||||
Gregory Szorc
|
r26056 | |||
Gregory Szorc
|
r27266 | _pathsuboptions = {} | ||
def pathsuboption(option, attr): | ||||
"""Decorator used to declare a path sub-option. | ||||
Arguments are the sub-option name and the attribute it should set on | ||||
``path`` instances. | ||||
The decorated function will receive as arguments a ``ui`` instance, | ||||
``path`` instance, and the string value of this option from the config. | ||||
The function should return the value that will be set on the ``path`` | ||||
instance. | ||||
This decorator can be used to perform additional verification of | ||||
sub-options and to change the type of sub-options. | ||||
""" | ||||
def register(func): | ||||
_pathsuboptions[option] = (attr, func) | ||||
return func | ||||
return register | ||||
@pathsuboption('pushurl', 'pushloc') | ||||
def pushurlpathoption(ui, path, value): | ||||
u = util.url(value) | ||||
# Actually require a URL. | ||||
if not u.scheme: | ||||
ui.warn(_('(paths.%s:pushurl not a URL; ignoring)\n') % path.name) | ||||
return None | ||||
# Don't support the #foo syntax in the push URL to declare branch to | ||||
# push. | ||||
if u.fragment: | ||||
ui.warn(_('("#fragment" in paths.%s:pushurl not supported; ' | ||||
'ignoring)\n') % path.name) | ||||
u.fragment = None | ||||
Yuya Nishihara
|
r36749 | return bytes(u) | ||
Gregory Szorc
|
r27266 | |||
Gregory Szorc
|
r29413 | @pathsuboption('pushrev', 'pushrev') | ||
def pushrevpathoption(ui, path, value): | ||||
return value | ||||
Gregory Szorc
|
r24250 | class path(object): | ||
"""Represents an individual path and its configuration.""" | ||||
Gregory Szorc
|
r27266 | def __init__(self, ui, name, rawloc=None, suboptions=None): | ||
Gregory Szorc
|
r24250 | """Construct a path from its config options. | ||
Gregory Szorc
|
r27265 | ``ui`` is the ``ui`` instance the path is coming from. | ||
Gregory Szorc
|
r24250 | ``name`` is the symbolic name of the path. | ||
``rawloc`` is the raw location, as defined in the config. | ||||
Gregory Szorc
|
r26064 | ``pushloc`` is the raw locations pushes should be made to. | ||
Gregory Szorc
|
r26056 | |||
If ``name`` is not defined, we require that the location be a) a local | ||||
filesystem path with a .hg directory or b) a URL. If not, | ||||
``ValueError`` is raised. | ||||
Gregory Szorc
|
r24250 | """ | ||
Gregory Szorc
|
r26056 | if not rawloc: | ||
raise ValueError('rawloc must be defined') | ||||
# Locations may define branches via syntax <base>#<branch>. | ||||
u = util.url(rawloc) | ||||
branch = None | ||||
if u.fragment: | ||||
branch = u.fragment | ||||
u.fragment = None | ||||
self.url = u | ||||
self.branch = branch | ||||
Gregory Szorc
|
r24250 | self.name = name | ||
Gregory Szorc
|
r26056 | self.rawloc = rawloc | ||
Augie Fackler
|
r31350 | self.loc = '%s' % u | ||
Gregory Szorc
|
r26056 | |||
# When given a raw location but not a symbolic name, validate the | ||||
# location is valid. | ||||
Durham Goode
|
r26076 | if not name and not u.scheme and not self._isvalidlocalpath(self.loc): | ||
Gregory Szorc
|
r26056 | raise ValueError('location is not a URL or path to a local ' | ||
'repo: %s' % rawloc) | ||||
Pierre-Yves David
|
r25498 | |||
Gregory Szorc
|
r27266 | suboptions = suboptions or {} | ||
# Now process the sub-options. If a sub-option is registered, its | ||||
# attribute will always be present. The value will be None if there | ||||
# was no valid sub-option. | ||||
for suboption, (attr, func) in _pathsuboptions.iteritems(): | ||||
if suboption not in suboptions: | ||||
setattr(self, attr, None) | ||||
continue | ||||
value = func(ui, self, suboptions[suboption]) | ||||
setattr(self, attr, value) | ||||
Durham Goode
|
r26076 | def _isvalidlocalpath(self, path): | ||
"""Returns True if the given path is a potentially valid repository. | ||||
This is its own function so that extensions can change the definition of | ||||
'valid' in this case (like when pulling from a git repo into a hg | ||||
one).""" | ||||
Gregory Szorc
|
r41625 | try: | ||
return os.path.isdir(os.path.join(path, '.hg')) | ||||
# Python 2 may return TypeError. Python 3, ValueError. | ||||
except (TypeError, ValueError): | ||||
return False | ||||
Durham Goode
|
r26076 | |||
Gregory Szorc
|
r26064 | @property | ||
Gregory Szorc
|
r27266 | def suboptions(self): | ||
"""Return sub-options and their values for this path. | ||||
This is intended to be used for presentation purposes. | ||||
""" | ||||
d = {} | ||||
for subopt, (attr, _func) in _pathsuboptions.iteritems(): | ||||
value = getattr(self, attr) | ||||
if value is not None: | ||||
d[subopt] = value | ||||
return d | ||||
Gregory Szorc
|
r26064 | |||
Pierre-Yves David
|
r25498 | # we instantiate one globally shared progress bar to avoid | ||
# competing progress bars when multiple UI objects get created | ||||
_progresssingleton = None | ||||
def getprogbar(ui): | ||||
global _progresssingleton | ||||
if _progresssingleton is None: | ||||
# passing 'ui' object to the singleton is fishy, | ||||
# this is how the extension used to work but feel free to rework it. | ||||
_progresssingleton = progress.progbar(ui) | ||||
return _progresssingleton | ||||
Mark Thomas
|
r34346 | |||
def haveprogbar(): | ||||
return _progresssingleton is not None | ||||
Yuya Nishihara
|
r40580 | |||
def _selectmsgdests(ui): | ||||
name = ui.config(b'ui', b'message-output') | ||||
Yuya Nishihara
|
r40625 | if name == b'channel': | ||
if ui.fmsg: | ||||
return ui.fmsg, ui.fmsg | ||||
else: | ||||
# fall back to ferr if channel isn't ready so that status/error | ||||
# messages can be printed | ||||
return ui.ferr, ui.ferr | ||||
Yuya Nishihara
|
r40580 | if name == b'stdio': | ||
return ui.fout, ui.ferr | ||||
if name == b'stderr': | ||||
return ui.ferr, ui.ferr | ||||
raise error.Abort(b'invalid ui.message-output destination: %s' % name) | ||||
Yuya Nishihara
|
r40626 | |||
def _writemsgwith(write, dest, *args, **opts): | ||||
"""Write ui message with the given ui._write*() function | ||||
The specified message type is translated to 'ui.<type>' label if the dest | ||||
isn't a structured channel, so that the message will be colorized. | ||||
""" | ||||
# TODO: maybe change 'type' to a mandatory option | ||||
if r'type' in opts and not getattr(dest, 'structured', False): | ||||
opts[r'label'] = opts.get(r'label', '') + ' ui.%s' % opts.pop(r'type') | ||||
write(dest, *args, **opts) | ||||