1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308
|
"""
Atomic file operations
"""
from __future__ import with_statement
import os
import threading
import sys
import atexit
from contextlib import contextmanager
from plumbum.machines.local import local
from plumbum.lib import six
if not hasattr(threading, "get_ident"):
try:
import thread
except ImportError:
import _thread as thread
threading.get_ident = thread.get_ident
del thread
try:
import fcntl
except ImportError:
import msvcrt
try:
from pywintypes import error as WinError
from win32file import LockFileEx, UnlockFile, OVERLAPPED
from win32con import LOCKFILE_EXCLUSIVE_LOCK, LOCKFILE_FAIL_IMMEDIATELY
except ImportError:
raise ImportError("On Windows, we require Python for Windows Extensions (pywin32)")
@contextmanager
def locked_file(fileno, blocking = True):
hndl = msvcrt.get_osfhandle(fileno)
try:
LockFileEx(hndl, LOCKFILE_EXCLUSIVE_LOCK | (0 if blocking else LOCKFILE_FAIL_IMMEDIATELY),
0xffffffff, 0xffffffff, OVERLAPPED())
except WinError:
_, ex, _ = sys.exc_info()
raise WindowsError(*ex.args)
try:
yield
finally:
UnlockFile(hndl, 0, 0, 0xffffffff, 0xffffffff)
else:
if hasattr(fcntl, "lockf"):
@contextmanager
def locked_file(fileno, blocking = True):
fcntl.lockf(fileno, fcntl.LOCK_EX | (0 if blocking else fcntl.LOCK_NB))
try:
yield
finally:
fcntl.lockf(fileno, fcntl.LOCK_UN)
else:
@contextmanager
def locked_file(fileno, blocking = True):
fcntl.flock(fileno, fcntl.LOCK_EX | (0 if blocking else fcntl.LOCK_NB))
try:
yield
finally:
fcntl.flock(fileno, fcntl.LOCK_UN)
class AtomicFile(object):
"""
Atomic file operations implemented using file-system advisory locks (``flock`` on POSIX,
``LockFile`` on Windows).
.. note::
On Linux, the manpage says ``flock`` might have issues with NFS mounts. You should
take this into account.
.. versionadded:: 1.3
"""
CHUNK_SIZE = 32 * 1024
def __init__(self, filename, ignore_deletion = False):
self.path = local.path(filename)
self._ignore_deletion = ignore_deletion
self._thdlock = threading.Lock()
self._owned_by = None
self._fileobj = None
self.reopen()
def __repr__(self):
return "<AtomicFile: %s>" % (self.path,) if self._fileobj else "<AtomicFile: closed>"
def __del__(self):
self.close()
def __enter__(self):
return self
def __exit__(self, t, v, tb):
self.close()
def close(self):
if self._fileobj is not None:
self._fileobj.close()
self._fileobj = None
def reopen(self):
"""
Close and reopen the file; useful when the file was deleted from the file system
by a different process
"""
self.close()
self._fileobj = os.fdopen(os.open(str(self.path), os.O_CREAT | os.O_RDWR, 384), "r+b", 0)
@contextmanager
def locked(self, blocking = True):
"""
A context manager that locks the file; this function is reentrant by the thread currently
holding the lock.
:param blocking: if ``True``, the call will block until we can grab the file system lock.
if ``False``, the call may fail immediately with the underlying exception
(``IOError`` or ``WindowsError``)
"""
if self._owned_by == threading.get_ident():
yield
return
with self._thdlock:
with locked_file(self._fileobj.fileno(), blocking):
if not self.path.exists() and not self._ignore_deletion:
raise ValueError("Atomic file removed from filesystem")
self._owned_by = threading.get_ident()
try:
yield
finally:
self._owned_by = None
def delete(self):
"""
Atomically delete the file (holds the lock while doing it)
"""
with self.locked():
self.path.delete()
def _read_all(self):
self._fileobj.seek(0)
data = []
while True:
buf = self._fileobj.read(self.CHUNK_SIZE)
data.append(buf)
if len(buf) < self.CHUNK_SIZE:
break
return six.b("").join(data)
def read_atomic(self):
"""Atomically read the entire file"""
with self.locked():
return self._read_all()
def read_shared(self):
"""Read the file **without** holding the lock"""
return self._read_all()
def write_atomic(self, data):
"""Writes the given data atomically to the file. Note that it overwrites the entire file;
``write_atomic("foo")`` followed by ``write_atomic("bar")`` will result in only ``"bar"``.
"""
with self.locked():
self._fileobj.seek(0)
while data:
chunk = data[:self.CHUNK_SIZE]
self._fileobj.write(chunk)
data = data[len(chunk):]
self._fileobj.flush()
self._fileobj.truncate()
class AtomicCounterFile(object):
"""
An atomic counter based on AtomicFile. Each time you call ``next()``, it will
atomically read and increment the counter's value, returning its previous value
Example::
acf = AtomicCounterFile.open("/some/file")
print acf.next() # e.g., 7
print acf.next() # 8
print acf.next() # 9
.. versionadded:: 1.3
"""
def __init__(self, atomicfile, initial = 0):
"""
:param atomicfile: an :class:`AtomicFile <plumbum.atomic.AtomicFile>` instance
:param initial: the initial value (used when the first time the file is created)
"""
self.atomicfile = atomicfile
self.initial = initial
def __enter__(self):
return self
def __exit__(self, t, v, tb):
self.close()
def close(self):
self.atomicfile.close()
@classmethod
def open(cls, filename):
"""
Shortcut for ``AtomicCounterFile(AtomicFile(filename))``
"""
return cls(AtomicFile(filename))
def reset(self, value = None):
"""
Reset the counter's value to the one given. If ``None``, it will default to the
initial value provided to the constructor
"""
if value is None:
value = self.initial
if not isinstance(value, six.integer_types):
raise TypeError("value must be an integer, not %r" % (type(value),))
self.atomicfile.write_atomic(str(value).encode("utf8"))
def next(self):
"""
Read and increment the counter, returning its previous value
"""
with self.atomicfile.locked():
curr = self.atomicfile.read_atomic().decode("utf8")
if not curr:
curr = self.initial
else:
curr = int(curr)
self.atomicfile.write_atomic(str(curr + 1).encode("utf8"))
return curr
class PidFileTaken(SystemExit):
"""
This exception is raised when PidFile.acquire fails to lock the pid file. Note that it
derives from ``SystemExit``, so unless explicitly handled, it will terminate the process
cleanly
"""
def __init__(self, msg, pid):
SystemExit.__init__(self, msg)
self.pid = pid
class PidFile(object):
"""
A PID file is a file that's locked by some process from the moment it starts until it dies
(the OS will clear the lock when the process exits). It is used to prevent two instances
of the same process (normally a daemon) from running concurrently. The PID file holds its
process' PID, so you know who's holding it.
.. versionadded:: 1.3
"""
def __init__(self, filename):
self.atomicfile = AtomicFile(filename)
self._ctx = None
def __enter__(self):
self.acquire()
def __exit__(self, t, v, tb):
self.release()
def __del__(self):
try:
self.release()
except Exception:
pass
def close(self):
self.atomicfile.close()
def acquire(self):
"""
Attempt to acquire the PID file. If it's already locked, raises
:class:`PidFileTaken <plumbum.atomic.PidFileTaken>`. You should normally acquire
the file as early as possible when the program starts
"""
if self._ctx is not None:
return
self._ctx = self.atomicfile.locked(blocking = False)
try:
self._ctx.__enter__()
except (IOError, OSError):
self._ctx = None
try:
pid = self.atomicfile.read_shared().strip().decode("utf8")
except (IOError, OSError):
pid = "Unknown"
raise PidFileTaken("PID file %r taken by process %s" % (self.atomicfile.path, pid), pid)
else:
self.atomicfile.write_atomic(str(os.getpid()).encode("utf8"))
atexit.register(self.release)
def release(self):
"""
Release the PID file (should only happen when the program terminates)
"""
if self._ctx is None:
return
self.atomicfile.delete()
try:
self._ctx.__exit__(None, None, None)
finally:
self._ctx = None
|