##// END OF EJS Templates
transaction: only delete journal on successful abort/commit...
transaction: only delete journal on successful abort/commit This solves that the journal file was always deleted when the transaction was deleted, no matter whether the abort (rollback) succeeded or not. Thus, never supporting a hg recover. The journal file is now only deleted on close (commit) or a successful abort.

File last commit:

r7566:5f7e3f17 default
r8071:9f14b668 default
Show More
dirstate.py
585 lines | 18.5 KiB | text/x-python | PythonLexer
mpm@selenic.com
Break apart hg.py...
r1089 """
dirstate.py - working directory tracking for mercurial
Thomas Arendsen Hein
Updated copyright notices and add "and others" to "hg version"
r4635 Copyright 2005-2007 Matt Mackall <mpm@selenic.com>
mpm@selenic.com
Break apart hg.py...
r1089
This software may be used and distributed according to the terms
of the GNU General Public License, incorporated herein by reference.
"""
Joel Rosdahl
Expand import * to allow Pyflakes to find problems
r6211 from node import nullid
Matt Mackall
Simplify i18n imports
r3891 from i18n import _
Matt Mackall
listdir: add support for aborting if a certain path is found...
r7034 import struct, os, stat, util, errno, ignore
Matt Mackall
dirstate: C parsing extension
r7093 import cStringIO, osutil, sys, parsers
mpm@selenic.com
Break apart hg.py...
r1089
Matt Mackall
dirstate: simplify state()
r4610 _unknown = ('?', 0, 0, 0)
_format = ">cllll"
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 def _finddirs(path):
Matt Mackall
dirstate: improve performance for building _dirs
r7032 pos = path.rfind('/')
while pos != -1:
yield path[:pos]
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 pos = path.rfind('/', 0, pos)
Benoit Boissinot
dirstate._dirs: fix refcounting broken by 7dfac37cfabf...
r7096 def _incdirs(dirs, path):
for base in _finddirs(path):
if base in dirs:
dirs[base] += 1
return
dirs[base] = 1
def _decdirs(dirs, path):
for base in _finddirs(path):
if dirs[base] > 1:
dirs[base] -= 1
return
del dirs[base]
Eric Hopper
Convert all classes to new-style classes by deriving them from object.
r1559 class dirstate(object):
Benoit Boissinot
dirstate: refactor the dirstate binary format, remove magic numbers
r2393
mpm@selenic.com
Break apart hg.py...
r1089 def __init__(self, opener, ui, root):
Matt Mackall
dirstate: hide internal vars...
r4614 self._opener = opener
self._root = root
Benoit Boissinot
performance: normalize self._root, avoid calling os.path.join() in dirstate...
r6972 self._rootdir = os.path.join(root, '')
Matt Mackall
dirstate: use True and false for _dirty
r4903 self._dirty = False
Matt Mackall
Merge with crew
r4965 self._dirtypl = False
Matt Mackall
dirstate: hide internal vars...
r4614 self._ui = ui
mpm@selenic.com
Break apart hg.py...
r1089
Matt Mackall
dirstate: use getattr rather than lazyread
r4603 def __getattr__(self, name):
Matt Mackall
dirstate: hide internal vars...
r4614 if name == '_map':
Matt Mackall
dirstate: hide some more internals
r4615 self._read()
Matt Mackall
dirstate: hide internal vars...
r4614 return self._map
elif name == '_copymap':
Matt Mackall
dirstate: hide some more internals
r4615 self._read()
Matt Mackall
dirstate: hide internal vars...
r4614 return self._copymap
Paul Moore
Add a normalize() method to dirstate...
r6677 elif name == '_foldmap':
_foldmap = {}
for name in self._map:
Petr Kodl
Eliminate normpath from foldmap calls....
r7069 norm = os.path.normcase(name)
Paul Moore
Add a normalize() method to dirstate...
r6677 _foldmap[norm] = name
self._foldmap = _foldmap
return self._foldmap
Matt Mackall
dirstate: lazify copymap, _branch, and _pl
r4604 elif name == '_branch':
try:
Thomas Arendsen Hein
Cleanup of whitespace, indentation and line continuation.
r4633 self._branch = (self._opener("branch").read().strip()
or "default")
Matt Mackall
dirstate: lazify copymap, _branch, and _pl
r4604 except IOError:
self._branch = "default"
return self._branch
Matt Mackall
dirstate: hide internal vars...
r4614 elif name == '_pl':
self._pl = [nullid, nullid]
Matt Mackall
dirstate: lazify copymap, _branch, and _pl
r4604 try:
Matt Mackall
dirstate: hide internal vars...
r4614 st = self._opener("dirstate").read(40)
Matt Mackall
dirstate: lazify copymap, _branch, and _pl
r4604 if len(st) == 40:
Matt Mackall
dirstate: hide internal vars...
r4614 self._pl = st[:20], st[20:40]
Matt Mackall
dirstate: lazify copymap, _branch, and _pl
r4604 except IOError, err:
if err.errno != errno.ENOENT: raise
Matt Mackall
dirstate: hide internal vars...
r4614 return self._pl
Matt Mackall
dirstate: hide some more internals
r4615 elif name == '_dirs':
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 dirs = {}
Matt Mackall
dirstate: improve performance for building _dirs
r7032 for f,s in self._map.iteritems():
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 if s[0] != 'r':
Benoit Boissinot
dirstate._dirs: fix refcounting broken by 7dfac37cfabf...
r7096 _incdirs(dirs, f)
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 self._dirs = dirs
Matt Mackall
dirstate: hide some more internals
r4615 return self._dirs
Matt Mackall
dirstate: move ignore to its own file
r4609 elif name == '_ignore':
Matt Mackall
dirstate: make wjoin function private
r4905 files = [self._join('.hgignore')]
Matt Mackall
dirstate: pull ignore smarts out of ui
r4620 for name, path in self._ui.configitems("ui"):
if name == 'ignore' or name.startswith('ignore.'):
files.append(os.path.expanduser(path))
Matt Mackall
dirstate: hide internal vars...
r4614 self._ignore = ignore.ignore(self._root, files, self._ui.warn)
Matt Mackall
dirstate: move ignore to its own file
r4609 return self._ignore
Matt Mackall
dirstate: lazify and lambdafy _slash
r4611 elif name == '_slash':
Matt Mackall
dirstate: hide internal vars...
r4614 self._slash = self._ui.configbool('ui', 'slash') and os.sep != '/'
Matt Mackall
dirstate: lazify and lambdafy _slash
r4611 return self._slash
Matt Mackall
simplify flag handling...
r6743 elif name == '_checklink':
self._checklink = util.checklink(self._root)
return self._checklink
Alexis S. L. Carvalho
dirstate: ignore mode changes if the fs does not supports the exec bit...
r6257 elif name == '_checkexec':
self._checkexec = util.checkexec(self._root)
return self._checkexec
Matt Mackall
rename checkfolding to checkcase
r6746 elif name == '_checkcase':
self._checkcase = not util.checkcase(self._join('.hg'))
return self._checkcase
Paul Moore
Add a normalize() method to dirstate...
r6677 elif name == 'normalize':
Matt Mackall
rename checkfolding to checkcase
r6746 if self._checkcase:
Paul Moore
Add a normalize() method to dirstate...
r6677 self.normalize = self._normalize
else:
Petr Kodl
issue 1286: dirstat regression on case folding systems...
r7068 self.normalize = lambda x, y=False: x
Paul Moore
Add a normalize() method to dirstate...
r6677 return self.normalize
Matt Mackall
dirstate: use getattr rather than lazyread
r4603 else:
Peter Ruibal
use Exception(args)-style raising consistently (py3k compatibility)
r7008 raise AttributeError(name)
Matt Mackall
dirstate: use getattr rather than lazyread
r4603
Matt Mackall
dirstate: make wjoin function private
r4905 def _join(self, f):
Benoit Boissinot
performance: normalize self._root, avoid calling os.path.join() in dirstate...
r6972 # much faster than os.path.join()
Benoit Boissinot
dirstate: explain why appending instead of os.path.join() is safe
r6973 # it's safe because f is always a relative path
Benoit Boissinot
performance: normalize self._root, avoid calling os.path.join() in dirstate...
r6972 return self._rootdir + f
mpm@selenic.com
Break apart hg.py...
r1089
Matt Mackall
simplify flag handling...
r6743 def flagfunc(self, fallback):
if self._checklink:
if self._checkexec:
def f(x):
Benoit Boissinot
performance: normalize self._root, avoid calling os.path.join() in dirstate...
r6972 p = self._join(x)
Matt Mackall
simplify flag handling...
r6743 if os.path.islink(p):
return 'l'
if util.is_exec(p):
return 'x'
return ''
return f
def f(x):
Benoit Boissinot
performance: normalize self._root, avoid calling os.path.join() in dirstate...
r6972 if os.path.islink(self._join(x)):
Matt Mackall
simplify flag handling...
r6743 return 'l'
if 'x' in fallback(x):
return 'x'
return ''
return f
if self._checkexec:
def f(x):
if 'l' in fallback(x):
return 'l'
Benoit Boissinot
performance: normalize self._root, avoid calling os.path.join() in dirstate...
r6972 if util.is_exec(self._join(x)):
Matt Mackall
simplify flag handling...
r6743 return 'x'
return ''
return f
return fallback
mpm@selenic.com
Break apart hg.py...
r1089 def getcwd(self):
cwd = os.getcwd()
Matt Mackall
dirstate: hide internal vars...
r4614 if cwd == self._root: return ''
# self._root ends with a path separator if self._root is '/' or 'C:\'
rootsep = self._root
Shun-ichi GOTO
Add endswithsep() and use it instead of using os.sep and os.altsep directly....
r5843 if not util.endswithsep(rootsep):
Alexis S. L. Carvalho
Fix handling of paths when run outside the repo....
r4230 rootsep += os.sep
if cwd.startswith(rootsep):
return cwd[len(rootsep):]
else:
# we're outside the repo. return an absolute path.
return cwd
mpm@selenic.com
Break apart hg.py...
r1089
Alexis S. L. Carvalho
Add dirstate.pathto and localrepo.pathto....
r4525 def pathto(self, f, cwd=None):
if cwd is None:
cwd = self.getcwd()
Matt Mackall
dirstate: hide internal vars...
r4614 path = util.pathto(self._root, cwd, f)
Alexis S. L. Carvalho
Add ui.slash hgrc setting...
r4527 if self._slash:
Shun-ichi GOTO
Use util.normpath() instead of direct path string operation....
r5842 return util.normpath(path)
Alexis S. L. Carvalho
Add ui.slash hgrc setting...
r4527 return path
Alexis S. L. Carvalho
Add dirstate.pathto and localrepo.pathto....
r4525
mpm@selenic.com
Break apart hg.py...
r1089 def __getitem__(self, key):
Matt Mackall
dirstate: add __contains__ and make __getitem__ more useful...
r4906 ''' current states:
n normal
m needs merging
r marked for removal
a marked for addition
? not tracked'''
return self._map.get(key, ("?",))[0]
mpm@selenic.com
Break apart hg.py...
r1089
def __contains__(self, key):
Matt Mackall
dirstate: hide internal vars...
r4614 return key in self._map
def __iter__(self):
Matt Mackall
util: add sort helper
r6762 for x in util.sort(self._map):
Matt Mackall
dirstate: hide internal vars...
r4614 yield x
mpm@selenic.com
Break apart hg.py...
r1089
def parents(self):
Matt Mackall
dirstate: hide internal vars...
r4614 return self._pl
mpm@selenic.com
Break apart hg.py...
r1089
Matt Mackall
Move branch read/write to dirstate where it belongs
r4179 def branch(self):
return self._branch
mpm@selenic.com
Break apart hg.py...
r1089 def setparents(self, p1, p2=nullid):
Matt Mackall
Merge with crew
r4965 self._dirty = self._dirtypl = True
Matt Mackall
dirstate: hide internal vars...
r4614 self._pl = p1, p2
mpm@selenic.com
Break apart hg.py...
r1089
Matt Mackall
Move branch read/write to dirstate where it belongs
r4179 def setbranch(self, branch):
self._branch = branch
Matt Mackall
dirstate: hide internal vars...
r4614 self._opener("branch", "w").write(branch + '\n')
Matt Mackall
Move branch read/write to dirstate where it belongs
r4179
Matt Mackall
dirstate: hide some more internals
r4615 def _read(self):
Matt Mackall
dirstate: hide internal vars...
r4614 self._map = {}
self._copymap = {}
Matt Mackall
dirstate: fold parse into read
r4607 try:
Matt Mackall
dirstate: hide internal vars...
r4614 st = self._opener("dirstate").read()
Matt Mackall
dirstate: fold parse into read
r4607 except IOError, err:
if err.errno != errno.ENOENT: raise
return
if not st:
return
Dirkjan Ochtman
get rid of semi-colon introduced in 16bafcebd3d1
r7128 p = parsers.parse_dirstate(self._map, self._copymap, st)
Alexis S. L. Carvalho
add dirstate._dirtypl variable...
r4952 if not self._dirtypl:
Matt Mackall
dirstate: C parsing extension
r7093 self._pl = p
mpm@selenic.com
Break apart hg.py...
r1089
Matt Mackall
localrepo and dirstate: rename reload to invalidate...
r4613 def invalidate(self):
Paul Moore
Add a normalize() method to dirstate...
r6677 for a in "_map _copymap _foldmap _branch _pl _dirs _ignore".split():
Alexis S. L. Carvalho
dirstate.invalidate: avoid rebuilding _map...
r4953 if a in self.__dict__:
delattr(self, a)
Matt Mackall
dirstate: use True and false for _dirty
r4903 self._dirty = False
Bryan O'Sullivan
When reloading the dirstate, recompute ignore information if needed.
r4375
mpm@selenic.com
Break apart hg.py...
r1089 def copy(self, source, dest):
Patrick Mezard
mq: drop copy records when refreshing regular patches (issue1441)...
r7566 """Mark dest as a copy of source. Unmark dest if source is None.
"""
Patrick Mezard
Ignore dummy copies in dirstate and localrepo.filecommit()
r6680 if source == dest:
return
Matt Mackall
dirstate: use True and false for _dirty
r4903 self._dirty = True
Patrick Mezard
mq: drop copy records when refreshing regular patches (issue1441)...
r7566 if source is not None:
self._copymap[dest] = source
elif dest in self._copymap:
del self._copymap[dest]
mpm@selenic.com
Break apart hg.py...
r1089
def copied(self, file):
Matt Mackall
dirstate: hide internal vars...
r4614 return self._copymap.get(file, None)
Matt Mackall
dirstate: add copies function...
r3154
def copies(self):
Matt Mackall
dirstate: hide internal vars...
r4614 return self._copymap
mpm@selenic.com
Break apart hg.py...
r1089
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 def _droppath(self, f):
if self[f] not in "?r" and "_dirs" in self.__dict__:
Benoit Boissinot
dirstate._dirs: fix refcounting broken by 7dfac37cfabf...
r7096 _decdirs(self._dirs, f)
Vadim Gelfer
fix issue 322....
r2953
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 def _addpath(self, f, check=False):
Maxim Dounin
Fix file-changed-to-dir and dir-to-file commits (issue660)....
r5487 oldstate = self[f]
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 if check or oldstate == "r":
if '\r' in f or '\n' in f:
raise util.Abort(
_("'\\n' and '\\r' disallowed in filenames: %r") % f)
if f in self._dirs:
raise util.Abort(_('directory %r already in dirstate') % f)
# shadows
for d in _finddirs(f):
if d in self._dirs:
break
if d in self._map and self[d] != 'r':
raise util.Abort(
_('file %r in dirstate clashes with %r') % (d, f))
if oldstate in "?r" and "_dirs" in self.__dict__:
Benoit Boissinot
dirstate._dirs: fix refcounting broken by 7dfac37cfabf...
r7096 _incdirs(self._dirs, f)
Maxim Dounin
Fix file-changed-to-dir and dir-to-file commits (issue660)....
r5487
Matt Mackall
dirstate: break update into separate functions
r4904 def normal(self, f):
Alexis S. L. Carvalho
merge: forcefully mark files that we get from the second parent as dirty...
r5210 'mark a file normal and clean'
Matt Mackall
dirstate: break update into separate functions
r4904 self._dirty = True
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 self._addpath(f)
Matt Mackall
dirstate: make wjoin function private
r4905 s = os.lstat(self._join(f))
Matt Mackall
dirstate: always add times to map as integers...
r7119 self._map[f] = ('n', s.st_mode, s.st_size, int(s.st_mtime))
Christian Ebert
Prefer i in d over d.has_key(i)
r5915 if f in self._copymap:
Matt Mackall
dirstate: break update into separate functions
r4904 del self._copymap[f]
mpm@selenic.com
Break apart hg.py...
r1089
Alexis S. L. Carvalho
merge: forcefully mark files that we get from the second parent as dirty...
r5210 def normallookup(self, f):
Matt Mackall
dirstate: break update into separate functions
r4904 'mark a file normal, but possibly dirty'
Alexis S. L. Carvalho
normallookup: during merges, restore the state saved by remove
r6298 if self._pl[1] != nullid and f in self._map:
# if there is a merge going on and the file was either
# in state 'm' or dirty before being removed, restore that state.
entry = self._map[f]
if entry[0] == 'r' and entry[2] in (-1, -2):
source = self._copymap.get(f)
if entry[2] == -1:
self.merge(f)
elif entry[2] == -2:
self.normaldirty(f)
if source:
self.copy(source, f)
return
if entry[0] == 'm' or entry[0] == 'n' and entry[2] == -2:
return
Matt Mackall
dirstate: use True and false for _dirty
r4903 self._dirty = True
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 self._addpath(f)
Matt Mackall
dirstate: C parsing extension
r7093 self._map[f] = ('n', 0, -1, -1)
Alexis S. L. Carvalho
merge: forcefully mark files that we get from the second parent as dirty...
r5210 if f in self._copymap:
del self._copymap[f]
def normaldirty(self, f):
'mark a file normal, but dirty'
self._dirty = True
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 self._addpath(f)
Matt Mackall
dirstate: C parsing extension
r7093 self._map[f] = ('n', 0, -2, -1)
Matt Mackall
dirstate: break update into separate functions
r4904 if f in self._copymap:
del self._copymap[f]
def add(self, f):
'mark a file added'
self._dirty = True
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 self._addpath(f, True)
Matt Mackall
dirstate: C parsing extension
r7093 self._map[f] = ('a', 0, -1, -1)
Matt Mackall
dirstate: break update into separate functions
r4904 if f in self._copymap:
del self._copymap[f]
Matt Mackall
dirstate: refactor checkinterfering
r4616
Matt Mackall
dirstate: break update into separate functions
r4904 def remove(self, f):
'mark a file removed'
self._dirty = True
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 self._droppath(f)
Alexis S. L. Carvalho
dirstate.remove: during merges, remember the previous file state...
r6297 size = 0
if self._pl[1] != nullid and f in self._map:
entry = self._map[f]
if entry[0] == 'm':
size = -1
elif entry[0] == 'n' and entry[2] == -2:
size = -2
Matt Mackall
dirstate: C parsing extension
r7093 self._map[f] = ('r', 0, size, 0)
Alexis S. L. Carvalho
dirstate.remove: during merges, remember the previous file state...
r6297 if size == 0 and f in self._copymap:
Matt Mackall
dirstate: break update into separate functions
r4904 del self._copymap[f]
mpm@selenic.com
Break apart hg.py...
r1089
Matt Mackall
dirstate: break update into separate functions
r4904 def merge(self, f):
'mark a file merged'
Matt Mackall
dirstate: use True and false for _dirty
r4903 self._dirty = True
Matt Mackall
dirstate: make wjoin function private
r4905 s = os.lstat(self._join(f))
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 self._addpath(f)
Matt Mackall
dirstate: always add times to map as integers...
r7119 self._map[f] = ('m', s.st_mode, s.st_size, int(s.st_mtime))
Matt Mackall
dirstate: break update into separate functions
r4904 if f in self._copymap:
del self._copymap[f]
def forget(self, f):
'forget a file'
self._dirty = True
try:
Patrick Mezard
dirstate: fix _droppath() typo from 80605a8127e0
r6807 self._droppath(f)
Matt Mackall
dirstate: break update into separate functions
r4904 del self._map[f]
except KeyError:
Thomas Arendsen Hein
Remove trailing ! from two error messages as this was confusing.
r6057 self._ui.warn(_("not in dirstate: %s\n") % f)
mpm@selenic.com
Break apart hg.py...
r1089
Petr Kodl
issue 1286: dirstat regression on case folding systems...
r7068 def _normalize(self, path, knownpath=False):
Petr Kodl
Eliminate normpath from foldmap calls....
r7069 norm_path = os.path.normcase(path)
Petr Kodl
issue 1286: dirstat regression on case folding systems...
r7068 fold_path = self._foldmap.get(norm_path, None)
if fold_path is None:
if knownpath or not os.path.exists(os.path.join(self._root, path)):
fold_path = path
else:
fold_path = self._foldmap.setdefault(norm_path,
util.fspath(path, self._root))
return fold_path
Paul Moore
Add a normalize() method to dirstate...
r6677
Alexis S. L. Carvalho
dirstate: fix rebuild; add a test...
r5065 def clear(self):
self._map = {}
Maxim Dounin
Fix file-changed-to-dir and dir-to-file commits (issue660)....
r5487 if "_dirs" in self.__dict__:
delattr(self, "_dirs");
Alexis S. L. Carvalho
dirstate: fix rebuild; add a test...
r5065 self._copymap = {}
self._pl = [nullid, nullid]
Alexis S. L. Carvalho
merge with crew-stable
r5123 self._dirty = True
Alexis S. L. Carvalho
dirstate: fix rebuild; add a test...
r5065
Benoit Boissinot
add 'debugrebuildstate' to rebuild the dirstate from a given revision...
r1755 def rebuild(self, parent, files):
Alexis S. L. Carvalho
dirstate: fix rebuild; add a test...
r5065 self.clear()
Matt Mackall
Start using manifestflags methods
r2832 for f in files:
Matt Mackall
add __len__ and __iter__ methods to repo and revlog
r6750 if 'x' in files.flags(f):
Matt Mackall
dirstate: C parsing extension
r7093 self._map[f] = ('n', 0777, -1, 0)
Benoit Boissinot
add 'debugrebuildstate' to rebuild the dirstate from a given revision...
r1755 else:
Matt Mackall
dirstate: C parsing extension
r7093 self._map[f] = ('n', 0666, -1, 0)
Matt Mackall
dirstate: hide internal vars...
r4614 self._pl = (parent, nullid)
Matt Mackall
dirstate: use True and false for _dirty
r4903 self._dirty = True
mpm@selenic.com
Break apart hg.py...
r1089
def write(self):
Matt Mackall
dirstate: simplify dirty handling
r4612 if not self._dirty:
Benoit Boissinot
only write the dirstate when something changed
r1794 return
Alexis S. L. Carvalho
dirstate: ignore stat data for files that were updated too recently...
r6326 st = self._opener("dirstate", "w", atomictemp=True)
Matt Mackall
dirstate: refactor granularity code, add a test...
r6327
try:
gran = int(self._ui.config('dirstate', 'granularity', 1))
except ValueError:
gran = 1
limit = sys.maxint
if gran > 0:
limit = util.fstat(st).st_mtime - gran
Bryan O'Sullivan
dirstate: speed up write by 50%.
r4374 cs = cStringIO.StringIO()
Matt Mackall
dirstate: speed up read and write...
r5327 copymap = self._copymap
pack = struct.pack
write = cs.write
write("".join(self._pl))
Matt Mackall
dirstate: hide internal vars...
r4614 for f, e in self._map.iteritems():
Matt Mackall
dirstate: speed up read and write...
r5327 if f in copymap:
f = "%s\0%s" % (f, copymap[f])
Alexis S. L. Carvalho
dirstate: ignore stat data for files that were updated too recently...
r6326 if e[3] > limit and e[0] == 'n':
Matt Mackall
dirstate: C parsing extension
r7093 e = (e[0], 0, -1, -1)
Matt Mackall
dirstate: speed up read and write...
r5327 e = pack(_format, e[0], e[1], e[2], e[3], len(f))
write(e)
write(f)
Bryan O'Sullivan
dirstate: speed up write by 50%.
r4374 st.write(cs.getvalue())
Alexis S. L. Carvalho
Use atomictemp files to write the dirstate....
r4507 st.rename()
Matt Mackall
Merge with crew
r4965 self._dirty = self._dirtypl = False
mpm@selenic.com
Break apart hg.py...
r1089
Alexis S. L. Carvalho
dirstate: don't walk ignored directories...
r6032 def _dirignore(self, f):
Patrick Mezard
dirstate: do not ignore current directory '.' (issue 1078)
r6479 if f == '.':
return False
Alexis S. L. Carvalho
dirstate: don't walk ignored directories...
r6032 if self._ignore(f):
return True
Matt Mackall
dirstate: simplify/optimize path checking...
r6767 for p in _finddirs(f):
if self._ignore(p):
Alexis S. L. Carvalho
dirstate: don't walk ignored directories...
r6032 return True
return False
Matt Mackall
dirstate: fold statwalk and walk
r6755 def walk(self, match, unknown, ignored):
Matt Mackall
simplify dirstate walking...
r3529 '''
walk recursively through the directory tree, finding all files
matched by the match function
Matt Mackall
dirstate.walk: eliminate src from yield...
r6818 results are yielded in a tuple (filename, stat), where stat
Matt Mackall
simplify dirstate walking...
r3529 and st is the stat result if the file was found in the directory.
'''
mpm@selenic.com
Break apart hg.py...
r1089
Matt Mackall
walk: begin refactoring badmatch handling
r6578 def fwarn(f, msg):
Benoit Boissinot
dirstate: use the right variable (f, not ff)
r7023 self._ui.warn('%s: %s\n' % (self.pathto(f), msg))
Matt Mackall
walk: begin refactoring badmatch handling
r6578 return False
Matt Mackall
walk: use match.bad in statwalk
r6589 badfn = fwarn
if hasattr(match, 'bad'):
badfn = match.bad
Matt Mackall
walk: begin refactoring badmatch handling
r6578
Matt Mackall
dirstate.walk: fold in _supported...
r6830 def badtype(f, mode):
kind = 'unknown'
if stat.S_ISCHR(mode): kind = _('character device')
elif stat.S_ISBLK(mode): kind = _('block device')
elif stat.S_ISFIFO(mode): kind = _('fifo')
elif stat.S_ISSOCK(mode): kind = _('socket')
elif stat.S_ISDIR(mode): kind = _('directory')
self._ui.warn(_('%s: unsupported file type (type is %s)\n')
% (self.pathto(f), kind))
Matt Mackall
dirstate: move ignore to its own file
r4609 ignore = self._ignore
Alexis S. L. Carvalho
dirstate: don't walk ignored directories...
r6032 dirignore = self._dirignore
Alexis S. L. Carvalho
dirstate.statwalk: explicitly test for ignored directories...
r4193 if ignored:
ignore = util.never
Alexis S. L. Carvalho
dirstate: don't walk ignored directories...
r6032 dirignore = util.never
Benoit Boissinot
performance: do not stat() things when not required...
r6971 elif not unknown:
# if unknown and ignored are False, skip step 2
ignore = util.always
dirignore = util.always
Matt Mackall
Simplify ignore logic in dirstate.walk...
r3534
Matt Mackall
dirstate.walk: speed up calling match function
r6834 matchfn = match.matchfn
Matt Mackall
dirstate.walk: more cleanups...
r6831 dmap = self._map
Matt Mackall
dirstate: localize a bunch of methods for findfiles
r5000 normpath = util.normpath
Matt Mackall
dirstate: simplify normalize logic
r6822 normalize = self.normalize
Bryan O'Sullivan
Add osutil module, containing a listdir function....
r5396 listdir = osutil.listdir
Matt Mackall
dirstate: localize a bunch of methods for findfiles
r5000 lstat = os.lstat
Matt Mackall
dirstate.walk: fold in _supported...
r6830 getkind = stat.S_IFMT
Matt Mackall
dirstate.walk: minor cleanups...
r6828 dirkind = stat.S_IFDIR
Matt Mackall
dirstate.walk: fold in _supported...
r6830 regkind = stat.S_IFREG
lnkkind = stat.S_IFLNK
Matt Mackall
dirstate.walk: more cleanups...
r6831 join = self._join
Matt Mackall
dirstate.walk: fold findfiles into main walk loop
r6820 work = []
wadd = work.append
Matt Mackall
dirstate.walk: more cleanups...
r6831 files = util.unique(match.files())
if not files or '.' in files:
files = ['']
results = {'.hg': None}
Matt Mackall
dirstate: localize a bunch of methods for findfiles
r5000
Matt Mackall
dirstate.walk: pull directory scanning into top-level loop
r6826 # step 1: find all explicit files
Matt Mackall
dirstate.walk: fold findfiles into main walk loop
r6820 for ff in util.sort(files):
Matt Mackall
dirstate: simplify normalize logic
r6822 nf = normalize(normpath(ff))
Matt Mackall
dirstate.walk: build a dict rather than yield...
r6829 if nf in results:
Matt Mackall
dirstate.walk: fold findfiles into main walk loop
r6820 continue
try:
Matt Mackall
dirstate.walk: more cleanups...
r6831 st = lstat(join(nf))
Matt Mackall
dirstate.walk: fold in _supported...
r6830 kind = getkind(st.st_mode)
if kind == dirkind:
Matt Mackall
dirstate.walk: minor cleanups...
r6828 if not dirignore(nf):
wadd(nf)
Matt Mackall
dirstate.walk: fold in _supported...
r6830 elif kind == regkind or kind == lnkkind:
results[nf] = st
Matt Mackall
dirstate.walk: minor cleanups...
r6828 else:
Matt Mackall
dirstate.walk: fold in _supported...
r6830 badtype(ff, kind)
if nf in dmap:
Matt Mackall
dirstate.walk: build a dict rather than yield...
r6829 results[nf] = None
Matt Mackall
dirstate.walk: fold findfiles into main walk loop
r6820 except OSError, inst:
keep = False
Matt Mackall
dirstate.walk: minor cleanups...
r6828 prefix = nf + "/"
Matt Mackall
dirstate.walk: change names for dc and known...
r6821 for fn in dmap:
Matt Mackall
dirstate.walk: minor cleanups...
r6828 if nf == fn or fn.startswith(prefix):
Matt Mackall
dirstate.walk: fold findfiles into main walk loop
r6820 keep = True
break
if not keep:
if inst.errno != errno.ENOENT:
fwarn(ff, inst.strerror)
Matt Mackall
dirstate.walk: inline imatch...
r6832 elif badfn(ff, inst.strerror):
Matt Mackall
dirstate.walk: speed up calling match function
r6834 if (nf in dmap or not ignore(nf)) and matchfn(nf):
Matt Mackall
dirstate.walk: inline imatch...
r6832 results[nf] = None
Matt Mackall
dirstate.walk: fold findfiles into main walk loop
r6820
Matt Mackall
dirstate.walk: pull directory scanning into top-level loop
r6826 # step 2: visit subdirectories
while work:
nd = work.pop()
if hasattr(match, 'dir'):
match.dir(nd)
Benoit Boissinot
dirstate.walk: skip unreadable directories (issue1213)...
r7099 skip = None
Matt Mackall
dirstate.walk: pull directory scanning into top-level loop
r6826 if nd == '.':
nd = ''
else:
Benoit Boissinot
dirstate.walk: skip unreadable directories (issue1213)...
r7099 skip = '.hg'
try:
entries = listdir(join(nd), stat=True, skip=skip)
except OSError, inst:
if inst.errno == errno.EACCES:
fwarn(nd, inst.strerror)
continue
raise
Matt Mackall
dirstate.walk: pull directory scanning into top-level loop
r6826 for f, kind, st in entries:
Petr Kodl
issue 1286: dirstat regression on case folding systems...
r7068 nf = normalize(nd and (nd + "/" + f) or f, True)
Matt Mackall
dirstate.walk: build a dict rather than yield...
r6829 if nf not in results:
Matt Mackall
dirstate.walk: minor cleanups...
r6828 if kind == dirkind:
if not ignore(nf):
wadd(nf)
Matt Mackall
dirstate.walk: speed up calling match function
r6834 if nf in dmap and matchfn(nf):
Matt Mackall
dirstate.walk: build a dict rather than yield...
r6829 results[nf] = None
Matt Mackall
dirstate.walk: inline imatch...
r6832 elif kind == regkind or kind == lnkkind:
if nf in dmap:
Matt Mackall
dirstate.walk: speed up calling match function
r6834 if matchfn(nf):
Matt Mackall
dirstate.walk: inline imatch...
r6832 results[nf] = st
Matt Mackall
dirstate.walk: speed up calling match function
r6834 elif matchfn(nf) and not ignore(nf):
Matt Mackall
dirstate.walk: build a dict rather than yield...
r6829 results[nf] = st
Matt Mackall
dirstate.walk: speed up calling match function
r6834 elif nf in dmap and matchfn(nf):
Matt Mackall
dirstate.walk: inline imatch...
r6832 results[nf] = None
mpm@selenic.com
Break apart hg.py...
r1089
Matt Mackall
dirstate.walk: pull directory scanning into top-level loop
r6826 # step 3: report unseen items in the dmap hash
Petr Kodl
Take advantage of fstat calls clustering per directory if OS support it....
r7118 visit = util.sort([f for f in dmap if f not in results and match(f)])
for nf, st in zip(visit, util.statfiles([join(i) for i in visit])):
if not st is None and not getkind(st.st_mode) in (regkind, lnkkind):
st = None
results[nf] = st
Matt Mackall
dirstate.walk: build a dict rather than yield...
r6829
Matt Mackall
dirstate.walk: more cleanups...
r6831 del results['.hg']
Matt Mackall
dirstate.walk: build a dict rather than yield...
r6829 return results
mpm@selenic.com
Break apart hg.py...
r1089
Matt Mackall
repo.status: eliminate list_
r6753 def status(self, match, ignored, clean, unknown):
listignored, listclean, listunknown = ignored, clean, unknown
Thomas Arendsen Hein
New option -i/--ignored for 'hg status' to show ignored files....
r2022 lookup, modified, added, unknown, ignored = [], [], [], [], []
Vadim Gelfer
status: add -c (clean) and -A (all files) options...
r2661 removed, deleted, clean = [], [], []
mpm@selenic.com
Break apart hg.py...
r1089
Matt Mackall
dirstate: localize a bunch of methods in status fastpath
r5003 dmap = self._map
ladd = lookup.append
madd = modified.append
aadd = added.append
uadd = unknown.append
iadd = ignored.append
radd = removed.append
dadd = deleted.append
cadd = clean.append
Matt Mackall
dirstate.walk: build a dict rather than yield...
r6829 for fn, st in self.walk(match, listunknown, listignored).iteritems():
Matt Mackall
dirstate: minor status cleanups
r6591 if fn not in dmap:
Matt Mackall
repo.status: eliminate list_
r6753 if (listignored or match.exact(fn)) and self._dirignore(fn):
if listignored:
Alexis S. L. Carvalho
dirstate.status: avoid putting ignored files in the unknown list...
r6033 iadd(fn)
Matt Mackall
repo.status: eliminate list_
r6753 elif listunknown:
Matt Mackall
dirstate: localize a bunch of methods in status fastpath
r5003 uadd(fn)
Benoit Boissinot
rewrote changes function in dirstate to use generic walk code...
r1471 continue
Matt Mackall
dirstate: minor status cleanups
r6591
Matt Mackall
dirstate: C parsing extension
r7093 state, mode, size, time = dmap[fn]
Matt Mackall
dirstate: minor status cleanups
r6591
Matt Mackall
dirstate.walk: eliminate src from yield...
r6818 if not st and state in "nma":
dadd(fn)
elif state == 'n':
Alexis S. L. Carvalho
dirstate: ignore mode changes if the fs does not supports the exec bit...
r6257 if (size >= 0 and
(size != st.st_size
or ((mode ^ st.st_mode) & 0100 and self._checkexec))
Alexis S. L. Carvalho
merge: forcefully mark files that we get from the second parent as dirty...
r5210 or size == -2
Alexis S. L. Carvalho
dirstate.status: if a file is marked as copied, consider it modified...
r4677 or fn in self._copymap):
Matt Mackall
dirstate: localize a bunch of methods in status fastpath
r5003 madd(fn)
Alexis S. L. Carvalho
dirstate.py: when comparing mtimes, use only the integer part....
r2962 elif time != int(st.st_mtime):
Matt Mackall
dirstate: localize a bunch of methods in status fastpath
r5003 ladd(fn)
Matt Mackall
repo.status: eliminate list_
r6753 elif listclean:
Matt Mackall
dirstate: localize a bunch of methods in status fastpath
r5003 cadd(fn)
Matt Mackall
status: rename type_ to state
r6590 elif state == 'm':
Matt Mackall
dirstate: localize a bunch of methods in status fastpath
r5003 madd(fn)
Matt Mackall
status: rename type_ to state
r6590 elif state == 'a':
Matt Mackall
dirstate: localize a bunch of methods in status fastpath
r5003 aadd(fn)
Matt Mackall
status: rename type_ to state
r6590 elif state == 'r':
Matt Mackall
dirstate: localize a bunch of methods in status fastpath
r5003 radd(fn)
mason@suse.com
Optimize dirstate walking...
r1183
Vadim Gelfer
status: add -c (clean) and -A (all files) options...
r2661 return (lookup, modified, added, removed, deleted, unknown, ignored,
clean)