##// END OF EJS Templates
context: remove seemingly impossible code branch...
context: remove seemingly impossible code branch I'm not a Python expert, but I can't think of a way that the following branch can ever be hit: def _changeid(self): if r'_changeid' in self.__dict__: return self._changeid It seems to me that if that condition is true, then this function would not have been called. The only exception I can think of is if a reference to the function had been stored beforehand, something like this: c = fctx.__dict__['_changeid'] fctx._changeid c() But that seems like very unlikely code to exist. The condition was added in 921b64e1f7b9 (filecontext: use 'is not None' to check for filelog existence, 2013-05-01) as a "bonus" change (in addition to what the patch was actually about) Differential Revision: https://phab.mercurial-scm.org/D5289

File last commit:

r40614:aca09df3 default
r40707:1423ff45 default
Show More
transaction.py
645 lines | 23.4 KiB | text/x-python | PythonLexer
Mads Kiilerich
fix trivial spelling errors
r17424 # transaction.py - simple journaling scheme for mercurial
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0 #
# This transaction scheme is intended to gracefully handle program
# errors and interruptions. More serious failures like system crashes
# can be recovered with an fsck-like tool. As the whole repository is
# effectively log-structured, this should amount to simply truncating
# anything that isn't referenced in the changelog.
#
Vadim Gelfer
update copyrights.
r2859 # Copyright 2005, 2006 Matt Mackall <mpm@selenic.com>
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0 #
Martin Geisler
updated license to be explicit about GPL version 2
r8225 # This software may be used and distributed according to the terms of the
Matt Mackall
Update license to GPLv2+
r10263 # GNU General Public License version 2 or any later version.
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0
Gregory Szorc
transaction: use absolute_import
r25986 from __future__ import absolute_import
Matt Mackall
transaction: drop extra import caught by pyflakes
r20886 import errno
Gregory Szorc
transaction: use absolute_import
r25986
from .i18n import _
from . import (
error,
Augie Fackler
transaction: fix an error string with bytestr() on a repr()d value...
r36753 pycompat,
Gregory Szorc
transaction: use absolute_import
r25986 util,
)
Boris Feld
transaction: display data about why the transaction failed to rollback...
r40614 from .utils import (
stringutil,
)
Henrik Stuart
transaction: ensure finished transactions are not reused...
r8289
Pierre-Yves David
transaction: set backupentries version to proper value...
r23313 version = 2
Durham Goode
transactions: add version number to journal.backupfiles...
r23064
Durham Goode
transaction: allow running file generators after finalizers...
r28830 # These are the file generators that should only be executed after the
# finalizers are done, since they rely on the output of the finalizers (like
# the changelog having been written).
Martin von Zweigbergk
cleanup: use set literals...
r32291 postfinalizegenerators = {
Durham Goode
transaction: allow running file generators after finalizers...
r28830 'bookmarks',
'dirstate'
Martin von Zweigbergk
cleanup: use set literals...
r32291 }
Durham Goode
transaction: allow running file generators after finalizers...
r28830
Pierre-Yves David
style: remove namespace class...
r29297 gengroupall='all'
gengroupprefinalize='prefinalize'
gengrouppostfinalize='postfinalize'
Durham Goode
transaction: allow running file generators after finalizers...
r28830
Henrik Stuart
transaction: ensure finished transactions are not reused...
r8289 def active(func):
def _active(self, *args, **kwds):
Gregory Szorc
transaction: make count and usages private attributes...
r39710 if self._count == 0:
Henrik Stuart
transaction: ensure finished transactions are not reused...
r8289 raise error.Abort(_(
'cannot use transaction when it is already committed/aborted'))
return func(self, *args, **kwds)
return _active
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0
Pierre-Yves David
transaction: use the location value when doing backup...
r23311 def _playback(journal, report, opener, vfsmap, entries, backupentries,
FUJIWARA Katsunori
transaction: avoid file stat ambiguity only for files in blacklist...
r33278 unlink=True, checkambigfiles=None):
Mads Kiilerich
cleanup: name unused variables using convention of leading _...
r22204 for f, o, _ignore in entries:
Henrik Stuart
transaction: refactor transaction.abort and rollback to use the same code...
r8294 if o or not unlink:
FUJIWARA Katsunori
transaction: avoid file stat ambiguity only for files in blacklist...
r33278 checkambig = checkambigfiles and (f, '') in checkambigfiles
Henrik Stuart
transaction: refactor transaction.abort and rollback to use the same code...
r8294 try:
FUJIWARA Katsunori
transaction: avoid file stat ambiguity only for files in blacklist...
r33278 fp = opener(f, 'a', checkambig=checkambig)
Dan Villiom Podlaski Christiansen
explicitly close files...
r13400 fp.truncate(o)
fp.close()
Benoit Boissinot
transaction: more specific exceptions, os.unlink can raise OSError
r9686 except IOError:
Henrik Stuart
transaction: refactor transaction.abort and rollback to use the same code...
r8294 report(_("failed to truncate %s\n") % f)
raise
else:
try:
FUJIWARA Katsunori
transaction: unlink target file via vfs...
r20084 opener.unlink(f)
Gregory Szorc
global: mass rewrite to use modern exception syntax...
r25660 except (IOError, OSError) as inst:
Henrik Stuart
transaction: refactor transaction.abort and rollback to use the same code...
r8294 if inst.errno != errno.ENOENT:
raise
Durham Goode
transaction: add support for non-append files...
r20882
backupfiles = []
Pierre-Yves David
transaction: change the on disk format for backupentries...
r23309 for l, f, b, c in backupentries:
Pierre-Yves David
transaction: support cache file in backupentries...
r23312 if l not in vfsmap and c:
report("couldn't handle %s: unknown cache location %s\n"
% (b, l))
Pierre-Yves David
transaction: use the location value when doing backup...
r23311 vfs = vfsmap[l]
Pierre-Yves David
transaction: support cache file in backupentries...
r23312 try:
if f and b:
filepath = vfs.join(f)
backuppath = vfs.join(b)
FUJIWARA Katsunori
transaction: apply checkambig=True only on limited files for similarity...
r33279 checkambig = checkambigfiles and (f, l) in checkambigfiles
Pierre-Yves David
transaction: support cache file in backupentries...
r23312 try:
FUJIWARA Katsunori
transaction: apply checkambig=True only on limited files for similarity...
r33279 util.copyfile(backuppath, filepath, checkambig=checkambig)
Pierre-Yves David
transaction: support cache file in backupentries...
r23312 backupfiles.append(b)
except IOError:
report(_("failed to recover %s\n") % f)
else:
target = f or b
try:
vfs.unlink(target)
Gregory Szorc
global: mass rewrite to use modern exception syntax...
r25660 except (IOError, OSError) as inst:
Pierre-Yves David
transaction: support cache file in backupentries...
r23312 if inst.errno != errno.ENOENT:
raise
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 except (IOError, OSError, error.Abort) as inst:
Pierre-Yves David
transaction: support cache file in backupentries...
r23312 if not c:
Pierre-Yves David
transaction: handle missing file in backupentries (instead of using entries)...
r23278 raise
Durham Goode
transaction: add support for non-append files...
r20882
backuppath = "%s.backupfiles" % journal
if opener.exists(backuppath):
opener.unlink(backuppath)
FUJIWARA Katsunori
transaction: reorder unlinking .hg/journal and .hg/journal.backupfiles...
r26753 opener.unlink(journal)
Pierre-Yves David
transaction: support cache file in backupentries...
r23312 try:
for f in backupfiles:
if opener.exists(f):
opener.unlink(f)
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 except (IOError, OSError, error.Abort) as inst:
Pierre-Yves David
transaction: support cache file in backupentries...
r23312 # only pure backup file remains, it is sage to ignore any error
pass
Henrik Stuart
transaction: refactor transaction.abort and rollback to use the same code...
r8294
Martin von Zweigbergk
util: add base class for transactional context managers...
r33790 class transaction(util.transactional):
Pierre-Yves David
transaction: pass the name of the "undo" journal to the transaction...
r23903 def __init__(self, report, opener, vfsmap, journalname, undoname=None,
FUJIWARA Katsunori
transaction: avoid file stat ambiguity only for files in blacklist...
r33278 after=None, createmode=None, validator=None, releasefn=None,
Martin von Zweigbergk
transaction: add a name and a __repr__ implementation (API)...
r36837 checkambigfiles=None, name=r'<unnamed>'):
Durham Goode
transaction: add onclose/onabort hook for pre-close logic...
r20881 """Begin a new transaction
Begins a new transaction that allows rolling back writes in the event of
an exception.
* `after`: called after the transaction has been committed
* `createmode`: the mode of the journal file that will be created
FUJIWARA Katsunori
transaction: add releasefn to notify the end of a transaction scope...
r26576 * `releasefn`: called after releasing (with transaction and result)
FUJIWARA Katsunori
transaction: avoid file stat ambiguity only for files in blacklist...
r33278
`checkambigfiles` is a set of (path, vfs-location) tuples,
which determine whether file stat ambiguity should be avoided
for corresponded files.
Durham Goode
transaction: add onclose/onabort hook for pre-close logic...
r20881 """
Gregory Szorc
transaction: make count and usages private attributes...
r39710 self._count = 1
self._usages = 1
Gregory Szorc
transaction: make report a private attribute...
r39719 self._report = report
Pierre-Yves David
transaction: pass a vfs map to the transaction...
r23310 # a vfs to the store content
Gregory Szorc
transaction: make opener a private attribute...
r39718 self._opener = opener
Pierre-Yves David
transaction: pass a vfs map to the transaction...
r23310 # a map to access file in various {location -> vfs}
vfsmap = vfsmap.copy()
vfsmap[''] = opener # set default value
self._vfsmap = vfsmap
Gregory Szorc
transaction: make after a private attribute...
r39717 self._after = after
Gregory Szorc
transaction: make entries a private attribute (API)...
r39722 self._entries = []
Gregory Szorc
transaction: make map a private attribute...
r39720 self._map = {}
Gregory Szorc
transaction: make journal a private attribute...
r39712 self._journal = journalname
Gregory Szorc
transaction: make undoname a private attribute...
r39711 self._undoname = undoname
Pierre-Yves David
transaction: gather backupjournal logic together in the __init__...
r23279 self._queue = []
Pierre-Yves David
transaction: add a validation stage...
r24283 # A callback to validate transaction content before closing it.
# should raise exception is anything is wrong.
# target user is repository hooks.
if validator is None:
validator = lambda tr: None
Gregory Szorc
transaction: make validator a private attribute...
r39715 self._validator = validator
FUJIWARA Katsunori
transaction: add releasefn to notify the end of a transaction scope...
r26576 # A callback to do something just after releasing transaction.
if releasefn is None:
releasefn = lambda tr, success: None
Gregory Szorc
transaction: make releasefn a private attribute...
r39714 self._releasefn = releasefn
FUJIWARA Katsunori
transaction: add releasefn to notify the end of a transaction scope...
r26576
Gregory Szorc
transaction: make checkambigfiles a private attribute...
r39716 self._checkambigfiles = set()
FUJIWARA Katsunori
transaction: avoid file stat ambiguity only for files in blacklist...
r33278 if checkambigfiles:
Gregory Szorc
transaction: make checkambigfiles a private attribute...
r39716 self._checkambigfiles.update(checkambigfiles)
FUJIWARA Katsunori
transaction: avoid file stat ambiguity only for files in blacklist...
r33278
Gregory Szorc
transaction: make names a private attribute...
r39721 self._names = [name]
Martin von Zweigbergk
transaction: add a name and a __repr__ implementation (API)...
r36837
Pierre-Yves David
transaction: introduce "changes" dictionary to precisely track updates...
r32261 # A dict dedicated to precisely tracking the changes introduced in the
# transaction.
self.changes = {}
Pierre-Yves David
transaction: gather backupjournal logic together in the __init__...
r23279 # a dict of arguments to be passed to hooks
self.hookargs = {}
Gregory Szorc
transaction: make file a private attribute...
r39713 self._file = opener.open(self._journal, "w")
Pierre-Yves David
transaction: gather backupjournal logic together in the __init__...
r23279
Pierre-Yves David
transaction: change the on disk format for backupentries...
r23309 # a list of ('location', 'path', 'backuppath', cache) entries.
Pierre-Yves David
transaction: use the location value when doing backup...
r23311 # - if 'backuppath' is empty, no file existed at backup time
# - if 'path' is empty, this is a temporary transaction file
# - if 'location' is not empty, the path is outside main opener reach.
# use 'location' value as a key in a vfsmap to find the right 'vfs'
# (cache is currently unused)
Pierre-Yves David
transaction: mark backup-related attributes private...
r23249 self._backupentries = []
self._backupmap = {}
Gregory Szorc
transaction: make journal a private attribute...
r39712 self._backupjournal = "%s.backupfiles" % self._journal
Pierre-Yves David
transaction: mark backup-related attributes private...
r23249 self._backupsfile = opener.open(self._backupjournal, 'w')
self._backupsfile.write('%d\n' % version)
Pierre-Yves David
transaction: gather backupjournal logic together in the __init__...
r23279
Alexis S. L. Carvalho
make the journal/undo files from transactions inherit the mode from .hg/store
r6065 if createmode is not None:
Gregory Szorc
transaction: make journal a private attribute...
r39712 opener.chmod(self._journal, createmode & 0o666)
Gregory Szorc
global: mass rewrite to use modern octal syntax...
r25658 opener.chmod(self._backupjournal, createmode & 0o666)
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0
Pierre-Yves David
transaction: add a file generation mechanism...
r22078 # hold file generations to be performed on commit
self._filegenerators = {}
Mads Kiilerich
spelling: fixes from proofreading of spell checker issues
r23543 # hold callback to write pending data for hooks
Pierre-Yves David
transaction: add 'writepending' logic...
r23202 self._pendingcallback = {}
# True is any pending data have been written ever
self._anypending = False
Pierre-Yves David
transaction: allow registering a finalization callback...
r23204 # holds callback to call when writing the transaction
self._finalizecallback = {}
Mads Kiilerich
spelling: fixes from proofreading of spell checker issues
r23543 # hold callback for post transaction close
Pierre-Yves David
transaction: allow registering a post-close callback...
r23220 self._postclosecallback = {}
Gregory Szorc
transaction: support for callbacks during abort...
r23764 # holds callbacks to call during abort
self._abortcallback = {}
Pierre-Yves David
transaction: add a file generation mechanism...
r22078
Martin von Zweigbergk
transaction: add a name and a __repr__ implementation (API)...
r36837 def __repr__(self):
Gregory Szorc
transaction: make names a private attribute...
r39721 name = r'/'.join(self._names)
Martin von Zweigbergk
transaction: add a name and a __repr__ implementation (API)...
r36837 return (r'<transaction name=%s, count=%d, usages=%d>' %
Gregory Szorc
transaction: make count and usages private attributes...
r39710 (name, self._count, self._usages))
Martin von Zweigbergk
transaction: add a name and a __repr__ implementation (API)...
r36837
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0 def __del__(self):
Gregory Szorc
transaction: make journal a private attribute...
r39712 if self._journal:
Sune Foldager
transaction: always remove empty journal on abort...
r9693 self._abort()
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0
Henrik Stuart
transaction: ensure finished transactions are not reused...
r8289 @active
Henrik Stuart
transaction: add atomic groups to transaction logic...
r8363 def startgroup(self):
Pierre-Yves David
transaction: document startgroup and endgroup...
r23250 """delay registration of file entry
This is used by strip to delay vision of strip offset. The transaction
sees either none or all of the strip actions to be done."""
Pierre-Yves David
transaction: drop backupentries logic from startgroup and endgroup...
r23251 self._queue.append([])
Henrik Stuart
transaction: add atomic groups to transaction logic...
r8363
@active
def endgroup(self):
Pierre-Yves David
transaction: document startgroup and endgroup...
r23250 """apply delayed registration of file entry.
This is used by strip to delay vision of strip offset. The transaction
sees either none or all of the strip actions to be done."""
Henrik Stuart
transaction: add atomic groups to transaction logic...
r8363 q = self._queue.pop()
Pierre-Yves David
transaction: factorise append-only file registration...
r23253 for f, o, data in q:
self._addentry(f, o, data)
Henrik Stuart
transaction: add atomic groups to transaction logic...
r8363
@active
Chris Mason
...
r2084 def add(self, file, offset, data=None):
Pierre-Yves David
transaction: document `tr.add`
r23252 """record the state of an append-only file before update"""
Gregory Szorc
transaction: make map a private attribute...
r39720 if file in self._map or file in self._backupmap:
Matt Mackall
many, many trivial check-code fixups
r10282 return
Henrik Stuart
transaction: add atomic groups to transaction logic...
r8363 if self._queue:
Pierre-Yves David
transaction: drop backupentries logic from startgroup and endgroup...
r23251 self._queue[-1].append((file, offset, data))
Henrik Stuart
transaction: add atomic groups to transaction logic...
r8363 return
Pierre-Yves David
transaction: factorise append-only file registration...
r23253 self._addentry(file, offset, data)
def _addentry(self, file, offset, data):
"""add a append-only entry to memory and on-disk state"""
Gregory Szorc
transaction: make map a private attribute...
r39720 if file in self._map or file in self._backupmap:
Pierre-Yves David
transaction: factorise append-only file registration...
r23253 return
Gregory Szorc
transaction: make entries a private attribute (API)...
r39722 self._entries.append((file, offset, data))
self._map[file] = len(self._entries) - 1
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0 # add enough data to the journal to do the truncate
Gregory Szorc
transaction: make file a private attribute...
r39713 self._file.write("%s\0%d\n" % (file, offset))
self._file.flush()
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0
Henrik Stuart
transaction: ensure finished transactions are not reused...
r8289 @active
Pierre-Yves David
transaction: use 'location' instead of 'vfs' in the addbackup method...
r23316 def addbackup(self, file, hardlink=True, location=''):
Durham Goode
transaction: add support for non-append files...
r20882 """Adds a backup of the file to the transaction
Calling addbackup() creates a hardlink backup of the specified file
that is used to recover the file in the event of the transaction
aborting.
* `file`: the file path, relative to .hg/store
* `hardlink`: use a hardlink to quickly create the backup
"""
Pierre-Yves David
transaction: drop backupentries logic from startgroup and endgroup...
r23251 if self._queue:
msg = 'cannot use transaction.addbackup inside "group"'
Jun Wu
transaction: use ProgrammingError
r31648 raise error.ProgrammingError(msg)
Durham Goode
transaction: add support for non-append files...
r20882
Gregory Szorc
transaction: make map a private attribute...
r39720 if file in self._map or file in self._backupmap:
Durham Goode
transaction: add support for non-append files...
r20882 return
Pierre-Yves David
vfs: add a 'split' method...
r23582 vfs = self._vfsmap[location]
dirname, filename = vfs.split(file)
Gregory Szorc
transaction: make journal a private attribute...
r39712 backupfilename = "%s.backup.%s" % (self._journal, filename)
Pierre-Yves David
vfs: add a 'reljoin' function for joining relative paths...
r23581 backupfile = vfs.reljoin(dirname, backupfilename)
Pierre-Yves David
transaction: allow generating file outside of store...
r22663 if vfs.exists(file):
filepath = vfs.join(file)
Pierre-Yves David
addbackup: use the vfs for the backup destination too...
r23314 backuppath = vfs.join(backupfile)
Pierre-Yves David
transaction: use 'util.copyfile' for creating backup...
r23900 util.copyfile(filepath, backuppath, hardlink=hardlink)
Durham Goode
transaction: add support for non-append files...
r20882 else:
Pierre-Yves David
transaction: handle missing file in backupentries (instead of using entries)...
r23278 backupfile = ''
Durham Goode
transaction: add support for non-append files...
r20882
Pierre-Yves David
transaction: use 'location' instead of 'vfs' in the addbackup method...
r23316 self._addbackupentry((location, file, backupfile, False))
Pierre-Yves David
transaction: extract backupentry registration in a dedicated function...
r23283
def _addbackupentry(self, entry):
"""register a new backup entry and write it to disk"""
self._backupentries.append(entry)
Pierre-Yves David
transaction: really fix _addbackupentry key usage (issue4684)...
r25294 self._backupmap[entry[1]] = len(self._backupentries) - 1
Pierre-Yves David
transaction: change the on disk format for backupentries...
r23309 self._backupsfile.write("%s\0%s\0%s\0%d\n" % entry)
Pierre-Yves David
transaction: mark backup-related attributes private...
r23249 self._backupsfile.flush()
Durham Goode
transaction: add support for non-append files...
r20882
@active
Pierre-Yves David
transaction: accept a 'location' argument for registertmp...
r23354 def registertmp(self, tmpfile, location=''):
Pierre-Yves David
transaction: allow registering a temporary transaction file...
r23291 """register a temporary transaction file
Matt Mackall
transaction: fix some docstring grammar
r23355 Such files will be deleted when the transaction exits (on both
failure and success).
Pierre-Yves David
transaction: allow registering a temporary transaction file...
r23291 """
Pierre-Yves David
transaction: accept a 'location' argument for registertmp...
r23354 self._addbackupentry((location, '', tmpfile, False))
Pierre-Yves David
transaction: allow registering a temporary transaction file...
r23291
@active
Pierre-Yves David
transaction: use 'location' instead of 'vfs' objects for file generation...
r23317 def addfilegenerator(self, genid, filenames, genfunc, order=0,
location=''):
Pierre-Yves David
transaction: add a file generation mechanism...
r22078 """add a function to generates some files at transaction commit
The `genfunc` argument is a function capable of generating proper
content of each entry in the `filename` tuple.
At transaction close time, `genfunc` will be called with one file
object argument per entries in `filenames`.
The transaction itself is responsible for the backup, creation and
final write of such file.
The `genid` argument is used to ensure the same set of file is only
generated once. Call to `addfilegenerator` for a `genid` already
present will overwrite the old entry.
The `order` argument may be used to control the order in which multiple
generator will be executed.
Pierre-Yves David
transaction: use 'location' instead of 'vfs' objects for file generation...
r23317
The `location` arguments may be used to indicate the files are located
outside of the the standard directory for transaction. It should match
Mads Kiilerich
spelling: fixes from proofreading of spell checker issues
r23543 one of the key of the `transaction.vfsmap` dictionary.
Pierre-Yves David
transaction: add a file generation mechanism...
r22078 """
Pierre-Yves David
transaction: allow generating file outside of store...
r22663 # For now, we are unable to do proper backup and restore of custom vfs
# but for bookmarks that are handled outside this mechanism.
Pierre-Yves David
transaction: use 'location' instead of 'vfs' objects for file generation...
r23317 self._filegenerators[genid] = (order, filenames, genfunc, location)
Pierre-Yves David
transaction: add a file generation mechanism...
r22078
Jun Wu
rebase: clean up rebasestate from active transaction...
r33056 @active
def removefilegenerator(self, genid):
"""reverse of addfilegenerator, remove a file generator function"""
if genid in self._filegenerators:
del self._filegenerators[genid]
Pierre-Yves David
style: remove namespace class...
r29297 def _generatefiles(self, suffix='', group=gengroupall):
Pierre-Yves David
transaction: extract file generation into its own function...
r23102 # write files registered for generation
Pierre-Yves David
transaction: have _generatefile return a boolean...
r23357 any = False
Durham Goode
transaction: allow running file generators after finalizers...
r28830 for id, entry in sorted(self._filegenerators.iteritems()):
Pierre-Yves David
transaction: have _generatefile return a boolean...
r23357 any = True
Pierre-Yves David
transaction: use 'location' instead of 'vfs' objects for file generation...
r23317 order, filenames, genfunc, location = entry
Durham Goode
transaction: allow running file generators after finalizers...
r28830
# for generation at closing, check if it's before or after finalize
Pierre-Yves David
style: remove namespace class...
r29297 postfinalize = group == gengrouppostfinalize
if (group != gengroupall and
Durham Goode
transaction: allow running file generators after finalizers...
r28830 (id in postfinalizegenerators) != (postfinalize)):
continue
Pierre-Yves David
transaction: use 'location' instead of 'vfs' objects for file generation...
r23317 vfs = self._vfsmap[location]
Pierre-Yves David
transaction: extract file generation into its own function...
r23102 files = []
try:
for name in filenames:
Pierre-Yves David
transaction: allow generating files with a suffix...
r23356 name += suffix
if suffix:
self.registertmp(name, location=location)
FUJIWARA Katsunori
transaction: apply checkambig=True only on limited files for similarity...
r33279 checkambig = False
Pierre-Yves David
transaction: allow generating files with a suffix...
r23356 else:
self.addbackup(name, location=location)
Gregory Szorc
transaction: make checkambigfiles a private attribute...
r39716 checkambig = (name, location) in self._checkambigfiles
FUJIWARA Katsunori
transaction: avoid ambiguity of file stat at closing transaction...
r29299 files.append(vfs(name, 'w', atomictemp=True,
FUJIWARA Katsunori
transaction: apply checkambig=True only on limited files for similarity...
r33279 checkambig=checkambig))
Pierre-Yves David
transaction: extract file generation into its own function...
r23102 genfunc(*files)
finally:
for f in files:
f.close()
Pierre-Yves David
transaction: have _generatefile return a boolean...
r23357 return any
Pierre-Yves David
transaction: extract file generation into its own function...
r23102
Pierre-Yves David
transaction: add a file generation mechanism...
r22078 @active
Chris Mason
...
r2084 def find(self, file):
Gregory Szorc
transaction: make map a private attribute...
r39720 if file in self._map:
Gregory Szorc
transaction: make entries a private attribute (API)...
r39722 return self._entries[self._map[file]]
Pierre-Yves David
transaction: mark backup-related attributes private...
r23249 if file in self._backupmap:
return self._backupentries[self._backupmap[file]]
Chris Mason
...
r2084 return None
Henrik Stuart
transaction: ensure finished transactions are not reused...
r8289 @active
Chris Mason
...
r2084 def replace(self, file, offset, data=None):
Henrik Stuart
transaction: add atomic groups to transaction logic...
r8363 '''
replace can only replace already committed entries
that are not pending in the queue
'''
Gregory Szorc
transaction: make map a private attribute...
r39720 if file not in self._map:
Chris Mason
...
r2084 raise KeyError(file)
Gregory Szorc
transaction: make map a private attribute...
r39720 index = self._map[file]
Gregory Szorc
transaction: make entries a private attribute (API)...
r39722 self._entries[index] = (file, offset, data)
Gregory Szorc
transaction: make file a private attribute...
r39713 self._file.write("%s\0%d\n" % (file, offset))
self._file.flush()
Chris Mason
...
r2084
Henrik Stuart
transaction: ensure finished transactions are not reused...
r8289 @active
Martin von Zweigbergk
transaction: add a name and a __repr__ implementation (API)...
r36837 def nest(self, name=r'<unnamed>'):
Gregory Szorc
transaction: make count and usages private attributes...
r39710 self._count += 1
self._usages += 1
Gregory Szorc
transaction: make names a private attribute...
r39721 self._names.append(name)
mason@suse.com
Automatic nesting into running transactions in the same repository....
r1806 return self
Ronny Pfannschmidt
make transactions work on non-refcounted python implementations
r11230 def release(self):
Gregory Szorc
transaction: make count and usages private attributes...
r39710 if self._count > 0:
self._usages -= 1
Gregory Szorc
transaction: make names a private attribute...
r39721 if self._names:
self._names.pop()
Patrick Mezard
cleanup: typos
r11685 # if the transaction scopes are left without being closed, fail
Gregory Szorc
transaction: make count and usages private attributes...
r39710 if self._count > 0 and self._usages == 0:
Ronny Pfannschmidt
make transactions work on non-refcounted python implementations
r11230 self._abort()
mason@suse.com
Automatic nesting into running transactions in the same repository....
r1806 def running(self):
Gregory Szorc
transaction: make count and usages private attributes...
r39710 return self._count > 0
mason@suse.com
Automatic nesting into running transactions in the same repository....
r1806
Pierre-Yves David
transaction: add 'writepending' logic...
r23202 def addpending(self, category, callback):
"""add a callback to be called when the transaction is pending
Pierre-Yves David
transaction: pass the transaction to 'pending' callback...
r23280 The transaction will be given as callback's first argument.
Pierre-Yves David
transaction: add 'writepending' logic...
r23202 Category is a unique identifier to allow overwriting an old callback
with a newer callback.
"""
self._pendingcallback[category] = callback
@active
def writepending(self):
'''write pending file to temporary version
This is used to allow hooks to view a transaction before commit'''
categories = sorted(self._pendingcallback)
for cat in categories:
# remove callback since the data will have been flushed
Pierre-Yves David
transaction: pass the transaction to 'pending' callback...
r23280 any = self._pendingcallback.pop(cat)(self)
Pierre-Yves David
transaction: add 'writepending' logic...
r23202 self._anypending = self._anypending or any
Pierre-Yves David
transaction: write pending generated files...
r23358 self._anypending |= self._generatefiles(suffix='.pending')
Pierre-Yves David
transaction: add 'writepending' logic...
r23202 return self._anypending
Henrik Stuart
transaction: ensure finished transactions are not reused...
r8289 @active
Pierre-Yves David
transaction: allow registering a finalization callback...
r23204 def addfinalize(self, category, callback):
"""add a callback to be called when the transaction is closed
Pierre-Yves David
transaction: pass the transaction to 'finalize' callback...
r23281 The transaction will be given as callback's first argument.
Pierre-Yves David
transaction: allow registering a finalization callback...
r23204 Category is a unique identifier to allow overwriting old callbacks with
newer callbacks.
"""
self._finalizecallback[category] = callback
@active
Pierre-Yves David
transaction: allow registering a post-close callback...
r23220 def addpostclose(self, category, callback):
Jun Wu
strip: add a delayedstrip method that works in a transaction...
r33087 """add or replace a callback to be called after the transaction closed
Pierre-Yves David
transaction: allow registering a post-close callback...
r23220
Pierre-Yves David
transaction: pass the transaction to 'postclose' callback...
r23282 The transaction will be given as callback's first argument.
Pierre-Yves David
transaction: allow registering a post-close callback...
r23220 Category is a unique identifier to allow overwriting an old callback
with a newer callback.
"""
self._postclosecallback[category] = callback
@active
Jun Wu
strip: add a delayedstrip method that works in a transaction...
r33087 def getpostclose(self, category):
"""return a postclose callback added before, or None"""
return self._postclosecallback.get(category, None)
@active
Gregory Szorc
transaction: support for callbacks during abort...
r23764 def addabort(self, category, callback):
"""add a callback to be called when the transaction is aborted.
The transaction will be given as the first argument to the callback.
Category is a unique identifier to allow overwriting an old callback
with a newer callback.
"""
self._abortcallback[category] = callback
@active
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0 def close(self):
Greg Ward
transaction: document close(), abort() methods
r9220 '''commit the transaction'''
Gregory Szorc
transaction: make count and usages private attributes...
r39710 if self._count == 1:
Gregory Szorc
transaction: make validator a private attribute...
r39715 self._validator(self) # will raise exception if needed
self._validator = None # Help prevent cycles.
Pierre-Yves David
style: remove namespace class...
r29297 self._generatefiles(group=gengroupprefinalize)
Pierre-Yves David
transaction: allow registering a finalization callback...
r23204 categories = sorted(self._finalizecallback)
for cat in categories:
Pierre-Yves David
transaction: pass the transaction to 'finalize' callback...
r23281 self._finalizecallback[cat](self)
Gregory Szorc
transaction: clear callback instances after usage...
r28960 # Prevent double usage and help clear cycles.
self._finalizecallback = None
Pierre-Yves David
style: remove namespace class...
r29297 self._generatefiles(group=gengrouppostfinalize)
Durham Goode
transaction: add onclose/onabort hook for pre-close logic...
r20881
Gregory Szorc
transaction: make count and usages private attributes...
r39710 self._count -= 1
if self._count != 0:
mason@suse.com
Automatic nesting into running transactions in the same repository....
r1806 return
Gregory Szorc
transaction: make file a private attribute...
r39713 self._file.close()
Pierre-Yves David
transaction: mark backup-related attributes private...
r23249 self._backupsfile.close()
Pierre-Yves David
transaction: allow registering a temporary transaction file...
r23291 # cleanup temporary files
Pierre-Yves David
transaction: support cache file in backupentries...
r23312 for l, f, b, c in self._backupentries:
if l not in self._vfsmap and c:
Gregory Szorc
transaction: make report a private attribute...
r39719 self._report("couldn't remove %s: unknown cache location %s\n"
% (b, l))
Pierre-Yves David
transaction: support cache file in backupentries...
r23312 continue
Pierre-Yves David
transaction: use the location value when doing backup...
r23311 vfs = self._vfsmap[l]
if not f and b and vfs.exists(b):
Pierre-Yves David
transaction: support cache file in backupentries...
r23312 try:
vfs.unlink(b)
Pierre-Yves David
error: get Abort from 'error' instead of 'util'...
r26587 except (IOError, OSError, error.Abort) as inst:
Pierre-Yves David
transaction: support cache file in backupentries...
r23312 if not c:
raise
# Abort may be raise by read only opener
Gregory Szorc
transaction: make report a private attribute...
r39719 self._report("couldn't remove %s: %s\n"
% (vfs.join(b), inst))
Gregory Szorc
transaction: make entries a private attribute (API)...
r39722 self._entries = []
Pierre-Yves David
transaction: include backup file in the "undo" transaction...
r23904 self._writeundo()
Gregory Szorc
transaction: make after a private attribute...
r39717 if self._after:
self._after()
self._after = None # Help prevent cycles.
Gregory Szorc
transaction: make opener a private attribute...
r39718 if self._opener.isfile(self._backupjournal):
self._opener.unlink(self._backupjournal)
if self._opener.isfile(self._journal):
self._opener.unlink(self._journal)
Martin von Zweigbergk
transaction: remove 'if True:'...
r27662 for l, _f, b, c in self._backupentries:
if l not in self._vfsmap and c:
Gregory Szorc
transaction: make report a private attribute...
r39719 self._report("couldn't remove %s: unknown cache location"
"%s\n" % (b, l))
Martin von Zweigbergk
transaction: remove 'if True:'...
r27662 continue
vfs = self._vfsmap[l]
if b and vfs.exists(b):
try:
vfs.unlink(b)
except (IOError, OSError, error.Abort) as inst:
if not c:
raise
# Abort may be raise by read only opener
Gregory Szorc
transaction: make report a private attribute...
r39719 self._report("couldn't remove %s: %s\n"
% (vfs.join(b), inst))
Pierre-Yves David
transaction: mark backup-related attributes private...
r23249 self._backupentries = []
Gregory Szorc
transaction: make journal a private attribute...
r39712 self._journal = None
FUJIWARA Katsunori
transaction: add releasefn to notify the end of a transaction scope...
r26576
Gregory Szorc
transaction: make releasefn a private attribute...
r39714 self._releasefn(self, True) # notify success of closing transaction
self._releasefn = None # Help prevent cycles.
FUJIWARA Katsunori
transaction: add releasefn to notify the end of a transaction scope...
r26576
Pierre-Yves David
transaction: allow registering a post-close callback...
r23220 # run post close action
categories = sorted(self._postclosecallback)
for cat in categories:
Pierre-Yves David
transaction: pass the transaction to 'postclose' callback...
r23282 self._postclosecallback[cat](self)
Gregory Szorc
transaction: clear callback instances after usage...
r28960 # Prevent double usage and help clear cycles.
self._postclosecallback = None
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0
Henrik Stuart
transaction: ensure finished transactions are not reused...
r8289 @active
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0 def abort(self):
Greg Ward
transaction: document close(), abort() methods
r9220 '''abort the transaction (generally called on error, or when the
transaction is not explicitly committed before going out of
scope)'''
Henrik Stuart
transaction: ensure finished transactions are not reused...
r8289 self._abort()
Pierre-Yves David
transaction: include backup file in the "undo" transaction...
r23904 def _writeundo(self):
"""write transaction data for possible future undo call"""
Gregory Szorc
transaction: make undoname a private attribute...
r39711 if self._undoname is None:
Pierre-Yves David
transaction: include backup file in the "undo" transaction...
r23904 return
Gregory Szorc
transaction: make opener a private attribute...
r39718 undobackupfile = self._opener.open("%s.backupfiles" % self._undoname,
'w')
Pierre-Yves David
transaction: include backup file in the "undo" transaction...
r23904 undobackupfile.write('%d\n' % version)
for l, f, b, c in self._backupentries:
if not f: # temporary file
continue
if not b:
u = ''
else:
if l not in self._vfsmap and c:
Gregory Szorc
transaction: make report a private attribute...
r39719 self._report("couldn't remove %s: unknown cache location"
"%s\n" % (b, l))
Pierre-Yves David
transaction: include backup file in the "undo" transaction...
r23904 continue
vfs = self._vfsmap[l]
base, name = vfs.split(b)
Gregory Szorc
transaction: make journal a private attribute...
r39712 assert name.startswith(self._journal), name
uname = name.replace(self._journal, self._undoname, 1)
Pierre-Yves David
transaction: include backup file in the "undo" transaction...
r23904 u = vfs.reljoin(base, uname)
util.copyfile(vfs.join(b), vfs.join(u), hardlink=True)
undobackupfile.write("%s\0%s\0%s\0%d\n" % (l, f, u, c))
undobackupfile.close()
Henrik Stuart
transaction: ensure finished transactions are not reused...
r8289 def _abort(self):
Gregory Szorc
transaction: make count and usages private attributes...
r39710 self._count = 0
self._usages = 0
Gregory Szorc
transaction: make file a private attribute...
r39713 self._file.close()
Pierre-Yves David
transaction: mark backup-related attributes private...
r23249 self._backupsfile.close()
Henrik Stuart
transaction: reset transaction on abort...
r8290
Benoit Boissinot
transaction: initialize self.journal to None after deletion...
r10228 try:
Gregory Szorc
transaction: make entries a private attribute (API)...
r39722 if not self._entries and not self._backupentries:
FUJIWARA Katsunori
transaction: reorder unlinking .hg/journal and .hg/journal.backupfiles...
r26753 if self._backupjournal:
Gregory Szorc
transaction: make opener a private attribute...
r39718 self._opener.unlink(self._backupjournal)
Gregory Szorc
transaction: make journal a private attribute...
r39712 if self._journal:
Gregory Szorc
transaction: make opener a private attribute...
r39718 self._opener.unlink(self._journal)
Benoit Boissinot
transaction: initialize self.journal to None after deletion...
r10228 return
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0
Gregory Szorc
transaction: make report a private attribute...
r39719 self._report(_("transaction abort!\n"))
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0
mpm@selenic.com
Warn if we fail to truncate something
r108 try:
Gregory Szorc
transaction: support for callbacks during abort...
r23764 for cat in sorted(self._abortcallback):
self._abortcallback[cat](self)
Gregory Szorc
transaction: clear callback instances after usage...
r28960 # Prevent double usage and help clear cycles.
self._abortcallback = None
Gregory Szorc
transaction: make report a private attribute...
r39719 _playback(self._journal, self._report, self._opener,
Gregory Szorc
transaction: make entries a private attribute (API)...
r39722 self._vfsmap, self._entries, self._backupentries,
Gregory Szorc
transaction: make opener a private attribute...
r39718 False, checkambigfiles=self._checkambigfiles)
Gregory Szorc
transaction: make report a private attribute...
r39719 self._report(_("rollback completed\n"))
Boris Feld
transaction: display data about why the transaction failed to rollback...
r40614 except BaseException as exc:
Gregory Szorc
transaction: make report a private attribute...
r39719 self._report(_("rollback failed - please run hg recover\n"))
Boris Feld
transaction: display data about why the transaction failed to rollback...
r40614 self._report(_("(failure reason: %s)\n")
% stringutil.forcebytestr(exc))
Henrik Stuart
transaction: refactor transaction.abort and rollback to use the same code...
r8294 finally:
Gregory Szorc
transaction: make journal a private attribute...
r39712 self._journal = None
Gregory Szorc
transaction: make releasefn a private attribute...
r39714 self._releasefn(self, False) # notify failure of transaction
self._releasefn = None # Help prevent cycles.
Henrik Stuart
transaction: reset transaction on abort...
r8290
FUJIWARA Katsunori
transaction: avoid file stat ambiguity only for files in blacklist...
r33278 def rollback(opener, vfsmap, file, report, checkambigfiles=None):
Durham Goode
transaction: add support for non-append files...
r20882 """Rolls back the transaction contained in the given file
Reads the entries in the specified file, and the corresponding
'*.backupfiles' file, to recover from an incomplete transaction.
* `file`: a file containing a list of entries, specifying where
to truncate each file. The file should contain a list of
file\0offset pairs, delimited by newlines. The corresponding
'*.backupfiles' file should contain a list of file\0backupfile
pairs, delimited by \0.
FUJIWARA Katsunori
transaction: avoid file stat ambiguity only for files in blacklist...
r33278
`checkambigfiles` is a set of (path, vfs-location) tuples,
which determine whether file stat ambiguity should be avoided at
restoring corresponded files.
Durham Goode
transaction: add support for non-append files...
r20882 """
Henrik Stuart
transaction: refactor transaction.abort and rollback to use the same code...
r8294 entries = []
Durham Goode
transaction: add support for non-append files...
r20882 backupentries = []
Henrik Stuart
transaction: refactor transaction.abort and rollback to use the same code...
r8294
FUJIWARA Katsunori
transaction: take journal file path relative to vfs to use file API via vfs
r20087 fp = opener.open(file)
Dan Villiom Podlaski Christiansen
explicitly close files...
r13400 lines = fp.readlines()
fp.close()
for l in lines:
Matt Mackall
journal: report parsing errors on recover/rollback (issue4172)
r20524 try:
f, o = l.split('\0')
entries.append((f, int(o), None))
except ValueError:
Augie Fackler
transaction: fix an error string with bytestr() on a repr()d value...
r36753 report(
_("couldn't read journal entry %r!\n") % pycompat.bytestr(l))
mpm@selenic.com
Add back links from file revisions to changeset revisions...
r0
Durham Goode
transaction: add support for non-append files...
r20882 backupjournal = "%s.backupfiles" % file
if opener.exists(backupjournal):
fp = opener.open(backupjournal)
Durham Goode
transactions: change backupfiles format to use newlines...
r23065 lines = fp.readlines()
if lines:
ver = lines[0][:-1]
Augie Fackler
transaction: fix hg version check when loading journal...
r35850 if ver == (b'%d' % version):
Durham Goode
transactions: change backupfiles format to use newlines...
r23065 for line in lines[1:]:
if line:
# Shave off the trailing newline
line = line[:-1]
Pierre-Yves David
transaction: change the on disk format for backupentries...
r23309 l, f, b, c = line.split('\0')
backupentries.append((l, f, b, bool(c)))
Durham Goode
transactions: add version number to journal.backupfiles...
r23064 else:
Pierre-Yves David
transaction: change the on disk format for backupentries...
r23309 report(_("journal was created by a different version of "
Michael O'Connor
transaction: add missing newline to message...
r24721 "Mercurial\n"))
Durham Goode
transaction: add support for non-append files...
r20882
FUJIWARA Katsunori
transaction: avoid file stat ambiguity only for files in blacklist...
r33278 _playback(file, report, opener, vfsmap, entries, backupentries,
checkambigfiles=checkambigfiles)