Skip to content

Commit beb65a2

Browse files
committed
Make portalocker optional
1 parent ba841e6 commit beb65a2

16 files changed

+124
-27
lines changed

.gitignore

+2
Original file line numberDiff line numberDiff line change
@@ -334,3 +334,5 @@ ASALocalRun/
334334
.mfractor/
335335

336336
.eggs/
337+
.env
338+
Session.vim

Dockerfile

+3-4
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,6 @@
11
# TODO: Can this Dockerfile use multi-stage build?
22
# Final size 690MB. (It would be 1.16 GB if started with python:3 as base)
3-
FROM python:3.12-slim
3+
FROM python:3.13-slim
44

55
# Install Generic PyGObject (sans GTK)
66
#The following somehow won't work:
@@ -9,7 +9,6 @@ RUN apt-get update && apt-get install -y \
99
libcairo2-dev \
1010
libgirepository1.0-dev \
1111
python3-dev
12-
RUN pip install "pygobject>=3,<4"
1312

1413
# Install MSAL Extensions dependencies
1514
# Don't know how to get container talk to dbus on host,
@@ -19,10 +18,10 @@ RUN apt-get install -y \
1918
gnome-keyring
2019

2120
# Not strictly necessary, but we include a pytest (which is only 3MB) to facilitate testing.
22-
RUN pip install "pytest>=6,<7"
21+
RUN pip install "pygobject>=3,<4" "pytest>=6,<7"
2322

2423
# Install MSAL Extensions. Upgrade the pinned version number to trigger a new image build.
25-
RUN pip install "msal-extensions==1.1"
24+
RUN pip install "msal-extensions==1.2"
2625

2726
# This setup is inspired from https://github.com/jaraco/keyring#using-keyring-on-headless-linux-systems-in-a-docker-container
2827
ENTRYPOINT ["dbus-run-session", "--"]

docker_run.sh

+2-3
Original file line numberDiff line numberDiff line change
@@ -6,11 +6,10 @@ docker build -t $IMAGE_NAME - < Dockerfile
66
echo "==== Integration Test for Persistence on Linux (libsecret) ===="
77
echo "After seeing the bash prompt, run the following to test encryption on Linux:"
88
echo " pip install -e ."
9-
echo " pytest -s tests/chosen_test_file.py"
10-
echo "Note that you probably need to set up ENV VAR for the test cases to run"
9+
echo " pytest --capture=no -s tests/chosen_test_file.py"
10+
echo "Note: It will test portalocker-based lock when portalocker is installed, or test file-based lock otherwise."
1111
docker run --rm -it \
1212
--privileged \
13-
--env-file .env \
1413
-w /home -v $PWD:/home \
1514
$IMAGE_NAME \
1615
$1

msal_extensions/__init__.py

+1-2
Original file line numberDiff line numberDiff line change
@@ -8,6 +8,5 @@
88
KeychainPersistence,
99
LibsecretPersistence,
1010
)
11-
from .cache_lock import CrossPlatLock
12-
from .token_cache import PersistedTokenCache
11+
from .token_cache import PersistedTokenCache, CrossPlatLock, LockError
1312

msal_extensions/cache_lock.py

+4-1
Original file line numberDiff line numberDiff line change
@@ -5,12 +5,15 @@
55
import time
66
import logging
77

8-
import portalocker
8+
import portalocker # pylint: disable=import-error
99

1010

1111
logger = logging.getLogger(__name__)
1212

1313

14+
LockError = portalocker.exceptions.LockException
15+
16+
1417
class CrossPlatLock(object):
1518
"""Offers a mechanism for waiting until another process is finished interacting with a shared
1619
resource. This is specifically written to interact with a class of the same name in the .NET

msal_extensions/filelock.py

+62
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,62 @@
1+
"""A cross-process lock based on exclusive creation of a given file name"""
2+
import os
3+
import sys
4+
import errno
5+
import time
6+
import logging
7+
8+
9+
logger = logging.getLogger(__name__)
10+
11+
12+
class LockError(RuntimeError):
13+
"""It will be raised when unable to obtain a lock"""
14+
15+
16+
class CrossPlatLock(object):
17+
"""This implementation relies only on ``open(..., 'x')``"""
18+
def __init__(self, lockfile_path):
19+
self._lockpath = lockfile_path
20+
21+
def __enter__(self):
22+
self._create_lock_file('{} {}'.format(
23+
os.getpid(),
24+
sys.argv[0],
25+
).encode('utf-8')) # pylint: disable=consider-using-f-string
26+
return self
27+
28+
def _create_lock_file(self, content):
29+
timeout = 5
30+
check_interval = 0.25
31+
current_time = getattr(time, "monotonic", time.time)
32+
timeout_end = current_time() + timeout
33+
while timeout_end > current_time():
34+
try:
35+
with open(self._lockpath, 'xb') as lock_file: # pylint: disable=unspecified-encoding
36+
lock_file.write(content)
37+
return None # Happy path
38+
except ValueError: # This needs to be the first clause, for Python 2 to hit it
39+
raise LockError("Python 2 does not support atomic creation of file")
40+
except FileExistsError: # Only Python 3 will reach this clause
41+
logger.debug(
42+
"Process %d found existing lock file, will retry after %f second",
43+
os.getpid(), check_interval)
44+
time.sleep(check_interval)
45+
raise LockError(
46+
"Unable to obtain lock, despite trying for {} second(s). "
47+
"You may want to manually remove the stale lock file {}".format(
48+
timeout,
49+
self._lockpath,
50+
))
51+
52+
def __exit__(self, *args):
53+
try:
54+
os.remove(self._lockpath)
55+
except OSError as ex: # pylint: disable=invalid-name
56+
if ex.errno in (errno.ENOENT, errno.EACCES):
57+
# Probably another process has raced this one
58+
# and ended up clearing or locking the file for itself.
59+
logger.debug("Unable to remove lock file")
60+
else:
61+
raise
62+

msal_extensions/libsecret.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -40,7 +40,7 @@
4040
class LibSecretAgent(object):
4141
"""A loader/saver built on top of low-level libsecret"""
4242
# Inspired by https://developer.gnome.org/libsecret/unstable/py-examples.html
43-
def __init__( # pylint: disable=too-many-arguments
43+
def __init__( # pylint: disable=too-many-arguments,too-many-positional-arguments
4444
self,
4545
schema_name,
4646
attributes, # {"name": "value", ...}

msal_extensions/token_cache.py

+7-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,13 @@
55

66
import msal
77

8-
from .cache_lock import CrossPlatLock
8+
try: # It needs portalocker
9+
from .cache_lock import ( # pylint: disable=unused-import
10+
CrossPlatLock,
11+
LockError, # We don't use LockError in this file, but __init__.py uses it.
12+
)
13+
except ImportError: # Falls back to file-based lock
14+
from .filelock import CrossPlatLock, LockError # pylint: disable=unused-import
915
from .persistence import _mkdir_p, PersistenceNotFound
1016

1117

setup.py

+5-1
Original file line numberDiff line numberDiff line change
@@ -20,10 +20,14 @@
2020
python_requires=">=3.7",
2121
install_requires=[
2222
'msal>=1.29,<2', # Use TokenCache.search() from MSAL Python 1.29+
23-
'portalocker<3,>=1.4',
2423

2524
## We choose to NOT define a hard dependency on this.
2625
# "pygobject>=3,<4;platform_system=='Linux'",
2726
],
27+
extras_require={
28+
"portalocker": [
29+
'portalocker<3,>=1.4',
30+
],
31+
},
2832
tests_require=['pytest'],
2933
)

tests/__init__.py

Whitespace-only changes.

tests/cache_file_generator.py

+4-3
Original file line numberDiff line numberDiff line change
@@ -14,9 +14,10 @@
1414
import sys
1515
import time
1616

17-
from portalocker import exceptions
17+
from msal_extensions import FilePersistence, CrossPlatLock, LockError
1818

19-
from msal_extensions import FilePersistence, CrossPlatLock
19+
20+
print("Testing with {}".format(CrossPlatLock))
2021

2122

2223
def _acquire_lock_and_write_to_cache(cache_location, sleep_interval):
@@ -31,7 +32,7 @@ def _acquire_lock_and_write_to_cache(cache_location, sleep_interval):
3132
time.sleep(sleep_interval)
3233
data += "> " + str(os.getpid()) + "\n"
3334
cache_accessor.save(data)
34-
except exceptions.LockException as e:
35+
except LockError as e:
3536
logging.warning("Unable to acquire lock %s", e)
3637

3738

tests/http_client.py

+12
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,12 @@
1+
class MinimalResponse(object): # Not for production use
2+
def __init__(self, requests_resp=None, status_code=None, text=None, headers=None):
3+
self.status_code = status_code or requests_resp.status_code
4+
self.text = text if text is not None else requests_resp.text
5+
self.headers = {} if headers is None else headers
6+
self._raw_resp = requests_resp
7+
8+
def raise_for_status(self):
9+
if self._raw_resp is not None: # Turns out `if requests.response` won't work
10+
# cause it would be True when 200<=status<400
11+
self._raw_resp.raise_for_status()
12+

tests/test_agnostic_backend.py

+12-8
Original file line numberDiff line numberDiff line change
@@ -1,12 +1,15 @@
1+
import json
12
import os
23
import shutil
34
import tempfile
5+
from unittest.mock import patch
46
import sys
57

68
import msal
79
import pytest
810

911
from msal_extensions import *
12+
from .http_client import MinimalResponse
1013

1114

1215
@pytest.fixture
@@ -16,18 +19,19 @@ def temp_location():
1619
shutil.rmtree(test_folder, ignore_errors=True)
1720

1821
def _test_token_cache_roundtrip(persistence):
19-
client_id = os.getenv('AZURE_CLIENT_ID')
20-
client_secret = os.getenv('AZURE_CLIENT_SECRET')
21-
if not (client_id and client_secret):
22-
pytest.skip('no credentials present to test TokenCache round-trip with.')
23-
2422
desired_scopes = ['https://graph.microsoft.com/.default']
2523
apps = [ # Multiple apps sharing same persistence
2624
msal.ConfidentialClientApplication(
27-
client_id, client_credential=client_secret,
25+
"fake_client_id", client_credential="fake_client_secret",
2826
token_cache=PersistedTokenCache(persistence)) for i in range(2)]
29-
token1 = apps[0].acquire_token_for_client(scopes=desired_scopes)
30-
assert token1["token_source"] == "identity_provider", "Initial token should come from IdP"
27+
with patch.object(apps[0].http_client, "post", return_value=MinimalResponse(
28+
status_code=200, text=json.dumps({
29+
"token_type": "Bearer",
30+
"access_token": "app token",
31+
"expires_in": 3600,
32+
}))) as mocked_post:
33+
token1 = apps[0].acquire_token_for_client(scopes=desired_scopes)
34+
assert token1["token_source"] == "identity_provider", "Initial token should come from IdP"
3135
token2 = apps[1].acquire_token_for_client(scopes=desired_scopes) # Hit token cache in MSAL 1.23+
3236
assert token2["token_source"] == "cache", "App2 should hit cache written by app1"
3337
assert token1['access_token'] == token2['access_token'], "Cache should hit"

tests/test_cache_lock_file_perf.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -5,7 +5,7 @@
55

66
import pytest
77

8-
from cache_file_generator import _acquire_lock_and_write_to_cache
8+
from .cache_file_generator import _acquire_lock_and_write_to_cache
99

1010

1111
@pytest.fixture

tests/test_crossplatlock.py

+2-1
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,5 @@
11
import pytest
2-
from msal_extensions.cache_lock import CrossPlatLock
2+
from msal_extensions import CrossPlatLock
33

44

55
def test_ensure_file_deleted():
@@ -10,6 +10,7 @@ def test_ensure_file_deleted():
1010
except NameError:
1111
FileNotFoundError = IOError
1212

13+
print("Testing with {}".format(CrossPlatLock))
1314
with CrossPlatLock(lockfile):
1415
pass
1516

tox.ini

+6-1
Original file line numberDiff line numberDiff line change
@@ -7,4 +7,9 @@ passenv =
77
GITHUB_ACTIONS
88

99
commands =
10-
pytest
10+
{posargs:pytest --color=yes}
11+
12+
[testenv:lint]
13+
deps = pylint
14+
commands =
15+
pylint msal_extensions

0 commit comments

Comments
 (0)