_unix.py 2.1 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465
  1. from __future__ import annotations
  2. import os
  3. import sys
  4. from contextlib import suppress
  5. from errno import ENOSYS
  6. from typing import cast
  7. from ._api import BaseFileLock
  8. from ._util import ensure_directory_exists
  9. #: a flag to indicate if the fcntl API is available
  10. has_fcntl = False
  11. if sys.platform == "win32": # pragma: win32 cover
  12. class UnixFileLock(BaseFileLock):
  13. """Uses the :func:`fcntl.flock` to hard lock the lock file on unix systems."""
  14. def _acquire(self) -> None:
  15. raise NotImplementedError
  16. def _release(self) -> None:
  17. raise NotImplementedError
  18. else: # pragma: win32 no cover
  19. try:
  20. import fcntl
  21. except ImportError:
  22. pass
  23. else:
  24. has_fcntl = True
  25. class UnixFileLock(BaseFileLock):
  26. """Uses the :func:`fcntl.flock` to hard lock the lock file on unix systems."""
  27. def _acquire(self) -> None:
  28. ensure_directory_exists(self.lock_file)
  29. open_flags = os.O_RDWR | os.O_CREAT | os.O_TRUNC
  30. fd = os.open(self.lock_file, open_flags, self._context.mode)
  31. with suppress(PermissionError): # This locked is not owned by this UID
  32. os.fchmod(fd, self._context.mode)
  33. try:
  34. fcntl.flock(fd, fcntl.LOCK_EX | fcntl.LOCK_NB)
  35. except OSError as exception:
  36. os.close(fd)
  37. if exception.errno == ENOSYS: # NotImplemented error
  38. msg = "FileSystem does not appear to support flock; user SoftFileLock instead"
  39. raise NotImplementedError(msg) from exception
  40. else:
  41. self._context.lock_file_fd = fd
  42. def _release(self) -> None:
  43. # Do not remove the lockfile:
  44. # https://github.com/tox-dev/py-filelock/issues/31
  45. # https://stackoverflow.com/questions/17708885/flock-removing-locked-file-without-race-condition
  46. fd = cast(int, self._context.lock_file_fd)
  47. self._context.lock_file_fd = None
  48. fcntl.flock(fd, fcntl.LOCK_UN)
  49. os.close(fd)
  50. __all__ = [
  51. "has_fcntl",
  52. "UnixFileLock",
  53. ]