2012-10-31 18:38:59 +01:00
|
|
|
"""
|
|
|
|
Context managers, i.e. things you can use with the 'with' statement.
|
|
|
|
"""
|
2024-01-29 00:32:21 +01:00
|
|
|
|
2012-10-31 18:38:59 +01:00
|
|
|
import fcntl
|
2024-07-12 02:30:25 +02:00
|
|
|
from collections.abc import Iterator
|
2012-10-31 18:38:59 +01:00
|
|
|
from contextlib import contextmanager
|
2024-07-12 02:30:25 +02:00
|
|
|
from typing import IO, Any
|
2020-06-11 00:54:34 +02:00
|
|
|
|
2012-10-31 18:38:59 +01:00
|
|
|
|
|
|
|
@contextmanager
|
2024-07-12 02:30:23 +02:00
|
|
|
def flock(lockfile: int | IO[Any], shared: bool = False) -> Iterator[None]:
|
2012-10-31 18:38:59 +01:00
|
|
|
"""Lock a file object using flock(2) for the duration of a 'with' statement.
|
|
|
|
|
2021-02-12 08:19:30 +01:00
|
|
|
If shared is True, use a LOCK_SH lock, otherwise LOCK_EX."""
|
2012-10-31 18:38:59 +01:00
|
|
|
|
|
|
|
fcntl.flock(lockfile, fcntl.LOCK_SH if shared else fcntl.LOCK_EX)
|
|
|
|
try:
|
|
|
|
yield
|
|
|
|
finally:
|
|
|
|
fcntl.flock(lockfile, fcntl.LOCK_UN)
|
|
|
|
|
2021-02-12 08:19:30 +01:00
|
|
|
|
2012-10-31 18:38:59 +01:00
|
|
|
@contextmanager
|
2021-02-12 08:19:30 +01:00
|
|
|
def lockfile(filename: str, shared: bool = False) -> Iterator[None]:
|
2012-10-31 18:38:59 +01:00
|
|
|
"""Lock a file using flock(2) for the duration of a 'with' statement.
|
|
|
|
|
2021-02-12 08:19:30 +01:00
|
|
|
If shared is True, use a LOCK_SH lock, otherwise LOCK_EX.
|
2012-10-31 18:38:59 +01:00
|
|
|
|
2021-02-12 08:19:30 +01:00
|
|
|
The file is given by name and will be created if it does not exist."""
|
2024-07-14 20:30:42 +02:00
|
|
|
with open(filename, "w") as lock, flock(lock, shared=shared):
|
|
|
|
yield
|
2024-02-26 23:44:52 +01:00
|
|
|
|
|
|
|
|
|
|
|
@contextmanager
|
|
|
|
def lockfile_nonblocking(filename: str) -> Iterator[bool]: # nocoverage
|
|
|
|
"""Lock a file using flock(2) for the duration of a 'with' statement.
|
|
|
|
|
|
|
|
Doesn't block, yields False immediately if the lock can't be acquired."""
|
2024-03-06 04:19:48 +01:00
|
|
|
with open(filename, "w") as f:
|
2024-02-26 23:44:52 +01:00
|
|
|
lock_acquired = False
|
|
|
|
try:
|
|
|
|
fcntl.flock(f, fcntl.LOCK_EX | fcntl.LOCK_NB)
|
|
|
|
lock_acquired = True
|
|
|
|
yield lock_acquired
|
|
|
|
except BlockingIOError:
|
|
|
|
yield False
|
|
|
|
finally:
|
|
|
|
if lock_acquired:
|
|
|
|
fcntl.flock(f, fcntl.LOCK_UN)
|