Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit 35b28d7

Browse files
committedNov 28, 2023
Ensure HTTP auth persists throughout session
1 parent 593c6a0 commit 35b28d7

File tree

3 files changed

+63
-11
lines changed

3 files changed

+63
-11
lines changed
 

‎src/proxpi/_cache.py

+33-3
Original file line numberDiff line numberDiff line change
@@ -307,6 +307,22 @@ def __getitem__(self, k: str) -> threading.Lock:
307307
return self._locks[k]
308308

309309

310+
def _parse_basic_auth(url: str) -> t.Tuple[str, str]:
311+
"""Parse HTTP Basic username and password from URL.
312+
313+
Args:
314+
url: URL to process
315+
316+
Returns:
317+
Tuple containing the username and password
318+
(or containing empty strings if the URL has no username and/or password)
319+
"""
320+
parsed = urllib.parse.urlsplit(url)
321+
username = parsed.username if parsed.username else ""
322+
password = parsed.password if parsed.password else ""
323+
return username, password
324+
325+
310326
def _mask_password(url: str) -> str:
311327
"""Mask HTTP basic auth password in URL.
312328
@@ -359,17 +375,31 @@ def __init__(self, index_url: str, ttl: int, session: requests.Session = None):
359375
self._index = {}
360376
self._packages = {}
361377
self._index_url_masked = _mask_password(index_url)
378+
username, password = _parse_basic_auth(index_url)
379+
if username:
380+
# password either supplied or empty str
381+
self._auth = (username, password)
382+
else:
383+
self._auth = None
362384

363385
def __repr__(self):
364386
return f"{self.__class__.__name__}({self._index_url_masked!r}, {self.ttl!r})"
365387

388+
def get(self, url, **kwargs):
389+
"""Wrapper for self.session.get to configure auth if provided."""
390+
if self._auth:
391+
response = self.session.get(url, auth=self._auth, **kwargs)
392+
else:
393+
response = self.session.get(url, **kwargs)
394+
return response
395+
366396
def _list_packages(self):
367397
"""List projects using or updating cache."""
368398
if self._index_t is not None and _now() < self._index_t + self.ttl:
369399
return
370400

371401
logger.info(f"Listing packages in index '{self._index_url_masked}'")
372-
response = self.session.get(self.index_url, headers=self._headers)
402+
response = self.get(self.index_url, headers=self._headers)
373403
response.raise_for_status()
374404
self._index_t = _now()
375405

@@ -430,15 +460,15 @@ def _list_files(self, package_name: str):
430460
if self._index_t is None or _now() > self._index_t + self.ttl:
431461
url = urllib.parse.urljoin(self.index_url, package_name)
432462
logger.debug(f"Refreshing '{package_name}'")
433-
response = self.session.get(url, headers=self._headers)
463+
response = self.get(url, headers=self._headers)
434464
if not response or not response.ok:
435465
logger.debug(f"List-files response: {response}")
436466
package_name_normalised = _name_normalise_re.sub("-", package_name).lower()
437467
if package_name_normalised not in self.list_projects():
438468
raise NotFound(package_name)
439469
package_url = self._index[package_name]
440470
url = urllib.parse.urljoin(self.index_url, package_url)
441-
response = self.session.get(url, headers=self._headers)
471+
response = self.get(url, headers=self._headers)
442472
response.raise_for_status()
443473

444474
package = Package(package_name, files={}, refreshed=_now())

‎tests/_utils.py

+13-2
Original file line numberDiff line numberDiff line change
@@ -67,11 +67,22 @@ def run(self):
6767
self.exc = e
6868

6969

70-
def make_server(app: "flask.Flask") -> t.Generator[str, None, None]:
70+
def make_server(
71+
app: "flask.Flask",
72+
auth: t.Tuple[t.Optional[str], t.Optional[str]] = (None, None),
73+
) -> t.Generator[str, None, None]:
7174
server = werkzeug.serving.make_server(host="localhost", port=0, app=app)
7275
thread = Thread(target=server.serve_forever, args=(0.05,))
7376
thread.start()
74-
yield f"http://localhost:{server.port}"
77+
username, password = auth
78+
creds = ""
79+
if username is not None:
80+
creds = username
81+
if password is not None:
82+
creds += f":{password}"
83+
creds += "@"
84+
85+
yield f"http://{creds}localhost:{server.port}"
7586
server.shutdown()
7687
thread.join(timeout=0.1)
7788
if thread.exc:

‎tests/test_integration.py

+17-6
Original file line numberDiff line numberDiff line change
@@ -26,6 +26,12 @@
2626

2727
mock_index_response_is_json = False
2828

29+
CREDENTIALS = [
30+
("username", "password"),
31+
("username", None),
32+
(None, None),
33+
]
34+
2935

3036
@contextlib.contextmanager
3137
def set_mock_index_response_is_json(value: t.Union[bool, str]):
@@ -94,20 +100,25 @@ def get_file(project_name: str, file_name: str) -> flask.Response:
94100
return app
95101

96102

103+
@pytest.fixture(scope="module", params=CREDENTIALS)
104+
def mock_auth(request):
105+
return request.param
106+
107+
97108
@pytest.fixture(scope="module")
98-
def mock_root_index():
109+
def mock_root_index(mock_auth):
99110
app = make_mock_index_app(index_name="root")
100-
yield from _utils.make_server(app)
111+
yield from _utils.make_server(app, mock_auth)
101112

102113

103114
@pytest.fixture(scope="module")
104-
def mock_extra_index():
115+
def mock_extra_index(mock_auth):
105116
app = make_mock_index_app(index_name="extra")
106-
yield from _utils.make_server(app)
117+
yield from _utils.make_server(app, mock_auth)
107118

108119

109120
@pytest.fixture(scope="module")
110-
def server(mock_root_index, mock_extra_index):
121+
def server(mock_root_index, mock_extra_index, mock_auth):
111122
session = proxpi.server.cache.root_cache.session
112123
# noinspection PyProtectedMember
113124
root_patch = mock.patch.object(
@@ -122,7 +133,7 @@ def server(mock_root_index, mock_extra_index):
122133
[proxpi.server.cache._index_cache_cls(f"{mock_extra_index}/", 10, session)],
123134
)
124135
with root_patch, extras_patch:
125-
yield from _utils.make_server(proxpi_server.app)
136+
yield from _utils.make_server(proxpi_server.app, mock_auth)
126137

127138

128139
@pytest.fixture

0 commit comments

Comments
 (0)