2012-10-31 18:38:59 +01:00
|
|
|
"""
|
|
|
|
Context managers, i.e. things you can use with the 'with' statement.
|
|
|
|
"""
|
|
|
|
|
2013-04-23 18:51:17 +02:00
|
|
|
from __future__ import absolute_import
|
|
|
|
|
2012-10-31 18:38:59 +01:00
|
|
|
import fcntl
|
2013-10-28 15:54:32 +01:00
|
|
|
import os
|
2012-10-31 18:38:59 +01:00
|
|
|
from contextlib import contextmanager
|
|
|
|
|
|
|
|
@contextmanager
|
|
|
|
def flock(lockfile, shared=False):
|
|
|
|
"""Lock a file object using flock(2) for the duration of a 'with' statement.
|
|
|
|
|
|
|
|
If shared is True, use a LOCK_SH lock, otherwise LOCK_EX."""
|
|
|
|
|
|
|
|
fcntl.flock(lockfile, fcntl.LOCK_SH if shared else fcntl.LOCK_EX)
|
|
|
|
try:
|
|
|
|
yield
|
|
|
|
finally:
|
|
|
|
fcntl.flock(lockfile, fcntl.LOCK_UN)
|
|
|
|
|
|
|
|
@contextmanager
|
|
|
|
def lockfile(filename, shared=False):
|
|
|
|
"""Lock a file using flock(2) for the duration of a 'with' statement.
|
|
|
|
|
|
|
|
If shared is True, use a LOCK_SH lock, otherwise LOCK_EX.
|
|
|
|
|
|
|
|
The file is given by name and will be created if it does not exist."""
|
|
|
|
|
2013-10-28 15:54:32 +01:00
|
|
|
if not os.path.exists(filename):
|
2012-10-31 18:38:59 +01:00
|
|
|
with open(filename, 'w') as lock:
|
|
|
|
lock.write('0')
|
|
|
|
|
|
|
|
# TODO: Can we just open the file for writing, and skip the above check?
|
|
|
|
with open(filename, 'r') as lock:
|
|
|
|
with flock(lock, shared=shared):
|
|
|
|
yield
|