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
|
|
|
|
from contextlib import contextmanager
|
2016-06-03 20:29:45 +02:00
|
|
|
from typing import Generator
|
2012-10-31 18:38:59 +01:00
|
|
|
|
|
|
|
@contextmanager
|
|
|
|
def flock(lockfile, shared=False):
|
2016-01-25 20:38:44 +01:00
|
|
|
# type: (int, bool) -> Generator[None, None, None]
|
2012-10-31 18:38:59 +01:00
|
|
|
"""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):
|
2016-01-25 20:38:44 +01:00
|
|
|
# type: (str, bool) -> Generator[None, None, None]
|
2012-10-31 18:38:59 +01:00
|
|
|
"""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."""
|
2016-06-03 20:20:41 +02:00
|
|
|
with open(filename, 'w') as lock:
|
2012-10-31 18:38:59 +01:00
|
|
|
with flock(lock, shared=shared):
|
|
|
|
yield
|