##// END OF EJS Templates
match: delete unused root and cwd arguments to constructors (API)...
match: delete unused root and cwd arguments to constructors (API) Most matchers no longer need the root and cwd arguments. patternmatcher and includematcher still need the root argument for subincludes. Differential Revision: https://phab.mercurial-scm.org/D5929

File last commit:

r41816:8fa1a5fb default
r41824:ddbebce9 default
Show More
overrides.py
1506 lines | 56.8 KiB | text/x-python | PythonLexer
various
hgext: add largefiles extension...
r15168 # Copyright 2009-2010 Gregory P. Ward
# Copyright 2009-2010 Intelerad Medical Systems Incorporated
# Copyright 2010-2011 Fog Creek Software
# Copyright 2010-2011 Unity Technologies
#
# This software may be used and distributed according to the terms of the
# GNU General Public License version 2 or any later version.
'''Overridden Mercurial commands and functions for the largefiles extension'''
liscju
py3: make largefiles/overrides.py use absolute_import
r29311 from __future__ import absolute_import
various
hgext: add largefiles extension...
r15168
import copy
liscju
py3: make largefiles/overrides.py use absolute_import
r29311 import os
various
hgext: add largefiles extension...
r15168
from mercurial.i18n import _
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 from mercurial.hgweb import (
webcommands,
)
liscju
py3: make largefiles/overrides.py use absolute_import
r29311 from mercurial import (
archival,
cmdutil,
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 copies as copiesmod,
liscju
py3: make largefiles/overrides.py use absolute_import
r29311 error,
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 exchange,
Martin von Zweigbergk
largefiles: use wrappedfunction() for matchandpats() override in overridelog()...
r41719 extensions,
Matt Harbison
largefiles: port commands to exthelper...
r41091 exthelper,
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 filemerge,
liscju
py3: make largefiles/overrides.py use absolute_import
r29311 hg,
Yuya Nishihara
cmdutil: split functions of log-like commands to new module (API)...
r35903 logcmdutil,
liscju
largefiles: rename match_ to matchmod import in overrides
r29318 match as matchmod,
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 merge,
liscju
py3: make largefiles/overrides.py use absolute_import
r29311 pathutil,
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 pycompat,
liscju
py3: make largefiles/overrides.py use absolute_import
r29311 scmutil,
Yuya Nishihara
revset: import set classes directly from smartset module...
r31023 smartset,
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 subrepo,
upgrade,
url as urlmod,
liscju
py3: make largefiles/overrides.py use absolute_import
r29311 util,
)
from . import (
lfcommands,
lfutil,
storefactory,
)
various
hgext: add largefiles extension...
r15168
Matt Harbison
largefiles: port commands to exthelper...
r41091 eh = exthelper.exthelper()
Na'Tosha Bard
largefiles: implement addremove (issue3064)...
r15792 # -- Utility functions: commonly/repeatedly needed functionality ---------------
Matt Harbison
largefiles: introduce the 'composelargefilematcher()' method...
r23617 def composelargefilematcher(match, manifest):
'''create a matcher that matches only the largefiles in the original
matcher'''
m = copy.copy(match)
lfile = lambda f: lfutil.standin(f) in manifest
Augie Fackler
largfiles: replace filter() with listcomp when result needs to be a list...
r36329 m._files = [lf for lf in m._files if lfile(lf)]
Martin von Zweigbergk
match: make _fileroots a @propertycache and rename it to _fileset...
r32323 m._fileset = set(m._files)
Martin von Zweigbergk
largefiles: replace always() method, not _always field...
r32387 m.always = lambda: False
Matt Harbison
largefiles: introduce the 'composelargefilematcher()' method...
r23617 origmatchfn = m.matchfn
m.matchfn = lambda f: lfile(f) and origmatchfn(f)
return m
Matt Harbison
largefiles: don't print files as both large and normal in addremove dryruns
r23769 def composenormalfilematcher(match, manifest, exclude=None):
excluded = set()
if exclude is not None:
excluded.update(exclude)
Matt Harbison
largefiles: split the creation of a normal matcher out of its install method...
r23428 m = copy.copy(match)
notlfile = lambda f: not (lfutil.isstandin(f) or lfutil.standin(f) in
Matt Harbison
largefiles: don't print files as both large and normal in addremove dryruns
r23769 manifest or f in excluded)
Augie Fackler
largfiles: replace filter() with listcomp when result needs to be a list...
r36329 m._files = [lf for lf in m._files if notlfile(lf)]
Martin von Zweigbergk
match: make _fileroots a @propertycache and rename it to _fileset...
r32323 m._fileset = set(m._files)
Martin von Zweigbergk
largefiles: replace always() method, not _always field...
r32387 m.always = lambda: False
Matt Harbison
largefiles: split the creation of a normal matcher out of its install method...
r23428 origmatchfn = m.matchfn
m.matchfn = lambda f: notlfile(f) and origmatchfn(f)
return m
Martin von Zweigbergk
largefiles: use uipathfn instead of match.{rel,uipath}() (API)...
r41803 def addlargefiles(ui, repo, isaddremove, matcher, uipathfn, **opts):
Pulkit Goyal
py3: abuse r'' to access keys in keyword arguments
r32157 large = opts.get(r'large')
Greg Ward
largefiles: factor out lfutil.getminsize()
r15227 lfsize = lfutil.getminsize(
Pulkit Goyal
py3: abuse r'' to access keys in keyword arguments
r32157 ui, lfutil.islfilesrepo(repo), opts.get(r'lfsize'))
various
hgext: add largefiles extension...
r15168
lfmatcher = None
Michal Sznajder
largefiles: tiny code clean up...
r15739 if lfutil.islfilesrepo(repo):
Boris Feld
configitems: register the 'largefiles.patterns' config
r34757 lfpats = ui.configlist(lfutil.longname, 'patterns')
various
hgext: add largefiles extension...
r15168 if lfpats:
liscju
largefiles: rename match_ to matchmod import in overrides
r29318 lfmatcher = matchmod.match(repo.root, '', list(lfpats))
various
hgext: add largefiles extension...
r15168
lfnames = []
Matt Harbison
largefiles: replace match.bad() monkey patching with match.badmatch()...
r25440 m = matcher
various
hgext: add largefiles extension...
r15168 wctx = repo[None]
Martin von Zweigbergk
cleanup: reuse existing wctx variables instead of calling repo[None]...
r32382 for f in wctx.walk(matchmod.badmatch(m, lambda x, y: None)):
various
hgext: add largefiles extension...
r15168 exact = m.exact(f)
lfile = lfutil.standin(f) in wctx
nfile = f in wctx
exists = lfile or nfile
# Don't warn the user when they attempt to add a normal tracked file.
# The normal add code will do that for us.
if exact and exists:
if lfile:
Martin von Zweigbergk
largefiles: use uipathfn instead of match.{rel,uipath}() (API)...
r41803 ui.warn(_('%s already a largefile\n') % uipathfn(f))
various
hgext: add largefiles extension...
r15168 continue
Matt Harbison
largefiles: ensure addlargefiles() doesn't add a standin as a largefile...
r17232 if (exact or not exists) and not lfutil.isstandin(f):
Matt Harbison
largefiles: fix a traceback when addremove follows a remove (issue3507)...
r17231 # In case the file was removed previously, but not committed
# (issue3507)
Matt Harbison
largefiles: convert addlargefiles() to vfs
r23733 if not repo.wvfs.exists(f):
Matt Harbison
largefiles: fix a traceback when addremove follows a remove (issue3507)...
r17231 continue
Greg Ward
largefiles: cosmetics, whitespace, code style...
r15255 abovemin = (lfsize and
Matt Harbison
largefiles: convert addlargefiles() to vfs
r23733 repo.wvfs.lstat(f).st_size >= lfsize * 1024 * 1024)
Greg Ward
largefiles: cosmetics, whitespace, code style...
r15255 if large or abovemin or (lfmatcher and lfmatcher(f)):
various
hgext: add largefiles extension...
r15168 lfnames.append(f)
if ui.verbose or not exact:
Martin von Zweigbergk
largefiles: use uipathfn instead of match.{rel,uipath}() (API)...
r41803 ui.status(_('adding %s as a largefile\n') % uipathfn(f))
various
hgext: add largefiles extension...
r15168
bad = []
Greg Ward
largefiles: improve comments, internal docstrings...
r15252 # Need to lock, otherwise there could be a race condition between
# when standins are created and added to the repo.
Bryan O'Sullivan
with: use context manager for wlock in addlargefiles
r27821 with repo.wlock():
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 if not opts.get(r'dry_run'):
Mads Kiilerich
largefiles: move initialization of standins variable to clarify its "scope"
r23041 standins = []
various
hgext: add largefiles extension...
r15168 lfdirstate = lfutil.openlfdirstate(ui, repo)
for f in lfnames:
standinname = lfutil.standin(f)
lfutil.writestandin(repo, standinname, hash='',
executable=lfutil.getexecutable(repo.wjoin(f)))
standins.append(standinname)
if lfdirstate[f] == 'r':
lfdirstate.normallookup(f)
else:
lfdirstate.add(f)
lfdirstate.write()
Greg Ward
largefiles: cosmetics, whitespace, code style...
r15255 bad += [lfutil.splitstandin(f)
Mads Kiilerich
largefiles: remove trivial portability wrappers
r18154 for f in repo[None].add(standins)
Greg Ward
largefiles: cosmetics, whitespace, code style...
r15255 if f in m.files()]
Matt Harbison
largefiles: return the list of added files from addlargefiles()...
r23768
added = [f for f in lfnames if f not in bad]
return added, bad
various
hgext: add largefiles extension...
r15168
Martin von Zweigbergk
largefiles: use uipathfn instead of match.{rel,uipath}() (API)...
r41803 def removelargefiles(ui, repo, isaddremove, matcher, uipathfn, dryrun, **opts):
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 after = opts.get(r'after')
Matt Harbison
largefiles: pass a matcher instead of a raw file list to removelargefiles()...
r23741 m = composelargefilematcher(matcher, repo[None].manifest())
various
hgext: add largefiles extension...
r15168 try:
repo.lfstatus = True
Matt Harbison
largefiles: pass a matcher instead of a raw file list to removelargefiles()...
r23741 s = repo.status(match=m, clean=not isaddremove)
various
hgext: add largefiles extension...
r15168 finally:
repo.lfstatus = False
Na'Tosha Bard
largefiles: implement addremove (issue3064)...
r15792 manifest = repo[None].manifest()
Greg Ward
largefiles: cosmetics, whitespace, code style...
r15255 modified, added, deleted, clean = [[f for f in list
if lfutil.standin(f) in manifest]
Martin von Zweigbergk
largefiles: access status fields by name rather than index
r22919 for list in (s.modified, s.added,
s.deleted, s.clean)]
various
hgext: add largefiles extension...
r15168
Mads Kiilerich
largefiles: align rm warnings with warnings used in core
r18066 def warn(files, msg):
various
hgext: add largefiles extension...
r15168 for f in files:
Martin von Zweigbergk
largefiles: use uipathfn instead of match.{rel,uipath}() (API)...
r41803 ui.warn(msg % uipathfn(f))
Matt Harbison
largefiles: exit from remove with 1 on warnings...
r17576 return int(len(files) > 0)
Na'Tosha Bard
largefiles: fix confusion upon removal of added largefile (issue3176)...
r15786 if after:
Martin von Zweigbergk
largefiles: remove 'forget' list that's always empty
r22630 remove = deleted
Mads Kiilerich
largefiles: align rm warnings with warnings used in core
r18066 result = warn(modified + added + clean,
_('not removing %s: file still exists\n'))
various
hgext: add largefiles extension...
r15168 else:
Martin von Zweigbergk
largefiles: remove 'forget' list that's always empty
r22630 remove = deleted + clean
Mads Kiilerich
largefiles: align rm warnings with warnings used in core
r18066 result = warn(modified, _('not removing %s: file is modified (use -f'
' to force removal)\n'))
result = warn(added, _('not removing %s: file has been marked for add'
' (use forget to undo)\n')) or result
various
hgext: add largefiles extension...
r15168
# Need to lock because standin files are deleted then removed from the
Mads Kiilerich
fix trivial spelling errors
r17424 # repository and we could race in-between.
Bryan O'Sullivan
with: use context manager for wlock in removelargefiles
r27822 with repo.wlock():
various
hgext: add largefiles extension...
r15168 lfdirstate = lfutil.openlfdirstate(ui, repo)
Matt Harbison
largefiles: eliminate a duplicate message when removing files in verbose mode...
r23658 for f in sorted(remove):
Matt Harbison
largefiles: align the output messages for a removed file with core methods...
r23766 if ui.verbose or not m.exact(f):
Martin von Zweigbergk
largefiles: use uipathfn instead of match.{rel,uipath}() (API)...
r41803 ui.status(_('removing %s\n') % uipathfn(f))
Matt Harbison
largefiles: don't actually remove largefiles in an addremove dry run...
r23592
Sushil khanchi
remove: add dry-run functionality
r37168 if not dryrun:
Matt Harbison
largefiles: don't actually remove largefiles in an addremove dry run...
r23592 if not after:
Mads Kiilerich
vfs: use repo.wvfs.unlinkpath
r31309 repo.wvfs.unlinkpath(f, ignoremissing=True)
Matt Harbison
largefiles: don't actually remove largefiles in an addremove dry run...
r23592
Sushil khanchi
remove: add dry-run functionality
r37168 if dryrun:
Matt Harbison
largefiles: don't actually remove largefiles in an addremove dry run...
r23592 return result
various
hgext: add largefiles extension...
r15168 remove = [lfutil.standin(f) for f in remove]
Na'Tosha Bard
largefiles: implement addremove (issue3064)...
r15792 # If this is being called by addremove, let the original addremove
# function handle this.
Mads Kiilerich
largefiles: replace repo._isaddremove hack with a simple function parameter
r23038 if not isaddremove:
Mads Kiilerich
largefiles: remove reporemove portability wrapper
r18153 for f in remove:
Mads Kiilerich
vfs: use repo.wvfs.unlinkpath
r31309 repo.wvfs.unlinkpath(f, ignoremissing=True)
Mads Kiilerich
largefiles: remove reporemove portability wrapper
r18153 repo[None].forget(remove)
Matt Harbison
largefiles: properly sync lfdirstate after removing largefiles...
r23721
for f in remove:
lfutil.synclfdirstate(repo, lfdirstate, lfutil.splitstandin(f),
False)
lfdirstate.write()
various
hgext: add largefiles extension...
r15168
Matt Harbison
largefiles: exit from remove with 1 on warnings...
r17576 return result
Martin Geisler
largefiles: hide .hglf/ prefix for largefiles in hgweb...
r16449 # For overriding mercurial.hgweb.webcommands so that largefiles will
# appear at their right place in the manifests.
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(webcommands, 'decodepath')
Martin Geisler
largefiles: hide .hglf/ prefix for largefiles in hgweb...
r16449 def decodepath(orig, path):
return lfutil.splitstandin(path) or path
Na'Tosha Bard
largefiles: implement addremove (issue3064)...
r15792 # -- Wrappers: modify existing commands --------------------------------
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('add',
opts=[('', 'large', None, _('add as largefile')),
('', 'normal', None, _('add as normal file')),
('', 'lfsize', '', _('add all files above this size (in megabytes) '
'as largefiles (default: 10)'))])
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 def overrideadd(orig, ui, repo, *pats, **opts):
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 if opts.get(r'normal') and opts.get(r'large'):
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 raise error.Abort(_('--normal cannot be used with --large'))
Matt Harbison
largefiles: enable subrepo support for add...
r23886 return orig(ui, repo, *pats, **opts)
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(cmdutil, 'add')
Martin von Zweigbergk
add: pass around uipathfn and use instead of m.rel() (API)...
r41799 def cmdutiladd(orig, ui, repo, matcher, prefix, uipathfn, explicitonly, **opts):
Matt Harbison
largefiles: enable subrepo support for add...
r23886 # The --normal flag short circuits this override
Pulkit Goyal
py3: abuse r'' to access keys in keyword arguments
r32157 if opts.get(r'normal'):
Martin von Zweigbergk
add: pass around uipathfn and use instead of m.rel() (API)...
r41799 return orig(ui, repo, matcher, prefix, uipathfn, explicitonly, **opts)
Na'Tosha Bard
largefiles: implement addremove (issue3064)...
r15792
Martin von Zweigbergk
largefiles: use uipathfn instead of match.{rel,uipath}() (API)...
r41803 ladded, lbad = addlargefiles(ui, repo, False, matcher, uipathfn, **opts)
Matt Harbison
largefiles: enable subrepo support for add...
r23886 normalmatcher = composenormalfilematcher(matcher, repo[None].manifest(),
ladded)
Martin von Zweigbergk
add: pass around uipathfn and use instead of m.rel() (API)...
r41799 bad = orig(ui, repo, normalmatcher, prefix, uipathfn, explicitonly, **opts)
Matt Harbison
largefiles: enable subrepo support for add...
r23886
bad.extend(f for f in lbad)
return bad
Na'Tosha Bard
largefiles: implement addremove (issue3064)...
r15792
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(cmdutil, 'remove')
Martin von Zweigbergk
remove: pass around uipathfn and use instead of m.rel() (API)...
r41800 def cmdutilremove(orig, ui, repo, matcher, prefix, uipathfn, after, force,
subrepos, dryrun):
Matt Harbison
largefiles: enable subrepo support for remove...
r23782 normalmatcher = composenormalfilematcher(matcher, repo[None].manifest())
Martin von Zweigbergk
remove: pass around uipathfn and use instead of m.rel() (API)...
r41800 result = orig(ui, repo, normalmatcher, prefix, uipathfn, after, force,
subrepos, dryrun)
Martin von Zweigbergk
largefiles: use uipathfn instead of match.{rel,uipath}() (API)...
r41803 return removelargefiles(ui, repo, False, matcher, uipathfn, dryrun,
after=after, force=force) or result
Na'Tosha Bard
largefiles: implement addremove (issue3064)...
r15792
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(subrepo.hgsubrepo, 'status')
Matt Harbison
largefiles: fix status -S reporting of subrepos (issue3231)...
r16515 def overridestatusfn(orig, repo, rev2, **opts):
try:
repo._repo.lfstatus = True
return orig(repo, rev2, **opts)
finally:
repo._repo.lfstatus = False
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('status')
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 def overridestatus(orig, ui, repo, *pats, **opts):
various
hgext: add largefiles extension...
r15168 try:
repo.lfstatus = True
return orig(ui, repo, *pats, **opts)
finally:
repo.lfstatus = False
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(subrepo.hgsubrepo, 'dirty')
Matt Harbison
subrepo: consider the parent repo dirty when a file is missing...
r33364 def overridedirty(orig, repo, ignoreupdate=False, missing=False):
Matt Harbison
largefiles: notice dirty large files in a subrepo...
r16516 try:
repo._repo.lfstatus = True
Matt Harbison
subrepo: consider the parent repo dirty when a file is missing...
r33364 return orig(repo, ignoreupdate=ignoreupdate, missing=missing)
Matt Harbison
largefiles: notice dirty large files in a subrepo...
r16516 finally:
repo._repo.lfstatus = False
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('log')
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 def overridelog(orig, ui, repo, *pats, **opts):
Martin von Zweigbergk
largefiles: use wrappedfunction() for matchandpats() override in overridelog()...
r41719 def overridematchandpats(orig, ctx, pats=(), opts=None, globbed=False,
Matt Harbison
scmutil: add an optional parameter to matcher factories for a bad() override...
r25467 default='relpath', badfn=None):
Mads Kiilerich
largefiles: make log match largefiles in the non-standin location too...
r18341 """Matcher that merges root directory with .hglf, suitable for log.
It is still possible to match .hglf directly.
For any listed files run log on the standin too.
matchfn tries both the given filename and with .hglf stripped.
"""
Pierre-Yves David
largefiles: remove a mutable default argument...
r26339 if opts is None:
opts = {}
Martin von Zweigbergk
largefiles: use wrappedfunction() for matchandpats() override in overridelog()...
r41719 matchandpats = orig(ctx, pats, opts, globbed, default, badfn=badfn)
Lucas Moscovicz
largefiles: changed overridelog to work with graphlog...
r21110 m, p = copy.copy(matchandpats)
Siddharth Agarwal
largefiles: don't override matchandpats for always matchers (issue4334)...
r22170 if m.always():
# We want to match everything anyway, so there's no benefit trying
# to add standins.
return matchandpats
Lucas Moscovicz
largefiles: changed overridelog to work with graphlog...
r21110 pats = set(p)
Matt Harbison
largefiles: teach log to handle patterns...
r24206
def fixpats(pat, tostandin=lfutil.standin):
Matt Harbison
largefiles: don't mangle filesets when fixing up the log matcher...
r24813 if pat.startswith('set:'):
return pat
liscju
largefiles: rename match_ to matchmod import in overrides
r29318 kindpat = matchmod._patsplit(pat, None)
Matt Harbison
largefiles: teach log to handle patterns...
r24206
if kindpat[0] is not None:
return kindpat[0] + ':' + tostandin(kindpat[1])
return tostandin(kindpat[1])
Martin von Zweigbergk
largefiles: get cwd and relative paths from repo instead of matcher...
r41816 cwd = repo.getcwd()
if cwd:
Matt Harbison
largefiles: handle logging from outside the repo...
r24208 hglf = lfutil.shortname
Martin von Zweigbergk
largefiles: get cwd and relative paths from repo instead of matcher...
r41816 back = util.pconvert(repo.pathto(hglf)[:-len(hglf)])
Matt Harbison
largefiles: teach log to handle patterns...
r24206
def tostandin(f):
Mads Kiilerich
spelling: trivial spell checking
r26781 # The file may already be a standin, so truncate the back
Matt Harbison
largefiles: handle logging from outside the repo...
r24208 # prefix and test before mangling it. This avoids turning
Matt Harbison
largefiles: don't prefix standin patterns with '.hglf' when logging...
r24207 # 'glob:../.hglf/foo*' into 'glob:../.hglf/../.hglf/foo*'.
if f.startswith(back) and lfutil.splitstandin(f[len(back):]):
return f
Matt Harbison
largefiles: handle logging from outside the repo...
r24208 # An absolute path is from outside the repo, so truncate the
# path to the root before building the standin. Otherwise cwd
# is somewhere in the repo, relative to root, and needs to be
# prepended before building the standin.
Martin von Zweigbergk
largefiles: get cwd and relative paths from repo instead of matcher...
r41816 if os.path.isabs(cwd):
Matt Harbison
largefiles: handle logging from outside the repo...
r24208 f = f[len(back):]
else:
Martin von Zweigbergk
largefiles: get cwd and relative paths from repo instead of matcher...
r41816 f = cwd + '/' + f
Matt Harbison
largefiles: handle logging from outside the repo...
r24208 return back + lfutil.standin(f)
Lucas Moscovicz
largefiles: changed overridelog to work with graphlog...
r21110 else:
Matt Harbison
largefiles: don't prefix standin patterns with '.hglf' when logging...
r24207 def tostandin(f):
FUJIWARA Katsunori
largefiles: replace splitstandin() by isstandin() to omit str creation...
r31614 if lfutil.isstandin(f):
Matt Harbison
largefiles: don't prefix standin patterns with '.hglf' when logging...
r24207 return f
return lfutil.standin(f)
Martin von Zweigbergk
largefiles: move identical statement to after if/else
r32301 pats.update(fixpats(f, tostandin) for f in p)
Lucas Moscovicz
largefiles: changed overridelog to work with graphlog...
r21110
Wei, Elson
largefiles: overridematch() should replace the file path instead of extending (issue3934)
r19472 for i in range(0, len(m._files)):
Matt Harbison
largefiles: teach log to handle patterns...
r24206 # Don't add '.hglf' to m.files, since that is already covered by '.'
if m._files[i] == '.':
continue
Wei, Elson
largefiles: overridematch() should replace the file path instead of extending (issue3934)
r19472 standin = lfutil.standin(m._files[i])
Matt Harbison
largefiles: don't interfere with logging normal files...
r23976 # If the "standin" is a directory, append instead of replace to
# support naming a directory on the command line with only
# largefiles. The original directory is kept to support normal
# files.
FUJIWARA Katsunori
largefiles: avoid meaningless changectx looking up...
r31655 if standin in ctx:
Wei, Elson
largefiles: overridematch() should replace the file path instead of extending (issue3934)
r19472 m._files[i] = standin
FUJIWARA Katsunori
largefiles: avoid meaningless changectx looking up...
r31655 elif m._files[i] not in ctx and repo.wvfs.isdir(standin):
Mads Kiilerich
largefiles: include largefiles when doing log on a directory (issue4241)...
r21275 m._files.append(standin)
Lucas Moscovicz
largefiles: changed overridelog to work with graphlog...
r21110
Martin von Zweigbergk
match: make _fileroots a @propertycache and rename it to _fileset...
r32323 m._fileset = set(m._files)
Martin von Zweigbergk
largefiles: replace always() method, not _always field...
r32387 m.always = lambda: False
Mads Kiilerich
largefiles: make log match largefiles in the non-standin location too...
r18341 origmatchfn = m.matchfn
def lfmatchfn(f):
lf = lfutil.splitstandin(f)
if lf is not None and origmatchfn(lf):
return True
r = origmatchfn(f)
return r
m.matchfn = lfmatchfn
Lucas Moscovicz
largefiles: changed overridelog to work with graphlog...
r21110
Pulkit Goyal
py3: explicitly convert a list to bytes to pass in ui.debug...
r32308 ui.debug('updated patterns: %s\n' % ', '.join(sorted(pats)))
Lucas Moscovicz
largefiles: changed overridelog to work with graphlog...
r21110 return m, pats
Siddharth Agarwal
largefiles: in overridelog, use non-lf matcher for patch generation (issue4334)...
r22169 # For hg log --patch, the match object is used in two different senses:
# (1) to determine what revisions should be printed out, and
# (2) to determine what files to print out diffs for.
# The magic matchandpats override should be used for case (1) but not for
# case (2).
Martin von Zweigbergk
largefiles: use wrappedfunction() for matchandpats() override in overridelog()...
r41719 oldmatchandpats = scmutil.matchandpats
def overridemakefilematcher(orig, repo, pats, opts, badfn=None):
Martin von Zweigbergk
log: prefer 'wctx' over 'pctx' for working context
r24534 wctx = repo[None]
Matt Harbison
scmutil: add an optional parameter to matcher factories for a bad() override...
r25467 match, pats = oldmatchandpats(wctx, pats, opts, badfn=badfn)
Yuya Nishihara
log: pass ctx to makefilematcher() and makehunksfilter() functions...
r36019 return lambda ctx: match
Siddharth Agarwal
largefiles: in overridelog, use non-lf matcher for patch generation (issue4334)...
r22169
Martin von Zweigbergk
largefiles: use wrappedfunction() for matchandpats() override in overridelog()...
r41719 wrappedmatchandpats = extensions.wrappedfunction(scmutil, 'matchandpats',
overridematchandpats)
wrappedmakefilematcher = extensions.wrappedfunction(
logcmdutil, '_makenofollowfilematcher', overridemakefilematcher)
with wrappedmatchandpats, wrappedmakefilematcher:
Matt Harbison
largefiles: preserve the exit status of the log command
r17577 return orig(ui, repo, *pats, **opts)
various
hgext: add largefiles extension...
r15168
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('verify',
opts=[('', 'large', None,
_('verify that all largefiles in current revision exists')),
('', 'lfa', None,
_('verify largefiles in all revisions, not just current')),
('', 'lfc', None,
_('verify local largefile contents, not just existence'))])
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 def overrideverify(orig, ui, repo, *pats, **opts):
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 large = opts.pop(r'large', False)
all = opts.pop(r'lfa', False)
contents = opts.pop(r'lfc', False)
various
hgext: add largefiles extension...
r15168
result = orig(ui, repo, *pats, **opts)
Mads Kiilerich
largefiles: make verify --lfa and --lfc work without --large...
r18547 if large or all or contents:
various
hgext: add largefiles extension...
r15168 result = result or lfcommands.verifylfiles(ui, repo, all, contents)
return result
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('debugstate',
opts=[('', 'large', None, _('display largefiles dirstate'))])
Mads Kiilerich
largefiles: introduce basic debugstate --large functionality...
r18144 def overridedebugstate(orig, ui, repo, *pats, **opts):
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 large = opts.pop(r'large', False)
Mads Kiilerich
largefiles: introduce basic debugstate --large functionality...
r18144 if large:
Mads Kiilerich
largefiles: full debugdirstate functionality for largefiles...
r21088 class fakerepo(object):
dirstate = lfutil.openlfdirstate(ui, repo)
orig(ui, fakerepo, *pats, **opts)
Mads Kiilerich
largefiles: introduce basic debugstate --large functionality...
r18144 else:
orig(ui, repo, *pats, **opts)
Martin Geisler
largefiles: handle merges between normal files and largefiles (issue3084)...
r15663 # Before starting the manifest merge, merge.updates will call
Mads Kiilerich
spelling: fixes from proofreading of spell checker issues
r23543 # _checkunknownfile to check if there are any files in the merged-in
Martin Geisler
largefiles: handle merges between normal files and largefiles (issue3084)...
r15663 # changeset that collide with unknown files in the working copy.
#
# The largefiles are seen as unknown, so this prevents us from merging
# in a file 'foo' if we already have a largefile with the same name.
#
# The overridden function filters the unknown files by removing any
# largefiles. This makes the merge proceed and we can then handle this
Martin von Zweigbergk
largefiles: update comments to refer to the right overridden method...
r23307 # case further in the overridden calculateupdates function below.
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(merge, '_checkunknownfile')
Martin von Zweigbergk
merge: don't overwrite untracked file at directory rename target...
r23653 def overridecheckunknownfile(origfn, repo, wctx, mctx, f, f2=None):
FUJIWARA Katsunori
largefiles: check unknown files with case awareness of the filesystem...
r19161 if lfutil.standin(repo.dirstate.normalize(f)) in wctx:
Matt Mackall
merge: refactor unknown file conflict checking...
r16093 return False
Martin von Zweigbergk
merge: don't overwrite untracked file at directory rename target...
r23653 return origfn(repo, wctx, mctx, f, f2)
Martin Geisler
largefiles: handle merges between normal files and largefiles (issue3084)...
r15663
# The manifest merge handles conflicts on the manifest level. We want
# to handle changes in largefile-ness of files at this level too.
#
Martin von Zweigbergk
largefiles: update comments to refer to the right overridden method...
r23307 # The strategy is to run the original calculateupdates and then process
Martin Geisler
largefiles: handle merges between normal files and largefiles (issue3084)...
r15663 # the action list it outputs. There are two cases we need to deal with:
#
# 1. Normal file in p1, largefile in p2. Here the largefile is
# detected via its standin file, which will enter the working copy
# with a "get" action. It is not "merge" since the standin is all
# Mercurial is concerned with at this level -- the link to the
# existing normal file is not relevant here.
#
# 2. Largefile in p1, normal file in p2. Here we get a "merge" action
# since the largefile will be present in the working copy and
# different from the normal file in p2. Mercurial therefore
# triggers a merge action.
#
# In both cases, we prompt the user and emit new actions to either
# remove the standin (if the normal file was kept) or to remove the
# normal file and get the standin (if the largefile was kept). The
# default prompt answer is to use the largefile version since it was
# presumably changed on purpose.
#
# Finally, the merge.applyupdates function will then take care of
# writing the files into the working copy and lfcommands.updatelfiles
# will update the largefiles.
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(merge, 'calculateupdates')
Mads Kiilerich
merge: pass merge ancestor to calculateupdates as a list...
r21081 def overridecalculateupdates(origfn, repo, p1, p2, pas, branchmerge, force,
Tony Tung
largefiles: don't explicitly list optional parameters that are not used...
r28193 acceptremote, *args, **kwargs):
Siddharth Agarwal
manifestmerge: pass in branchmerge and force separately...
r18605 overwrite = force and not branchmerge
Martin von Zweigbergk
merge: don't treat 'diverge' and 'renamedelete' like actions...
r23526 actions, diverge, renamedelete = origfn(
Tony Tung
largefiles: don't explicitly list optional parameters that are not used...
r28193 repo, p1, p2, pas, branchmerge, force, acceptremote, *args, **kwargs)
Mads Kiilerich
largefiles: don't process merge actions at all when overwriting
r19952
if overwrite:
Martin von Zweigbergk
merge: don't treat 'diverge' and 'renamedelete' like actions...
r23526 return actions, diverge, renamedelete
Martin Geisler
largefiles: handle merges between normal files and largefiles (issue3084)...
r15663
Martin von Zweigbergk
largefiles: rewrite merge code using dictionary with entry per file...
r23529 # Convert to dictionary with filename as key and action as value.
Martin von Zweigbergk
largefiles: start by finding files of interest...
r23530 lfiles = set()
Martin von Zweigbergk
largefiles: don't duplicate 'actions' into 'actionbyfile'
r23642 for f in actions:
Mads Kiilerich
largefiles: actions will now always have a file - drop check
r27905 splitstandin = lfutil.splitstandin(f)
Martin von Zweigbergk
merge: make calculateupdates() return file->action dict...
r23641 if splitstandin in p1:
lfiles.add(splitstandin)
elif lfutil.standin(f) in p1:
lfiles.add(f)
Martin Geisler
largefiles: handle merges between normal files and largefiles (issue3084)...
r15663
Mads Kiilerich
largefiles: make prompt order deterministic...
r27904 for lfile in sorted(lfiles):
Martin von Zweigbergk
largefiles: start by finding files of interest...
r23530 standin = lfutil.standin(lfile)
Martin von Zweigbergk
largefiles: don't duplicate 'actions' into 'actionbyfile'
r23642 (lm, largs, lmsg) = actions.get(lfile, (None, None, None))
(sm, sargs, smsg) = actions.get(standin, (None, None, None))
Martin von Zweigbergk
merge: move cd/dc prompts after largefiles prompts...
r23541 if sm in ('g', 'dc') and lm != 'r':
Siddharth Agarwal
merge: make 'cd' and 'dc' actions store the same arguments as 'm'...
r26962 if sm == 'dc':
f1, f2, fa, move, anc = sargs
Siddharth Agarwal
merge: add a new 'backup' argument to get actions...
r27655 sargs = (p2[f2].flags(), False)
Martin Geisler
largefiles: handle merges between normal files and largefiles (issue3084)...
r15663 # Case 1: normal file in the working copy, largefile in
# the second parent
Martin von Zweigbergk
largefiles: don't clobber merge action message with user message...
r23470 usermsg = _('remote turned local normal file %s into a largefile\n'
'use (l)argefile or keep (n)ormal file?'
'$$ &Largefile $$ &Normal file') % lfile
Martin von Zweigbergk
largefiles: remove redundant checks for false modify/delete conflicts...
r23483 if repo.ui.promptchoice(usermsg, 0) == 0: # pick remote largefile
Martin von Zweigbergk
largefiles: don't duplicate 'actions' into 'actionbyfile'
r23642 actions[lfile] = ('r', None, 'replaced by standin')
actions[standin] = ('g', sargs, 'replaces standin')
Mads Kiilerich
largefiles: don't show largefile/normal prompts if one side is unchanged
r23419 else: # keep local normal file
Martin von Zweigbergk
largefiles: don't duplicate 'actions' into 'actionbyfile'
r23642 actions[lfile] = ('k', None, 'replaces standin')
Martin von Zweigbergk
largefiles: don't use 'r' action for standin that doesn't exist...
r23493 if branchmerge:
Martin von Zweigbergk
largefiles: don't duplicate 'actions' into 'actionbyfile'
r23642 actions[standin] = ('k', None, 'replaced by non-standin')
Martin von Zweigbergk
largefiles: don't use 'r' action for standin that doesn't exist...
r23493 else:
Martin von Zweigbergk
largefiles: don't duplicate 'actions' into 'actionbyfile'
r23642 actions[standin] = ('r', None, 'replaced by non-standin')
Martin von Zweigbergk
merge: move cd/dc prompts after largefiles prompts...
r23541 elif lm in ('g', 'dc') and sm != 'r':
Siddharth Agarwal
merge: make 'cd' and 'dc' actions store the same arguments as 'm'...
r26962 if lm == 'dc':
f1, f2, fa, move, anc = largs
Siddharth Agarwal
merge: add a new 'backup' argument to get actions...
r27655 largs = (p2[f2].flags(), False)
Martin Geisler
largefiles: handle merges between normal files and largefiles (issue3084)...
r15663 # Case 2: largefile in the working copy, normal file in
# the second parent
Martin von Zweigbergk
largefiles: don't clobber merge action message with user message...
r23470 usermsg = _('remote turned local largefile %s into a normal file\n'
Mads Kiilerich
largefiles: use 'remote'/'local' in merge prompts like in other merge prompts...
r19967 'keep (l)argefile or use (n)ormal file?'
Matt Mackall
ui: merge prompt text components into a singe string...
r19226 '$$ &Largefile $$ &Normal file') % lfile
Martin von Zweigbergk
largefiles: remove redundant checks for false modify/delete conflicts...
r23483 if repo.ui.promptchoice(usermsg, 0) == 0: # keep local largefile
FUJIWARA Katsunori
largefiles: keep largefiles from colliding with normal one during linear merge...
r22196 if branchmerge:
# largefile can be restored from standin safely
Martin von Zweigbergk
largefiles: don't duplicate 'actions' into 'actionbyfile'
r23642 actions[lfile] = ('k', None, 'replaced by standin')
actions[standin] = ('k', None, 'replaces standin')
FUJIWARA Katsunori
largefiles: keep largefiles from colliding with normal one during linear merge...
r22196 else:
# "lfile" should be marked as "removed" without
# removal of itself
Martin von Zweigbergk
largefiles: don't duplicate 'actions' into 'actionbyfile'
r23642 actions[lfile] = ('lfmr', None,
'forget non-standin largefile')
FUJIWARA Katsunori
largefiles: keep largefiles from colliding with normal one during linear merge...
r22196
# linear-merge should treat this largefile as 're-added'
Martin von Zweigbergk
largefiles: don't duplicate 'actions' into 'actionbyfile'
r23642 actions[standin] = ('a', None, 'keep standin')
Mads Kiilerich
largefiles: don't show largefile/normal prompts if one side is unchanged
r23419 else: # pick remote normal file
Martin von Zweigbergk
largefiles: don't duplicate 'actions' into 'actionbyfile'
r23642 actions[lfile] = ('g', largs, 'replaces standin')
actions[standin] = ('r', None, 'replaced by non-standin')
Martin Geisler
largefiles: handle merges between normal files and largefiles (issue3084)...
r15663
Martin von Zweigbergk
largefiles: don't duplicate 'actions' into 'actionbyfile'
r23642 return actions, diverge, renamedelete
Martin Geisler
largefiles: handle merges between normal files and largefiles (issue3084)...
r15663
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(merge, 'recordupdates')
FUJIWARA Katsunori
largefiles: keep largefiles from colliding with normal one during linear merge...
r22196 def mergerecordupdates(orig, repo, actions, branchmerge):
if 'lfmr' in actions:
Mads Kiilerich
largefiles: mark lfile as added in lfdirstate when the standin is added...
r23695 lfdirstate = lfutil.openlfdirstate(repo.ui, repo)
FUJIWARA Katsunori
largefiles: keep largefiles from colliding with normal one during linear merge...
r22196 for lfile, args, msg in actions['lfmr']:
Mads Kiilerich
largefiles: mark lfile as added in lfdirstate when the standin is added...
r23695 # this should be executed before 'orig', to execute 'remove'
# before all other actions
FUJIWARA Katsunori
largefiles: keep largefiles from colliding with normal one during linear merge...
r22196 repo.dirstate.remove(lfile)
Mads Kiilerich
largefiles: mark lfile as added in lfdirstate when the standin is added...
r23695 # make sure lfile doesn't get synclfdirstate'd as normal
lfdirstate.add(lfile)
lfdirstate.write()
FUJIWARA Katsunori
largefiles: keep largefiles from colliding with normal one during linear merge...
r22196
return orig(repo, actions, branchmerge)
Greg Ward
largefiles: improve comments, internal docstrings...
r15252 # Override filemerge to prompt the user about how they wish to merge
Mads Kiilerich
largefiles: drop redundant special handling of merges of renames...
r20295 # largefiles. This will handle identical edits without prompting the user.
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(filemerge, '_filemerge')
Phil Cohen
merge: pass wctx to premerge, filemerge...
r34124 def overridefilemerge(origfn, premerge, repo, wctx, mynode, orig, fcd, fco, fca,
Siddharth Agarwal
filemerge: introduce a premerge flag and function...
r26607 labels=None):
Siddharth Agarwal
largefiles: fall back to the original for change/delete conflicts...
r27050 if not lfutil.isstandin(orig) or fcd.isabsent() or fco.isabsent():
Phil Cohen
merge: pass wctx to premerge, filemerge...
r34124 return origfn(premerge, repo, wctx, mynode, orig, fcd, fco, fca,
Siddharth Agarwal
filemerge: introduce a premerge flag and function...
r26607 labels=labels)
Mads Kiilerich
largefiles: stylistic cleanup of filemerge
r20298
FUJIWARA Katsunori
largefiles: use readasstandin() to read hex hash directly from filectx...
r31740 ahash = lfutil.readasstandin(fca).lower()
dhash = lfutil.readasstandin(fcd).lower()
ohash = lfutil.readasstandin(fco).lower()
Mads Kiilerich
largefiles: don't prompt when one side of merge was changed but didn't change...
r20994 if (ohash != ahash and
ohash != dhash and
(dhash == ahash or
repo.ui.promptchoice(
_('largefile %s has a merge conflict\nancestor was %s\n'
'keep (l)ocal %s or\ntake (o)ther %s?'
'$$ &Local $$ &Other') %
(lfutil.splitstandin(orig), ahash, dhash, ohash),
0) == 1)):
Mads Kiilerich
largefiles: stylistic cleanup of filemerge
r20298 repo.wwrite(fcd.path(), fco.data(), fco.flags())
Siddharth Agarwal
filemerge: return whether the file was deleted...
r27034 return True, 0, False
various
hgext: add largefiles extension...
r15168
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(copiesmod, 'pathcopies')
Durham Goode
copies: add matcher parameter to copy logic...
r24782 def copiespathcopies(orig, ctx1, ctx2, match=None):
copies = orig(ctx1, ctx2, match=match)
Matt Harbison
largefiles: report the source of copied/moved largefiles in status -C...
r24230 updated = {}
for k, v in copies.iteritems():
updated[lfutil.splitstandin(k) or k] = lfutil.splitstandin(v) or v
return updated
Greg Ward
largefiles: improve comments, internal docstrings...
r15252 # Copy first changes the matchers to match standins instead of
# largefiles. Then it overrides util.copyfile in that function it
# checks if the destination largefile already exists. It also keeps a
# list of copied files so that the largefiles can be copied and the
# dirstate updated.
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(cmdutil, 'copy')
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 def overridecopy(orig, ui, repo, pats, opts, rename=False):
Greg Ward
largefiles: improve comments, internal docstrings...
r15252 # doesn't remove largefile on rename
various
hgext: add largefiles extension...
r15168 if len(pats) < 2:
# this isn't legal, let the original function deal with it
return orig(ui, repo, pats, opts, rename)
Greg Ward
largefiles: more work on cleaning up comments...
r15254 # This could copy both lfiles and normal files in one command,
# but we don't want to do that. First replace their matcher to
# only match normal files and run it, then replace it to just
# match largefiles and run it again.
various
hgext: add largefiles extension...
r15168 nonormalfiles = False
nolfiles = False
Martin von Zweigbergk
largefiles: use wrappedfunction() for "normal files match" in overridecopy()...
r41722 manifest = repo[None].manifest()
def normalfilesmatchfn(orig, ctx, pats=(), opts=None, globbed=False,
default='relpath', badfn=None):
if opts is None:
opts = {}
match = orig(ctx, pats, opts, globbed, default, badfn=badfn)
return composenormalfilematcher(match, manifest)
with extensions.wrappedfunction(scmutil, 'match', normalfilesmatchfn):
try:
result = orig(ui, repo, pats, opts, rename)
except error.Abort as e:
if pycompat.bytestr(e) != _('no files to copy'):
raise e
else:
nonormalfiles = True
result = 0
various
hgext: add largefiles extension...
r15168
# The first rename can cause our current working directory to be removed.
# In that case there is nothing left to copy/rename so just quit.
try:
repo.getcwd()
except OSError:
return result
Matt Harbison
largefiles: use the core file copy logic to validate the destination path...
r24006 def makestandin(relpath):
path = pathutil.canonpath(repo.root, repo.getcwd(), relpath)
liscju
largefiles: replace invocation of os.path module by vfs in overrides.py...
r28715 return repo.wvfs.join(lfutil.standin(path))
Matt Harbison
largefiles: use the core file copy logic to validate the destination path...
r24006
fullpats = scmutil.expandpats(pats)
dest = fullpats[-1]
if os.path.isdir(dest):
if not os.path.isdir(makestandin(dest)):
os.makedirs(makestandin(dest))
various
hgext: add largefiles extension...
r15168 try:
Matt Mackall
largefiles: use try/except/finally
r25079 # When we call orig below it creates the standins but we don't add
# them to the dir state until later so lock during that time.
wlock = repo.wlock()
various
hgext: add largefiles extension...
r15168
Matt Mackall
largefiles: use try/except/finally
r25079 manifest = repo[None].manifest()
Martin von Zweigbergk
largefiles: use wrappedfunction() for match() override in overridecopy()...
r41721 def overridematch(orig, ctx, pats=(), opts=None, globbed=False,
Matt Harbison
scmutil: add an optional parameter to matcher factories for a bad() override...
r25467 default='relpath', badfn=None):
Pierre-Yves David
largefiles: remove a mutable default argument...
r26341 if opts is None:
opts = {}
Matt Mackall
largefiles: use try/except/finally
r25079 newpats = []
# The patterns were previously mangled to add the standin
# directory; we need to remove that now
various
hgext: add largefiles extension...
r15168 for pat in pats:
liscju
largefiles: rename match_ to matchmod import in overrides
r29318 if matchmod.patkind(pat) is None and lfutil.shortname in pat:
Matt Mackall
largefiles: use try/except/finally
r25079 newpats.append(pat.replace(lfutil.shortname, ''))
various
hgext: add largefiles extension...
r15168 else:
Matt Mackall
largefiles: use try/except/finally
r25079 newpats.append(pat)
Martin von Zweigbergk
largefiles: use wrappedfunction() for match() override in overridecopy()...
r41721 match = orig(ctx, newpats, opts, globbed, default, badfn=badfn)
Matt Mackall
largefiles: use try/except/finally
r25079 m = copy.copy(match)
lfile = lambda f: lfutil.standin(f) in manifest
m._files = [lfutil.standin(f) for f in m._files if lfile(f)]
Martin von Zweigbergk
match: make _fileroots a @propertycache and rename it to _fileset...
r32323 m._fileset = set(m._files)
Matt Mackall
largefiles: use try/except/finally
r25079 origmatchfn = m.matchfn
FUJIWARA Katsunori
largefiles: omit redundant isstandin() before splitstandin()...
r31613 def matchfn(f):
lfile = lfutil.splitstandin(f)
return (lfile is not None and
(f in manifest) and
origmatchfn(lfile) or
None)
m.matchfn = matchfn
Matt Mackall
largefiles: use try/except/finally
r25079 return m
listpats = []
for pat in pats:
liscju
largefiles: rename match_ to matchmod import in overrides
r29318 if matchmod.patkind(pat) is not None:
Matt Mackall
largefiles: use try/except/finally
r25079 listpats.append(pat)
else:
listpats.append(makestandin(pat))
various
hgext: add largefiles extension...
r15168
Martin von Zweigbergk
largefiles: use wrappedfunction() for util.copyfile() override...
r41720 copiedfiles = []
def overridecopyfile(orig, src, dest, *args, **kwargs):
if (lfutil.shortname in src and
dest.startswith(repo.wjoin(lfutil.shortname))):
destlfile = dest.replace(lfutil.shortname, '')
if not opts['force'] and os.path.exists(destlfile):
raise IOError('',
_('destination largefile already exists'))
copiedfiles.append((src, dest))
orig(src, dest, *args, **kwargs)
Martin von Zweigbergk
largefiles: use wrappedfunction() for match() override in overridecopy()...
r41721 with extensions.wrappedfunction(util, 'copyfile', overridecopyfile), \
extensions.wrappedfunction(scmutil, 'match', overridematch):
Matt Mackall
largefiles: use try/except/finally
r25079 result += orig(ui, repo, listpats, opts, rename)
Matt Harbison
largefiles: remove directories emptied after their files are moved (issue3515)
r21196
Matt Mackall
largefiles: use try/except/finally
r25079 lfdirstate = lfutil.openlfdirstate(ui, repo)
for (src, dest) in copiedfiles:
if (lfutil.shortname in src and
dest.startswith(repo.wjoin(lfutil.shortname))):
srclfile = src.replace(repo.wjoin(lfutil.standin('')), '')
destlfile = dest.replace(repo.wjoin(lfutil.standin('')), '')
liscju
largefiles: replace invocation of os.path module by vfs in overrides.py...
r28715 destlfiledir = repo.wvfs.dirname(repo.wjoin(destlfile)) or '.'
Matt Mackall
largefiles: use try/except/finally
r25079 if not os.path.isdir(destlfiledir):
os.makedirs(destlfiledir)
if rename:
os.rename(repo.wjoin(srclfile), repo.wjoin(destlfile))
Matt Harbison
largefiles: fix path handling for cp/mv (issue3516)...
r17245
Matt Mackall
largefiles: use try/except/finally
r25079 # The file is gone, but this deletes any empty parent
# directories as a side-effect.
Mads Kiilerich
vfs: use repo.wvfs.unlinkpath
r31309 repo.wvfs.unlinkpath(srclfile, ignoremissing=True)
Matt Mackall
largefiles: use try/except/finally
r25079 lfdirstate.remove(srclfile)
else:
util.copyfile(repo.wjoin(srclfile),
repo.wjoin(destlfile))
lfdirstate.add(destlfile)
lfdirstate.write()
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 except error.Abort as e:
Pulkit Goyal
py3: use pycompat.bytestr() to convert error messages to bytes...
r36671 if pycompat.bytestr(e) != _('no files to copy'):
Matt Mackall
largefiles: use try/except/finally
r25079 raise e
else:
nolfiles = True
various
hgext: add largefiles extension...
r15168 finally:
wlock.release()
if nolfiles and nonormalfiles:
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 raise error.Abort(_('no files to copy'))
various
hgext: add largefiles extension...
r15168
return result
Greg Ward
largefiles: more work on cleaning up comments...
r15254 # When the user calls revert, we have to be careful to not revert any
# changes to other largefiles accidentally. This means we have to keep
# track of the largefiles that are being reverted so we only pull down
# the necessary largefiles.
various
hgext: add largefiles extension...
r15168 #
Greg Ward
largefiles: more work on cleaning up comments...
r15254 # Standins are only updated (to match the hash of largefiles) before
# commits. Update the standins then run the original revert, changing
# the matcher to hit standins instead of largefiles. Based on the
Mads Kiilerich
largefiles: simplify revert - use getstandinsstate like other commands do
r21094 # resulting standins update the largefiles.
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(cmdutil, 'revert')
Martin von Zweigbergk
largefiles: override cmdutil.revert() instead of comands.revert()...
r24436 def overriderevert(orig, ui, repo, ctx, parents, *pats, **opts):
Greg Ward
largefiles: more work on cleaning up comments...
r15254 # Because we put the standins in a bad state (by updating them)
# and then return them to a correct state we need to lock to
# prevent others from changing them in their incorrect state.
Bryan O'Sullivan
with: use context manager for wlock in overriderevert
r27823 with repo.wlock():
various
hgext: add largefiles extension...
r15168 lfdirstate = lfutil.openlfdirstate(ui, repo)
Mads Kiilerich
largefiles: remove confusing rev parameter for lfdirstatestatus...
r23039 s = lfutil.lfdirstatestatus(lfdirstate, repo)
Mads Kiilerich
largefiles revert: update lfdirstate with result from first cleanliness check...
r18140 lfdirstate.write()
Martin von Zweigbergk
largefiles: access status fields by name rather than index
r22919 for lfile in s.modified:
FUJIWARA Katsunori
largefiles: add lfile argument to updatestandin() for efficiency (API)...
r31659 lfutil.updatestandin(repo, lfile, lfutil.standin(lfile))
Martin von Zweigbergk
largefiles: access status fields by name rather than index
r22919 for lfile in s.deleted:
FUJIWARA Katsunori
largefiles: avoid redundant standin() invocations...
r31618 fstandin = lfutil.standin(lfile)
if (repo.wvfs.exists(fstandin)):
repo.wvfs.unlink(fstandin)
various
hgext: add largefiles extension...
r15168
Mads Kiilerich
largefiles: simplify revert - use getstandinsstate like other commands do
r21094 oldstandins = lfutil.getstandinsstate(repo)
Martin von Zweigbergk
largefiles: use wrappedfunction() in overriderevert()...
r41723 def overridematch(orig, mctx, pats=(), opts=None, globbed=False,
Matt Harbison
scmutil: add an optional parameter to matcher factories for a bad() override...
r25467 default='relpath', badfn=None):
Pierre-Yves David
largefiles: remove a mutable default argument...
r26343 if opts is None:
opts = {}
Martin von Zweigbergk
largefiles: use wrappedfunction() in overriderevert()...
r41723 match = orig(mctx, pats, opts, globbed, default, badfn=badfn)
Mads Kiilerich
largefiles: revert override, install matchfn outside the try/except restoring it
r21095 m = copy.copy(match)
Matt Harbison
largefiles: don't warn when reverting a forgotten largefile...
r24133
# revert supports recursing into subrepos, and though largefiles
# currently doesn't work correctly in that case, this match is
# called, so the lfdirstate above may not be the correct one for
# this invocation of match.
Martin von Zweigbergk
largefiles: override cmdutil.revert() instead of comands.revert()...
r24436 lfdirstate = lfutil.openlfdirstate(mctx.repo().ui, mctx.repo(),
False)
Matt Harbison
largefiles: don't warn when reverting a forgotten largefile...
r24133
FUJIWARA Katsunori
largefiles: avoid redundant changectx looking up at each repetitions...
r31654 wctx = repo[None]
FUJIWARA Katsunori
largefiles: avoid redundant loop to eliminate None from list...
r31656 matchfiles = []
for f in m._files:
Martin von Zweigbergk
largefiles: extract and reuse 'standin' variable in overriderevert()
r24437 standin = lfutil.standin(f)
Martin von Zweigbergk
revert: evaluate filesets against working directory (issue4497)...
r24438 if standin in ctx or standin in mctx:
FUJIWARA Katsunori
largefiles: avoid redundant loop to eliminate None from list...
r31656 matchfiles.append(standin)
FUJIWARA Katsunori
largefiles: avoid redundant changectx looking up at each repetitions...
r31654 elif standin in wctx or lfdirstate[f] == 'r':
FUJIWARA Katsunori
largefiles: avoid redundant loop to eliminate None from list...
r31656 continue
else:
matchfiles.append(f)
m._files = matchfiles
Martin von Zweigbergk
match: make _fileroots a @propertycache and rename it to _fileset...
r32323 m._fileset = set(m._files)
Mads Kiilerich
largefiles: revert override, install matchfn outside the try/except restoring it
r21095 origmatchfn = m.matchfn
def matchfn(f):
FUJIWARA Katsunori
largefiles: omit redundant isstandin() before splitstandin()...
r31613 lfile = lfutil.splitstandin(f)
if lfile is not None:
return (origmatchfn(lfile) and
Martin von Zweigbergk
revert: evaluate filesets against working directory (issue4497)...
r24438 (f in ctx or f in mctx))
Mads Kiilerich
largefiles: revert override, install matchfn outside the try/except restoring it
r21095 return origmatchfn(f)
m.matchfn = matchfn
return m
Martin von Zweigbergk
largefiles: use wrappedfunction() in overriderevert()...
r41723 with extensions.wrappedfunction(scmutil, 'match', overridematch):
Martin von Zweigbergk
largefiles: override cmdutil.revert() instead of comands.revert()...
r24436 orig(ui, repo, ctx, parents, *pats, **opts)
Greg Ward
largefiles: more work on cleaning up comments...
r15254
Mads Kiilerich
largefiles: simplify revert - use getstandinsstate like other commands do
r21094 newstandins = lfutil.getstandinsstate(repo)
filelist = lfutil.getlfilestoupdate(oldstandins, newstandins)
FUJIWARA Katsunori
largefiles: use "normallookup" on "lfdirstate" while reverting...
r21934 # lfdirstate should be 'normallookup'-ed for updated files,
# because reverting doesn't touch dirstate for 'normal' files
# when target revision is explicitly specified: in such case,
# 'n' and valid timestamp in dirstate doesn't ensure 'clean'
# of target (standin) file.
lfcommands.updatelfiles(ui, repo, filelist, printmessage=False,
normallookup=True)
Mads Kiilerich
largefiles: simplify revert - use getstandinsstate like other commands do
r21094
FUJIWARA Katsunori
largefiles: remove meaningless code path for "hg pull --rebase"...
r23183 # after pulling changesets, we need to take some extra care to get
# largefiles updated remotely
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('pull',
opts=[('', 'all-largefiles', None,
_('download all pulled versions of largefiles (DEPRECATED)')),
('', 'lfrev', [],
_('download largefiles for these revisions'), _('REV'))])
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 def overridepull(orig, ui, repo, source=None, **opts):
Na'Tosha Bard
largefiles: add --all-largefiles flag to pull
r16692 revsprepull = len(repo)
Mads Kiilerich
largefiles: refactor overridepull internals
r18977 if not source:
source = 'default'
repo.lfpullsource = source
FUJIWARA Katsunori
largefiles: remove meaningless code path for "hg pull --rebase"...
r23183 result = orig(ui, repo, source, **opts)
Mads Kiilerich
largefiles: refactor overridepull internals
r18977 revspostpull = len(repo)
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 lfrevs = opts.get(r'lfrev', [])
if opts.get(r'all_largefiles'):
Mads Kiilerich
largefiles: implement pull --all-largefiles as a special case of --lfrev
r18981 lfrevs.append('pulled()')
Mads Kiilerich
largefiles: introduce pull --lfrev option...
r18978 if lfrevs and revspostpull > revsprepull:
numcached = 0
Mads Kiilerich
largefiles: introduce pulled() revset expression for use in --lfrev...
r18979 repo.firstpulled = revsprepull # for pulled() revset expression
try:
for rev in scmutil.revrange(repo, lfrevs):
Augie Fackler
largefiles: use %d instead of %s to process ints...
r36754 ui.note(_('pulling largefiles for revision %d\n') % rev)
Mads Kiilerich
largefiles: introduce pulled() revset expression for use in --lfrev...
r18979 (cached, missing) = lfcommands.cachelfiles(ui, repo, rev)
numcached += len(cached)
finally:
del repo.firstpulled
Mads Kiilerich
largefiles: introduce pull --lfrev option...
r18978 ui.status(_("%d largefiles cached\n") % numcached)
various
hgext: add largefiles extension...
r15168 return result
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('push',
opts=[('', 'lfrev', [],
_('upload largefiles for these revisions'), _('REV'))])
Mads Kiilerich
largefiles: introduce push --lfrev to control which revisions are pushed...
r28878 def overridepush(orig, ui, repo, *args, **kwargs):
"""Override push command and store --lfrev parameters in opargs"""
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 lfrevs = kwargs.pop(r'lfrev', None)
Mads Kiilerich
largefiles: introduce push --lfrev to control which revisions are pushed...
r28878 if lfrevs:
Pulkit Goyal
py3: fix handling of keyword arguments at more places...
r36418 opargs = kwargs.setdefault(r'opargs', {})
Mads Kiilerich
largefiles: introduce push --lfrev to control which revisions are pushed...
r28878 opargs['lfrevs'] = scmutil.revrange(repo, lfrevs)
return orig(ui, repo, *args, **kwargs)
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(exchange, 'pushoperation')
Mads Kiilerich
largefiles: introduce push --lfrev to control which revisions are pushed...
r28878 def exchangepushoperation(orig, *args, **kwargs):
"""Override pushoperation constructor and store lfrevs parameter"""
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 lfrevs = kwargs.pop(r'lfrevs', None)
Mads Kiilerich
largefiles: introduce push --lfrev to control which revisions are pushed...
r28878 pushop = orig(*args, **kwargs)
pushop.lfrevs = lfrevs
return pushop
Matt Harbison
largefiles: port revset registration to exthelper...
r41097 @eh.revsetpredicate('pulled()')
Mads Kiilerich
largefiles: introduce pulled() revset expression for use in --lfrev...
r18979 def pulledrevsetsymbol(repo, subset, x):
FUJIWARA Katsunori
revset: use delayregistrar to register predicate in extension easily...
r27586 """Changesets that just has been pulled.
Mads Kiilerich
largefiles: introduce pulled() revset expression for use in --lfrev...
r18979
Only available with largefiles from pull --lfrev expressions.
.. container:: verbose
Some examples:
- pull largefiles for all new changesets::
hg pull -lfrev "pulled()"
- pull largefiles for all new branch heads::
hg pull -lfrev "head(pulled()) and not closed()"
"""
try:
firstpulled = repo.firstpulled
except AttributeError:
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 raise error.Abort(_("pulled() only available in --lfrev"))
Yuya Nishihara
revset: import set classes directly from smartset module...
r31023 return smartset.baseset([r for r in subset if r >= firstpulled])
Mads Kiilerich
largefiles: introduce pulled() revset expression for use in --lfrev...
r18979
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('clone',
opts=[('', 'all-largefiles', None,
_('download all versions of all largefiles'))])
Na'Tosha Bard
largefiles: add --all-largefiles flag to clone (issue3188)
r16644 def overrideclone(orig, ui, source, dest=None, **opts):
Matt Harbison
largefiles: don't convert dest=None to dest=hg.defaultdest() in clone command...
r17600 d = dest
if d is None:
d = hg.defaultdest(source)
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 if opts.get(r'all_largefiles') and not hg.islocal(d):
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 raise error.Abort(_(
FUJIWARA Katsunori
i18n: fix "% inside _()" problem
r21096 '--all-largefiles is incompatible with non-local destination %s') %
d)
Matt Harbison
largefiles: delegate to the wrapped clone command...
r17601
return orig(ui, source, dest, **opts)
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(hg, 'clone')
Matt Harbison
largefiles: delegate to the wrapped clone command...
r17601 def hgclone(orig, ui, opts, *args, **kwargs):
result = orig(ui, opts, *args, **kwargs)
Matt Harbison
largefiles: always create the cache and standin directories when cloning...
r17824 if result is not None:
Na'Tosha Bard
largefiles: add --all-largefiles flag to clone (issue3188)
r16644 sourcerepo, destrepo = result
Matt Harbison
largefiles: restore caching of largefiles with 'clone -U --all-largefiles'...
r17599 repo = destrepo.local()
Matt Harbison
largefiles: don't crash when cloning to a remote repo...
r24812 # When cloning to a remote repo (like through SSH), no repo is available
# from the peer. Therefore the largefiles can't be downloaded and the
# hgrc can't be updated.
if not repo:
return result
Matt Harbison
largefiles: restore caching of largefiles with 'clone -U --all-largefiles'...
r17599 # Caching is implicitly limited to 'rev' option, since the dest repo was
Matt Harbison
largefiles: always create the cache and standin directories when cloning...
r17824 # truncated at that point. The user may expect a download count with
# this option, so attempt whether or not this is a largefile repo.
Augie Fackler
largefiles: opts appears to already be bytes in this instance...
r37773 if opts.get('all_largefiles'):
Matt Harbison
largefiles: always create the cache and standin directories when cloning...
r17824 success, missing = lfcommands.downloadlfiles(ui, repo, None)
Matt Harbison
largefiles: delegate to the wrapped clone command...
r17601
Matt Harbison
largefiles: always create the cache and standin directories when cloning...
r17824 if missing != 0:
return None
Matt Harbison
largefiles: delegate to the wrapped clone command...
r17601
return result
Na'Tosha Bard
largefiles: add --all-largefiles flag to clone (issue3188)
r16644
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('rebase', extension='rebase')
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 def overriderebase(orig, ui, repo, **opts):
FUJIWARA Katsunori
largefiles: access to specific fields only if largefiles enabled (issue4547)...
r24158 if not util.safehasattr(repo, '_largefilesenabled'):
return orig(ui, repo, **opts)
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 resuming = opts.get(r'continue')
FUJIWARA Katsunori
largefiles: update standins only at the 1st commit of "hg rebase --continue"...
r23187 repo._lfcommithooks.append(lfutil.automatedcommithook(resuming))
FUJIWARA Katsunori
largefiles: avoid printing messages while rebasing by "_lfstatuswriters"...
r23190 repo._lfstatuswriters.append(lambda *msg, **opts: None)
various
hgext: add largefiles extension...
r15168 try:
Matt Harbison
largefiles: preserve the exit status of the rebase command
r17578 return orig(ui, repo, **opts)
various
hgext: add largefiles extension...
r15168 finally:
FUJIWARA Katsunori
largefiles: avoid printing messages while rebasing by "_lfstatuswriters"...
r23190 repo._lfstatuswriters.pop()
FUJIWARA Katsunori
largefiles: update standins only at the 1st commit of "hg rebase --continue"...
r23187 repo._lfcommithooks.pop()
various
hgext: add largefiles extension...
r15168
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('archive')
Matt Harbison
largefiles: allow the archiving of largefiles to be disabled...
r25811 def overridearchivecmd(orig, ui, repo, dest, **opts):
repo.unfiltered().lfstatus = True
try:
return orig(ui, repo.unfiltered(), dest, **opts)
finally:
repo.unfiltered().lfstatus = False
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(webcommands, 'archive')
Gregory Szorc
hgweb: stop passing req and tmpl into @webcommand functions (API)...
r36903 def hgwebarchive(orig, web):
Matt Harbison
largefiles: restore archiving largefiles with hgweb (issue4859)...
r26417 web.repo.lfstatus = True
try:
Gregory Szorc
hgweb: stop passing req and tmpl into @webcommand functions (API)...
r36903 return orig(web)
Matt Harbison
largefiles: restore archiving largefiles with hgweb (issue4859)...
r26417 finally:
web.repo.lfstatus = False
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(archival, 'archive')
Martin von Zweigbergk
archive: change "matcnfn" argument to a real matcher...
r40443 def overridearchive(orig, repo, dest, node, kind, decode=True, match=None,
Matt Harbison
archive: change the default prefix to '' from None...
r24172 prefix='', mtime=None, subrepos=None):
Matt Harbison
largefiles: restore archiving largefiles with hgweb (issue4859)...
r26417 # For some reason setting repo.lfstatus in hgwebarchive only changes the
# unfiltered repo's attr, so check that as well.
if not repo.lfstatus and not repo.unfiltered().lfstatus:
Martin von Zweigbergk
archive: change "matcnfn" argument to a real matcher...
r40443 return orig(repo, dest, node, kind, decode, match, prefix, mtime,
Matt Harbison
largefiles: allow the archiving of largefiles to be disabled...
r25811 subrepos)
Greg Ward
largefiles: more work on cleaning up comments...
r15254 # No need to lock because we are only reading history and
# largefile caches, neither of which are modified.
Matt Harbison
archive: support 'wdir()'...
r25601 if node is not None:
lfcommands.cachelfiles(repo.ui, repo, node)
various
hgext: add largefiles extension...
r15168
if kind not in archival.archivers:
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 raise error.Abort(_("unknown archive type '%s'") % kind)
various
hgext: add largefiles extension...
r15168
ctx = repo[node]
Na'Tosha Bard
largefiles: remove pre-1.9 code from extension first bundled with 1.9
r15224 if kind == 'files':
if prefix:
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 raise error.Abort(
Na'Tosha Bard
largefiles: remove pre-1.9 code from extension first bundled with 1.9
r15224 _('cannot give prefix when archiving to files'))
else:
prefix = archival.tidyprefix(dest, kind, prefix)
various
hgext: add largefiles extension...
r15168
Na'Tosha Bard
largefiles: remove pre-1.9 code from extension first bundled with 1.9
r15224 def write(name, mode, islink, getdata):
Martin von Zweigbergk
archive: change "matcnfn" argument to a real matcher...
r40443 if match and not match(name):
Na'Tosha Bard
largefiles: remove pre-1.9 code from extension first bundled with 1.9
r15224 return
data = getdata()
if decode:
data = repo.wwritedata(name, data)
archiver.addfile(prefix + name, mode, islink, data)
various
hgext: add largefiles extension...
r15168
Na'Tosha Bard
largefiles: remove pre-1.9 code from extension first bundled with 1.9
r15224 archiver = archival.archivers[kind](dest, mtime or ctx.date()[0])
various
hgext: add largefiles extension...
r15168
Jun Wu
codemod: register core configitems using a script...
r33499 if repo.ui.configbool("ui", "archivemeta"):
Gregory Szorc
global: mass rewrite to use modern octal syntax...
r25658 write('.hg_archival.txt', 0o644, False,
Yuya Nishihara
largefiles: use common function to build content of .hg_archival.txt...
r24680 lambda: archival.buildmetadata(ctx))
various
hgext: add largefiles extension...
r15168
for f in ctx:
ff = ctx.flags(f)
getdata = ctx[f].data
FUJIWARA Katsunori
largefiles: omit redundant isstandin() before splitstandin()...
r31613 lfile = lfutil.splitstandin(f)
if lfile is not None:
Matt Harbison
archive: support 'wdir()'...
r25601 if node is not None:
path = lfutil.findfile(repo, getdata().strip())
if path is None:
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 raise error.Abort(
Matt Harbison
archive: support 'wdir()'...
r25601 _('largefile %s not found in repo store or system cache')
FUJIWARA Katsunori
largefiles: omit redundant isstandin() before splitstandin()...
r31613 % lfile)
Matt Harbison
archive: support 'wdir()'...
r25601 else:
FUJIWARA Katsunori
largefiles: omit redundant isstandin() before splitstandin()...
r31613 path = lfile
Matt Harbison
archive: support 'wdir()'...
r25601
FUJIWARA Katsunori
largefiles: omit redundant isstandin() before splitstandin()...
r31613 f = lfile
various
hgext: add largefiles extension...
r15168
Bryan O'Sullivan
largefiles: use util.readfile in overrides
r27772 getdata = lambda: util.readfile(path)
Gregory Szorc
global: mass rewrite to use modern octal syntax...
r25658 write(f, 'x' in ff and 0o755 or 0o644, 'l' in ff, getdata)
various
hgext: add largefiles extension...
r15168
if subrepos:
Mads Kiilerich
subrepos: process subrepos in sorted order...
r18364 for subpath in sorted(ctx.substate):
Matt Harbison
archive: support 'wdir()'...
r25601 sub = ctx.workingsub(subpath)
Martin von Zweigbergk
archive: change "matcnfn" argument to a real matcher...
r40443 submatch = matchmod.subdirmatcher(subpath, match)
Martin von Zweigbergk
subrepo: adjust subrepo prefix before calling subrepo.archive() (API)...
r41780 subprefix = prefix + subpath + '/'
Matt Harbison
largefiles: allow the archiving of largefiles to be disabled...
r25811 sub._repo.lfstatus = True
Martin von Zweigbergk
subrepo: adjust subrepo prefix before calling subrepo.archive() (API)...
r41780 sub.archive(archiver, subprefix, submatch)
various
hgext: add largefiles extension...
r15168
archiver.done()
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(subrepo.hgsubrepo, 'archive')
Matt Harbison
subrepo: run the repo decoders when archiving...
r31099 def hgsubrepoarchive(orig, repo, archiver, prefix, match=None, decode=True):
Matt Harbison
largefiles: avoid a crash when archiving a subrepo with largefiles disabled...
r32835 lfenabled = util.safehasattr(repo._repo, '_largefilesenabled')
if not lfenabled or not repo._repo.lfstatus:
Matt Harbison
subrepo: run the repo decoders when archiving...
r31099 return orig(repo, archiver, prefix, match, decode)
Matt Harbison
largefiles: allow the archiving of largefiles to be disabled...
r25811
Matt Harbison
largefiles: download missing subrepo revs when archiving...
r17695 repo._get(repo._state + ('hg',))
Matt Harbison
largefiles: make archive -S store largefiles instead of standins...
r16578 rev = repo._state[1]
ctx = repo._repo[rev]
Matt Harbison
archive: support 'wdir()'...
r25601 if ctx.node() is not None:
lfcommands.cachelfiles(repo.ui, repo._repo, ctx.node())
Matt Harbison
largefiles: make archive -S store largefiles instead of standins...
r16578
def write(name, mode, islink, getdata):
Matt Harbison
subrepo: propagate matcher to subrepos when archiving...
r17108 # At this point, the standin has been replaced with the largefile name,
# so the normal matcher works here without the lfutil variants.
if match and not match(f):
return
Matt Harbison
largefiles: make archive -S store largefiles instead of standins...
r16578 data = getdata()
Matt Harbison
subrepo: run the repo decoders when archiving...
r31099 if decode:
data = repo._repo.wwritedata(name, data)
Matt Harbison
largefiles: make archive -S store largefiles instead of standins...
r16578
Martin von Zweigbergk
subrepo: adjust subrepo prefix before calling subrepo.archive() (API)...
r41780 archiver.addfile(prefix + name, mode, islink, data)
Matt Harbison
largefiles: make archive -S store largefiles instead of standins...
r16578
for f in ctx:
ff = ctx.flags(f)
getdata = ctx[f].data
FUJIWARA Katsunori
largefiles: omit redundant isstandin() before splitstandin()...
r31613 lfile = lfutil.splitstandin(f)
if lfile is not None:
Matt Harbison
archive: support 'wdir()'...
r25601 if ctx.node() is not None:
path = lfutil.findfile(repo._repo, getdata().strip())
if path is None:
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 raise error.Abort(
Matt Harbison
archive: support 'wdir()'...
r25601 _('largefile %s not found in repo store or system cache')
FUJIWARA Katsunori
largefiles: omit redundant isstandin() before splitstandin()...
r31613 % lfile)
Matt Harbison
archive: support 'wdir()'...
r25601 else:
FUJIWARA Katsunori
largefiles: omit redundant isstandin() before splitstandin()...
r31613 path = lfile
Matt Harbison
archive: support 'wdir()'...
r25601
FUJIWARA Katsunori
largefiles: omit redundant isstandin() before splitstandin()...
r31613 f = lfile
Matt Harbison
largefiles: make archive -S store largefiles instead of standins...
r16578
Bryan O'Sullivan
largefiles: use util.readfile in overrides
r27772 getdata = lambda: util.readfile(os.path.join(prefix, path))
Matt Harbison
largefiles: make archive -S store largefiles instead of standins...
r16578
Gregory Szorc
global: mass rewrite to use modern octal syntax...
r25658 write(f, 'x' in ff and 0o755 or 0o644, 'l' in ff, getdata)
Matt Harbison
largefiles: make archive -S store largefiles instead of standins...
r16578
Mads Kiilerich
subrepos: process subrepos in sorted order...
r18364 for subpath in sorted(ctx.substate):
Matt Harbison
archive: support 'wdir()'...
r25601 sub = ctx.workingsub(subpath)
liscju
largefiles: rename match_ to matchmod import in overrides
r29318 submatch = matchmod.subdirmatcher(subpath, match)
Martin von Zweigbergk
subrepo: adjust subrepo prefix before calling subrepo.archive() (API)...
r41780 subprefix = prefix + subpath + '/'
Matt Harbison
largefiles: allow the archiving of largefiles to be disabled...
r25811 sub._repo.lfstatus = True
Martin von Zweigbergk
subrepo: adjust subrepo prefix before calling subrepo.archive() (API)...
r41780 sub.archive(archiver, subprefix, submatch, decode)
Matt Harbison
largefiles: make archive -S store largefiles instead of standins...
r16578
Greg Ward
largefiles: more work on cleaning up comments...
r15254 # If a largefile is modified, the change is not reflected in its
# standin until a commit. cmdutil.bailifchanged() raises an exception
# if the repo has uncommitted changes. Wrap it to also check if
Matt Harbison
largefiles: drop the override for 'fetch'...
r23441 # largefiles were changed. This is used by bisect, backout and fetch.
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(cmdutil, 'bailifchanged')
FUJIWARA Katsunori
cmdutil: allow bailifchanged to ignore merging in progress...
r24472 def overridebailifchanged(orig, repo, *args, **kwargs):
orig(repo, *args, **kwargs)
various
hgext: add largefiles extension...
r15168 repo.lfstatus = True
Martin von Zweigbergk
largefiles: access status fields by name rather than index
r22919 s = repo.status()
various
hgext: add largefiles extension...
r15168 repo.lfstatus = False
Martin von Zweigbergk
largefiles: access status fields by name rather than index
r22919 if s.modified or s.added or s.removed or s.deleted:
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 raise error.Abort(_('uncommitted changes'))
various
hgext: add largefiles extension...
r15168
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(cmdutil, 'postcommitstatus')
Matt Harbison
largefiles: report the missing file count after a commit that does nothing...
r27944 def postcommitstatus(orig, repo, *args, **kwargs):
repo.lfstatus = True
try:
return orig(repo, *args, **kwargs)
finally:
repo.lfstatus = False
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(cmdutil, 'forget')
Martin von Zweigbergk
forget: pass around uipathfn and use instead of m.rel() (API)...
r41802 def cmdutilforget(orig, ui, repo, match, prefix, uipathfn, explicitonly, dryrun,
Sushil khanchi
forget: rename --confirm to --interactive...
r37796 interactive):
Matt Harbison
largefiles: enable subrepo support for forget
r23837 normalmatcher = composenormalfilematcher(match, repo[None].manifest())
Martin von Zweigbergk
forget: pass around uipathfn and use instead of m.rel() (API)...
r41802 bad, forgot = orig(ui, repo, normalmatcher, prefix, uipathfn, explicitonly,
dryrun, interactive)
Matt Harbison
largefiles: enable subrepo support for forget
r23837 m = composelargefilematcher(match, repo[None].manifest())
various
hgext: add largefiles extension...
r15168
try:
repo.lfstatus = True
s = repo.status(match=m, clean=True)
finally:
repo.lfstatus = False
FUJIWARA Katsunori
largefiles: avoid redundant changectx looking up at each repetitions...
r31654 manifest = repo[None].manifest()
Martin von Zweigbergk
largefiles: access status fields by name rather than index
r22919 forget = sorted(s.modified + s.added + s.deleted + s.clean)
FUJIWARA Katsunori
largefiles: avoid redundant changectx looking up at each repetitions...
r31654 forget = [f for f in forget if lfutil.standin(f) in manifest]
various
hgext: add largefiles extension...
r15168
for f in forget:
FUJIWARA Katsunori
largefiles: avoid redundant standin() invocations...
r31618 fstandin = lfutil.standin(f)
if fstandin not in repo.dirstate and not repo.wvfs.isdir(fstandin):
various
hgext: add largefiles extension...
r15168 ui.warn(_('not removing %s: file is already untracked\n')
Martin von Zweigbergk
forget: pass around uipathfn and use instead of m.rel() (API)...
r41802 % uipathfn(f))
Matt Harbison
largefiles: enable subrepo support for forget
r23837 bad.append(f)
various
hgext: add largefiles extension...
r15168
for f in forget:
if ui.verbose or not m.exact(f):
Martin von Zweigbergk
forget: pass around uipathfn and use instead of m.rel() (API)...
r41802 ui.status(_('removing %s\n') % uipathfn(f))
various
hgext: add largefiles extension...
r15168
# Need to lock because standin files are deleted then removed from the
Mads Kiilerich
fix trivial spelling errors
r17424 # repository and we could race in-between.
Bryan O'Sullivan
with: use context manager for wlock in cmdutilforget
r27824 with repo.wlock():
various
hgext: add largefiles extension...
r15168 lfdirstate = lfutil.openlfdirstate(ui, repo)
for f in forget:
if lfdirstate[f] == 'a':
lfdirstate.drop(f)
else:
lfdirstate.remove(f)
lfdirstate.write()
Mads Kiilerich
largefiles: remove reporemove portability wrapper
r18153 standins = [lfutil.standin(f) for f in forget]
for f in standins:
Mads Kiilerich
vfs: use repo.wvfs.unlinkpath
r31309 repo.wvfs.unlinkpath(f, ignoremissing=True)
Matt Harbison
largefiles: enable subrepo support for forget
r23837 rejected = repo[None].forget(standins)
various
hgext: add largefiles extension...
r15168
Matt Harbison
largefiles: enable subrepo support for forget
r23837 bad.extend(f for f in rejected if f in m.files())
forgot.extend(f for f in forget if f not in rejected)
return bad, forgot
Matt Harbison
largefiles: preserve the exit status of the forget command...
r17579
FUJIWARA Katsunori
largefiles: confirm existence of outgoing largefile entities in remote store...
r21884 def _getoutgoings(repo, other, missing, addfunc):
FUJIWARA Katsunori
largefiles: show also how many data entities are outgoing at "hg summary"...
r21882 """get pairs of filename and largefile hash in outgoing revisions
in 'missing'.
FUJIWARA Katsunori
largefiles: confirm existence of outgoing largefile entities in remote store...
r21884 largefiles already existing on 'other' repository are ignored.
FUJIWARA Katsunori
largefiles: show also how many data entities are outgoing at "hg summary"...
r21882 'addfunc' is invoked with each unique pairs of filename and
largefile hash value.
"""
knowns = set()
FUJIWARA Katsunori
largefiles: confirm existence of outgoing largefile entities in remote store...
r21884 lfhashes = set()
FUJIWARA Katsunori
largefiles: show also how many data entities are outgoing at "hg summary"...
r21882 def dedup(fn, lfhash):
k = (fn, lfhash)
if k not in knowns:
knowns.add(k)
FUJIWARA Katsunori
largefiles: confirm existence of outgoing largefile entities in remote store...
r21884 lfhashes.add(lfhash)
FUJIWARA Katsunori
largefiles: show also how many data entities are outgoing at "hg summary"...
r21882 lfutil.getlfilestoupload(repo, missing, dedup)
FUJIWARA Katsunori
largefiles: confirm existence of outgoing largefile entities in remote store...
r21884 if lfhashes:
liscju
largefiles: make storefactory._openstore public...
r29355 lfexists = storefactory.openstore(repo, other).exists(lfhashes)
FUJIWARA Katsunori
largefiles: confirm existence of outgoing largefile entities in remote store...
r21884 for fn, lfhash in knowns:
if not lfexists[lfhash]: # lfhash doesn't exist on "other"
addfunc(fn, lfhash)
FUJIWARA Katsunori
largefiles: show also how many data entities are outgoing at "hg summary"...
r21882
FUJIWARA Katsunori
largefiles: use "outgoinghooks" to avoid redundant outgoing check...
r21052 def outgoinghook(ui, repo, other, opts, missing):
various
hgext: add largefiles extension...
r15168 if opts.pop('large', None):
FUJIWARA Katsunori
largefiles: show also how many data entities are outgoing at "hg outgoing"...
r21883 lfhashes = set()
if ui.debugflag:
toupload = {}
def addfunc(fn, lfhash):
if fn not in toupload:
toupload[fn] = []
toupload[fn].append(lfhash)
lfhashes.add(lfhash)
def showhashes(fn):
for lfhash in sorted(toupload[fn]):
ui.debug(' %s\n' % (lfhash))
else:
toupload = set()
def addfunc(fn, lfhash):
toupload.add(fn)
lfhashes.add(lfhash)
def showhashes(fn):
pass
FUJIWARA Katsunori
largefiles: confirm existence of outgoing largefile entities in remote store...
r21884 _getoutgoings(repo, other, missing, addfunc)
FUJIWARA Katsunori
largefiles: show also how many data entities are outgoing at "hg outgoing"...
r21883
FUJIWARA Katsunori
largefiles: use "outgoinghooks" to avoid redundant outgoing check...
r21052 if not toupload:
FUJIWARA Katsunori
largefiles: distinguish "no remote repo" from "no files to upload" (issue3651)...
r17835 ui.status(_('largefiles: no files to upload\n'))
various
hgext: add largefiles extension...
r15168 else:
FUJIWARA Katsunori
largefiles: show also how many data entities are outgoing at "hg outgoing"...
r21883 ui.status(_('largefiles to upload (%d entities):\n')
% (len(lfhashes)))
FUJIWARA Katsunori
largefiles: use "outgoinghooks" to avoid redundant outgoing check...
r21052 for file in sorted(toupload):
various
hgext: add largefiles extension...
r15168 ui.status(lfutil.splitstandin(file) + '\n')
FUJIWARA Katsunori
largefiles: show also how many data entities are outgoing at "hg outgoing"...
r21883 showhashes(file)
various
hgext: add largefiles extension...
r15168 ui.status('\n')
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('outgoing',
opts=[('', 'large', None, _('display outgoing largefiles'))])
def _outgoingcmd(orig, *args, **kwargs):
# Nothing to do here other than add the extra help option- the hook above
# processes it.
return orig(*args, **kwargs)
FUJIWARA Katsunori
largefiles: use "summaryremotehooks" to avoid redundant outgoing check...
r21048 def summaryremotehook(ui, repo, opts, changes):
largeopt = opts.get('large', False)
if changes is None:
if largeopt:
return (False, True) # only outgoing check is needed
else:
return (False, False)
elif largeopt:
url, branch, peer, outgoing = changes[1]
if peer is None:
# i18n: column positioning for "hg summary"
ui.status(_('largefiles: (no remote repo)\n'))
return
toupload = set()
FUJIWARA Katsunori
largefiles: show also how many data entities are outgoing at "hg summary"...
r21882 lfhashes = set()
def addfunc(fn, lfhash):
toupload.add(fn)
lfhashes.add(lfhash)
FUJIWARA Katsunori
largefiles: confirm existence of outgoing largefile entities in remote store...
r21884 _getoutgoings(repo, peer, outgoing.missing, addfunc)
FUJIWARA Katsunori
largefiles: show also how many data entities are outgoing at "hg summary"...
r21882
FUJIWARA Katsunori
largefiles: use "summaryremotehooks" to avoid redundant outgoing check...
r21048 if not toupload:
# i18n: column positioning for "hg summary"
ui.status(_('largefiles: (no files to upload)\n'))
else:
# i18n: column positioning for "hg summary"
FUJIWARA Katsunori
largefiles: show also how many data entities are outgoing at "hg summary"...
r21882 ui.status(_('largefiles: %d entities for %d files to upload\n')
% (len(lfhashes), len(toupload)))
FUJIWARA Katsunori
largefiles: use "summaryremotehooks" to avoid redundant outgoing check...
r21048
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('summary',
opts=[('', 'large', None, _('display outgoing largefiles'))])
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 def overridesummary(orig, ui, repo, *pats, **opts):
Na'Tosha Bard
largefiles: fix output of hg summary (issue3060)
r15787 try:
repo.lfstatus = True
orig(ui, repo, *pats, **opts)
finally:
repo.lfstatus = False
various
hgext: add largefiles extension...
r15168
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(scmutil, 'addremove')
Martin von Zweigbergk
addremove: pass around uipathfn and use instead of m.uipath() (API)...
r41801 def scmutiladdremove(orig, repo, matcher, prefix, uipathfn, opts=None):
Pierre-Yves David
largefiles: remove a mutable default argument...
r26344 if opts is None:
opts = {}
Na'Tosha Bard
largefiles: follow normal codepath for addremove if non-largefiles repo (issue3249)
r16636 if not lfutil.islfilesrepo(repo):
Martin von Zweigbergk
addremove: pass around uipathfn and use instead of m.uipath() (API)...
r41801 return orig(repo, matcher, prefix, uipathfn, opts)
Na'Tosha Bard
largefiles: implement addremove (issue3064)...
r15792 # Get the list of missing largefiles so we can remove them
Matt Harbison
largefiles: handle commit -A properly, after a --large commit (issue3542)...
r17658 lfdirstate = lfutil.openlfdirstate(repo.ui, repo)
Martin von Zweigbergk
dirstate: use keyword arguments to clarify status()'s callers...
r34345 unsure, s = lfdirstate.status(matchmod.always(repo.root, repo.getcwd()),
subrepos=[], ignored=False, clean=False,
unknown=False)
various
hgext: add largefiles extension...
r15168
Na'Tosha Bard
largefiles: implement addremove (issue3064)...
r15792 # Call into the normal remove code, but the removing of the standin, we want
# to have handled by original addremove. Monkey patching here makes sure
# we don't remove the standin in the largefiles code, preventing a very
# confused state later.
Martin von Zweigbergk
largefiles: access status fields by name rather than index
r22919 if s.deleted:
Matt Harbison
largefiles: pass a matcher instead of a raw file list to removelargefiles()...
r23741 m = copy.copy(matcher)
# The m._files and m._map attributes are not changed to the deleted list
# because that affects the m.exact() test, which in turn governs whether
# or not the file name is printed, and how. Simply limit the original
# matches to those in the deleted status list.
matchfn = m.matchfn
m.matchfn = lambda f: f in s.deleted and matchfn(f)
Martin von Zweigbergk
largefiles: use uipathfn instead of match.{rel,uipath}() (API)...
r41803 removelargefiles(repo.ui, repo, True, m, uipathfn, opts.get('dry_run'),
Sushil khanchi
remove: add dry-run functionality
r37168 **pycompat.strkwargs(opts))
Na'Tosha Bard
largefiles: implement addremove (issue3064)...
r15792 # Call into the normal add code, and any files that *should* be added as
# largefiles will be
Martin von Zweigbergk
largefiles: use uipathfn instead of match.{rel,uipath}() (API)...
r41803 added, bad = addlargefiles(repo.ui, repo, True, matcher, uipathfn,
Augie Fackler
largefiles: give some **opts some strkwargs love...
r36333 **pycompat.strkwargs(opts))
Na'Tosha Bard
largefiles: implement addremove (issue3064)...
r15792 # Now that we've handled largefiles, hand off to the original addremove
# function to take care of the rest. Make sure it doesn't do anything with
Matt Harbison
scmutil: pass a matcher to scmutil.addremove() instead of a list of patterns...
r23533 # largefiles by passing a matcher that will ignore them.
Matt Harbison
largefiles: don't print files as both large and normal in addremove dryruns
r23769 matcher = composenormalfilematcher(matcher, repo[None].manifest(), added)
Martin von Zweigbergk
addremove: pass around uipathfn and use instead of m.uipath() (API)...
r41801 return orig(repo, matcher, prefix, uipathfn, opts)
various
hgext: add largefiles extension...
r15168
Greg Ward
largefiles: more work on cleaning up comments...
r15254 # Calling purge with --all will cause the largefiles to be deleted.
various
hgext: add largefiles extension...
r15168 # Override repo.status to prevent this from happening.
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('purge', extension='purge')
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 def overridepurge(orig, ui, repo, *dirs, **opts):
Pierre-Yves David
largefile: explain why no monkey patching on a repoview...
r23635 # XXX Monkey patching a repoview will not work. The assigned attribute will
# be set on the unfiltered repo, but we will only lookup attributes in the
# unfiltered repo if the lookup in the repoview object itself fails. As the
# monkey patched method exists on the repoview class the lookup will not
# fail. As a result, the original version will shadow the monkey patched
# one, defeating the monkey patch.
#
# As a work around we use an unfiltered repo here. We should do something
# cleaner instead.
Pierre-Yves David
largefile: status is buggy on repoproxy, so run unfiltered...
r18012 repo = repo.unfiltered()
various
hgext: add largefiles extension...
r15168 oldstatus = repo.status
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 def overridestatus(node1='.', node2=None, match=None, ignored=False,
various
hgext: add largefiles extension...
r15168 clean=False, unknown=False, listsubrepos=False):
r = oldstatus(node1, node2, match, ignored, clean, unknown,
listsubrepos)
lfdirstate = lfutil.openlfdirstate(ui, repo)
Martin von Zweigbergk
largefiles: access status fields by name rather than index
r22919 unknown = [f for f in r.unknown if lfdirstate[f] == '?']
ignored = [f for f in r.ignored if lfdirstate[f] == '?']
return scmutil.status(r.modified, r.added, r.removed, r.deleted,
unknown, ignored, r.clean)
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 repo.status = overridestatus
various
hgext: add largefiles extension...
r15168 orig(ui, repo, *dirs, **opts)
repo.status = oldstatus
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('rollback')
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 def overriderollback(orig, ui, repo, **opts):
Bryan O'Sullivan
with: use context manager for wlock in overridepurge
r27825 with repo.wlock():
FUJIWARA Katsunori
largefiles: omit restoring standins if working parent is not rollbacked...
r22283 before = repo.dirstate.parents()
FUJIWARA Katsunori
largefiles: unlink standins not known to the restored dirstate at rollback...
r22286 orphans = set(f for f in repo.dirstate
if lfutil.isstandin(f) and repo.dirstate[f] != 'r')
FUJIWARA Katsunori
largefiles: put whole rollback-ing process into the same "wlock" scope...
r22094 result = orig(ui, repo, **opts)
FUJIWARA Katsunori
largefiles: omit restoring standins if working parent is not rollbacked...
r22283 after = repo.dirstate.parents()
if before == after:
return result # no need to restore standins
FUJIWARA Katsunori
largefiles: restore standins according to restored dirstate...
r22285 pctx = repo['.']
for f in repo.dirstate:
if lfutil.isstandin(f):
FUJIWARA Katsunori
largefiles: unlink standins not known to the restored dirstate at rollback...
r22286 orphans.discard(f)
FUJIWARA Katsunori
largefiles: restore standins according to restored dirstate...
r22285 if repo.dirstate[f] == 'r':
repo.wvfs.unlinkpath(f, ignoremissing=True)
elif f in pctx:
fctx = pctx[f]
repo.wwrite(f, fctx.data(), fctx.flags())
else:
# content of standin is not so important in 'a',
# 'm' or 'n' (coming from the 2nd parent) cases
lfutil.writestandin(repo, f, '', False)
FUJIWARA Katsunori
largefiles: unlink standins not known to the restored dirstate at rollback...
r22286 for standin in orphans:
repo.wvfs.unlinkpath(standin, ignoremissing=True)
FUJIWARA Katsunori
largefiles: put whole rollback-ing process into the same "wlock" scope...
r22094
Levi Bard
largefiles: fix inappropriate locking (issue3182)...
r15794 lfdirstate = lfutil.openlfdirstate(ui, repo)
FUJIWARA Katsunori
largefiles: drop orphan entries from lfdristat at "hg rollback"...
r22097 orphans = set(lfdirstate)
Levi Bard
largefiles: fix inappropriate locking (issue3182)...
r15794 lfiles = lfutil.listlfiles(repo)
for file in lfiles:
FUJIWARA Katsunori
largefiles: restore R status of removed largefiles correctly at "hg rollback"...
r22096 lfutil.synclfdirstate(repo, lfdirstate, file, True)
FUJIWARA Katsunori
largefiles: drop orphan entries from lfdristat at "hg rollback"...
r22097 orphans.discard(file)
for lfile in orphans:
lfdirstate.drop(lfile)
Levi Bard
largefiles: fix inappropriate locking (issue3182)...
r15794 lfdirstate.write()
various
hgext: add largefiles extension...
r15168 return result
Na'Tosha Bard
largefiles: fix bad bug where transplanting a changeset with a largefile will result in an old largefile being comitted later on
r15383
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('transplant', extension='transplant')
Na'Tosha Bard
largefiles: remove use of underscores that breaks coding convention
r16247 def overridetransplant(orig, ui, repo, *revs, **opts):
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 resuming = opts.get(r'continue')
FUJIWARA Katsunori
largefiles: update standins only at the 1st commit of "transplant --continue"...
r23274 repo._lfcommithooks.append(lfutil.automatedcommithook(resuming))
FUJIWARA Katsunori
largefiles: avoid printing messages while transplanting by "_lfstatuswriters"...
r23275 repo._lfstatuswriters.append(lambda *msg, **opts: None)
Na'Tosha Bard
largefiles: fix transplant for all cases (issue3192)
r15982 try:
result = orig(ui, repo, *revs, **opts)
finally:
FUJIWARA Katsunori
largefiles: avoid printing messages while transplanting by "_lfstatuswriters"...
r23275 repo._lfstatuswriters.pop()
FUJIWARA Katsunori
largefiles: update standins only at the 1st commit of "transplant --continue"...
r23274 repo._lfcommithooks.pop()
Na'Tosha Bard
largefiles: fix bad bug where transplanting a changeset with a largefile will result in an old largefile being comitted later on
r15383 return result
Na'Tosha Bard
largefiles: fix cat for largefiles (issue3352)...
r16439
Matt Harbison
largefiles: port commands to exthelper...
r41091 @eh.wrapcommand('cat')
Na'Tosha Bard
largefiles: fix cat for largefiles (issue3352)...
r16439 def overridecat(orig, ui, repo, file1, *pats, **opts):
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 opts = pycompat.byteskwargs(opts)
Matt Harbison
largefiles: support revsets for cat...
r17269 ctx = scmutil.revsingle(repo, opts.get('rev'))
Mads Kiilerich
largefiles: fix cat when using relative paths from subdirectory
r18491 err = 1
notbad = set()
m = scmutil.match(ctx, (file1,) + pats, opts)
origmatchfn = m.matchfn
def lfmatchfn(f):
Mads Kiilerich
largefiles: make cat on standins do something...
r21087 if origmatchfn(f):
return True
Mads Kiilerich
largefiles: fix cat when using relative paths from subdirectory
r18491 lf = lfutil.splitstandin(f)
if lf is None:
Mads Kiilerich
largefiles: make cat on standins do something...
r21087 return False
Mads Kiilerich
largefiles: fix cat when using relative paths from subdirectory
r18491 notbad.add(lf)
return origmatchfn(lf)
m.matchfn = lfmatchfn
Mads Kiilerich
largefiles: fix cat of non-largefiles from subdirectory...
r18974 origbadfn = m.bad
def lfbadfn(f, msg):
if not f in notbad:
Mads Kiilerich
largefiles: remove confusing handling of .bad return value - it is void
r21086 origbadfn(f, msg)
Mads Kiilerich
largefiles: fix cat of non-largefiles from subdirectory...
r18974 m.bad = lfbadfn
Drew Gottlieb
treemanifest: optimize treemanifest._walk() to skip directories...
r24670
origvisitdirfn = m.visitdir
def lfvisitdirfn(dir):
if dir == lfutil.shortname:
return True
ret = origvisitdirfn(dir)
if ret:
return ret
lf = lfutil.splitstandin(dir)
if lf is None:
return False
return origvisitdirfn(lf)
m.visitdir = lfvisitdirfn
Mads Kiilerich
largefiles: fix cat when using relative paths from subdirectory
r18491 for f in ctx.walk(m):
Yuya Nishihara
cmdutil: pass ctx to makefileobj() in place of repo/node pair (API)
r36223 with cmdutil.makefileobj(ctx, opts.get('output'), pathname=f) as fp:
Mads Kiilerich
largefiles: use context for file closing...
r30142 lf = lfutil.splitstandin(f)
if lf is None or origmatchfn(f):
# duplicating unreachable code from commands.cat
data = ctx[f].data()
if opts.get('decode'):
data = repo.wwritedata(f, data)
fp.write(data)
else:
FUJIWARA Katsunori
largefiles: replace readstandin() by readasstandin()...
r31735 hash = lfutil.readasstandin(ctx[f])
Mads Kiilerich
largefiles: use context for file closing...
r30142 if not lfutil.inusercache(repo.ui, hash):
store = storefactory.openstore(repo)
success, missing = store.get([(lf, hash)])
if len(success) != 1:
raise error.Abort(
_('largefile %s is not in cache and could not be '
'downloaded') % lf)
path = lfutil.usercachepath(repo.ui, hash)
with open(path, "rb") as fpin:
Mads Kiilerich
util: increase filechunkiter size to 128k...
r30181 for chunk in util.filechunkiter(fpin):
Mads Kiilerich
largefiles: use context for file closing...
r30142 fp.write(chunk)
Mads Kiilerich
largefiles: fix cat of non-largefiles from subdirectory...
r18974 err = 0
Mads Kiilerich
largefiles: fix cat when using relative paths from subdirectory
r18491 return err
Matt Harbison
largefiles: don't copy largefiles from working dir to the store while converting...
r17878
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(merge, 'update')
Augie Fackler
merge: have merge.update use a matcher instead of partial fn...
r27344 def mergeupdate(orig, repo, node, branchmerge, force,
FUJIWARA Katsunori
largefiles: update largefiles even if rebase is aborted by conflict...
r22288 *args, **kwargs):
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 matcher = kwargs.get(r'matcher', None)
Augie Fackler
merge: have merge.update use a matcher instead of partial fn...
r27344 # note if this is a partial update
partial = matcher and not matcher.always()
Bryan O'Sullivan
with: use context manager for wlock in mergeupdate
r27826 with repo.wlock():
FUJIWARA Katsunori
largefiles: update largefiles even if rebase is aborted by conflict...
r22288 # branch | | |
# merge | force | partial | action
# -------+-------+---------+--------------
# x | x | x | linear-merge
# o | x | x | branch-merge
# x | o | x | overwrite (as clean update)
# o | o | x | force-branch-merge (*1)
# x | x | o | (*)
# o | x | o | (*)
# x | o | o | overwrite (as revert)
# o | o | o | (*)
#
# (*) don't care
# (*1) deprecated, but used internally (e.g: "rebase --collapse")
Mads Kiilerich
largefiles: for update -C, only update largefiles when necessary...
r24787 lfdirstate = lfutil.openlfdirstate(repo.ui, repo)
liscju
largefiles: rename match_ to matchmod import in overrides
r29318 unsure, s = lfdirstate.status(matchmod.always(repo.root,
Mads Kiilerich
largefiles: for update -C, only update largefiles when necessary...
r24787 repo.getcwd()),
Martin von Zweigbergk
dirstate: use keyword arguments to clarify status()'s callers...
r34345 subrepos=[], ignored=False,
clean=True, unknown=False)
Mads Kiilerich
largefiles: more safe handling of interruptions while updating modifications...
r30190 oldclean = set(s.clean)
Mads Kiilerich
largefiles: for update -C, only update largefiles when necessary...
r24787 pctx = repo['.']
FUJIWARA Katsunori
largefiles: omit updating newly added standin at linear merging...
r31653 dctx = repo[node]
Mads Kiilerich
largefiles: for update -C, only update largefiles when necessary...
r24787 for lfile in unsure + s.modified:
lfileabs = repo.wvfs.join(lfile)
liscju
largefiles: replace invocation of os.path module by vfs in overrides.py...
r28715 if not repo.wvfs.exists(lfileabs):
Mads Kiilerich
largefiles: for update -C, only update largefiles when necessary...
r24787 continue
FUJIWARA Katsunori
largefiles: replace hashrepofile by hashfile (API)...
r31617 lfhash = lfutil.hashfile(lfileabs)
Mads Kiilerich
largefiles: for update -C, only update largefiles when necessary...
r24787 standin = lfutil.standin(lfile)
lfutil.writestandin(repo, standin, lfhash,
lfutil.getexecutable(lfileabs))
if (standin in pctx and
FUJIWARA Katsunori
largefiles: replace readstandin() by readasstandin()...
r31735 lfhash == lfutil.readasstandin(pctx[standin])):
Mads Kiilerich
largefiles: more safe handling of interruptions while updating modifications...
r30190 oldclean.add(lfile)
Mads Kiilerich
largefiles: for update -C, only update largefiles when necessary...
r24787 for lfile in s.added:
FUJIWARA Katsunori
largefiles: omit updating newly added standin at linear merging...
r31653 fstandin = lfutil.standin(lfile)
if fstandin not in dctx:
# in this case, content of standin file is meaningless
# (in dctx, lfile is unknown, or normal file)
continue
FUJIWARA Katsunori
largefiles: add lfile argument to updatestandin() for efficiency (API)...
r31659 lfutil.updatestandin(repo, lfile, fstandin)
Mads Kiilerich
largefiles: more safe handling of interruptions while updating modifications...
r30190 # mark all clean largefiles as dirty, just in case the update gets
# interrupted before largefiles and lfdirstate are synchronized
for lfile in oldclean:
lfdirstate.normallookup(lfile)
Mads Kiilerich
largefiles: for update -C, only update largefiles when necessary...
r24787 lfdirstate.write()
FUJIWARA Katsunori
largefiles: update largefiles even if rebase is aborted by conflict...
r22288
Mads Kiilerich
largefiles: for update -C, only update largefiles when necessary...
r24787 oldstandins = lfutil.getstandinsstate(repo)
Phil Cohen
largefiles: force an on-disk merge...
r34304 # Make sure the merge runs on disk, not in-memory. largefiles is not a
# good candidate for in-memory merge (large files, custom dirstate,
# matcher usage).
Pulkit Goyal
py3: handle keyword arguments correctly in hgext/largefiles/...
r35349 kwargs[r'wc'] = repo[None]
Augie Fackler
merge: have merge.update use a matcher instead of partial fn...
r27344 result = orig(repo, node, branchmerge, force, *args, **kwargs)
FUJIWARA Katsunori
largefiles: update largefiles even if rebase is aborted by conflict...
r22288
Mads Kiilerich
largefiles: for update -C, only update largefiles when necessary...
r24787 newstandins = lfutil.getstandinsstate(repo)
filelist = lfutil.getlfilestoupdate(oldstandins, newstandins)
Mads Kiilerich
largefiles: more safe handling of interruptions while updating modifications...
r30190
# to avoid leaving all largefiles as dirty and thus rehash them, mark
# all the ones that didn't change as clean
for lfile in oldclean.difference(filelist):
lfdirstate.normal(lfile)
lfdirstate.write()
Mads Kiilerich
largefiles: for update -C, only update largefiles when necessary...
r24787 if branchmerge or force or partial:
filelist.extend(s.deleted + s.removed)
FUJIWARA Katsunori
largefiles: update largefiles even if rebase is aborted by conflict...
r22288
lfcommands.updatelfiles(repo.ui, repo, filelist=filelist,
Mads Kiilerich
largefiles: always consider updatelfiles 'checked' parameter set...
r24788 normallookup=partial)
FUJIWARA Katsunori
largefiles: update largefiles even if rebase is aborted by conflict...
r22288
return result
FUJIWARA Katsunori
largefiles: update largefiles even if transplant is aborted by conflict...
r22289
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(scmutil, 'marktouched')
FUJIWARA Katsunori
largefiles: update largefiles even if transplant is aborted by conflict...
r22289 def scmutilmarktouched(orig, repo, files, *args, **kwargs):
result = orig(repo, files, *args, **kwargs)
FUJIWARA Katsunori
largefiles: omit redundant isstandin() before splitstandin()...
r31613 filelist = []
for f in files:
lf = lfutil.splitstandin(f)
if lf is not None:
filelist.append(lf)
FUJIWARA Katsunori
largefiles: update largefiles even if transplant is aborted by conflict...
r22289 if filelist:
lfcommands.updatelfiles(repo.ui, repo, filelist=filelist,
printmessage=False, normallookup=True)
return result
Boris Feld
largefiles: allow to run 'debugupgraderepo' on repo with largefiles...
r35304
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092 @eh.wrapfunction(upgrade, 'preservedrequirements')
@eh.wrapfunction(upgrade, 'supporteddestrequirements')
Boris Feld
largefiles: allow to run 'debugupgraderepo' on repo with largefiles...
r35304 def upgraderequirements(orig, repo):
reqs = orig(repo)
if 'largefiles' in repo.requirements:
reqs.add('largefiles')
return reqs
Boris Feld
largefiles: add support for 'largefiles://' url scheme...
r35580
_lfscheme = 'largefile://'
Matt Harbison
largefiles: port wrapped functions to exthelper...
r41092
@eh.wrapfunction(urlmod, 'open')
Boris Feld
largefiles: add support for 'largefiles://' url scheme...
r35580 def openlargefile(orig, ui, url_, data=None):
if url_.startswith(_lfscheme):
if data:
msg = "cannot use data on a 'largefile://' url"
raise error.ProgrammingError(msg)
lfid = url_[len(_lfscheme):]
return storefactory.getlfile(ui, lfid)
else:
return orig(ui, url_, data=data)