2020-05-08 14:30:40 +02:00
|
|
|
#
|
2023-11-21 21:29:58 +01:00
|
|
|
# This file is licensed under the Affero General Public License (AGPL) version 3.
|
|
|
|
#
|
2024-01-23 12:26:48 +01:00
|
|
|
# Copyright 2020 Quentin Gliech
|
2023-11-21 21:29:58 +01:00
|
|
|
# Copyright (C) 2023 New Vector, Ltd
|
|
|
|
#
|
|
|
|
# This program is free software: you can redistribute it and/or modify
|
|
|
|
# it under the terms of the GNU Affero General Public License as
|
|
|
|
# published by the Free Software Foundation, either version 3 of the
|
|
|
|
# License, or (at your option) any later version.
|
|
|
|
#
|
|
|
|
# See the GNU Affero General Public License for more details:
|
|
|
|
# <https://www.gnu.org/licenses/agpl-3.0.html>.
|
|
|
|
#
|
|
|
|
# Originally licensed under the Apache License, Version 2.0:
|
|
|
|
# <http://www.apache.org/licenses/LICENSE-2.0>.
|
|
|
|
#
|
|
|
|
# [This file includes modifications made by New Vector Limited]
|
2020-05-08 14:30:40 +02:00
|
|
|
#
|
|
|
|
#
|
2021-03-09 16:03:37 +01:00
|
|
|
import os
|
2022-12-16 12:53:01 +01:00
|
|
|
from typing import Any, Awaitable, ContextManager, Dict, Optional, Tuple
|
2023-08-25 15:27:21 +02:00
|
|
|
from unittest.mock import ANY, AsyncMock, Mock, patch
|
2021-01-15 14:45:13 +01:00
|
|
|
from urllib.parse import parse_qs, urlparse
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
import pymacaroons
|
|
|
|
|
2022-03-15 14:16:37 +01:00
|
|
|
from twisted.test.proto_helpers import MemoryReactor
|
|
|
|
|
2020-11-19 20:25:17 +01:00
|
|
|
from synapse.handlers.sso import MappingException
|
2022-10-25 16:25:02 +02:00
|
|
|
from synapse.http.site import SynapseRequest
|
2020-12-15 14:03:31 +01:00
|
|
|
from synapse.server import HomeServer
|
2022-12-16 12:53:01 +01:00
|
|
|
from synapse.types import JsonDict, UserID
|
2022-03-15 14:16:37 +01:00
|
|
|
from synapse.util import Clock
|
2022-10-25 16:25:02 +02:00
|
|
|
from synapse.util.macaroons import get_value_from_macaroon
|
|
|
|
from synapse.util.stringutils import random_string
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2023-08-25 15:27:21 +02:00
|
|
|
from tests.test_utils import FakeResponse, get_awaitable_result
|
2022-10-25 16:25:02 +02:00
|
|
|
from tests.test_utils.oidc import FakeAuthorizationGrant, FakeOidcServer
|
2020-05-08 14:30:40 +02:00
|
|
|
from tests.unittest import HomeserverTestCase, override_config
|
|
|
|
|
2021-01-07 12:41:28 +01:00
|
|
|
try:
|
|
|
|
import authlib # noqa: F401
|
2022-12-16 12:53:01 +01:00
|
|
|
from authlib.oidc.core import UserInfo
|
|
|
|
from authlib.oidc.discovery import OpenIDProviderMetadata
|
|
|
|
|
|
|
|
from synapse.handlers.oidc import Token, UserAttributeDict
|
2021-01-07 12:41:28 +01:00
|
|
|
|
|
|
|
HAS_OIDC = True
|
|
|
|
except ImportError:
|
|
|
|
HAS_OIDC = False
|
|
|
|
|
|
|
|
|
2020-05-08 14:30:40 +02:00
|
|
|
# These are a few constants that are used as config parameters in the tests.
|
|
|
|
ISSUER = "https://issuer/"
|
|
|
|
CLIENT_ID = "test-client-id"
|
|
|
|
CLIENT_SECRET = "test-client-secret"
|
|
|
|
BASE_URL = "https://synapse/"
|
2021-02-01 23:56:01 +01:00
|
|
|
CALLBACK_URL = BASE_URL + "_synapse/client/oidc/callback"
|
2020-05-08 14:30:40 +02:00
|
|
|
SCOPES = ["openid"]
|
|
|
|
|
|
|
|
# config for common cases
|
2021-03-09 16:03:37 +01:00
|
|
|
DEFAULT_CONFIG = {
|
|
|
|
"enabled": True,
|
|
|
|
"client_id": CLIENT_ID,
|
|
|
|
"client_secret": CLIENT_SECRET,
|
|
|
|
"issuer": ISSUER,
|
|
|
|
"scopes": SCOPES,
|
|
|
|
"user_mapping_provider": {"module": __name__ + ".TestMappingProvider"},
|
|
|
|
}
|
|
|
|
|
|
|
|
# extends the default config with explicit OAuth2 endpoints instead of using discovery
|
|
|
|
EXPLICIT_ENDPOINT_CONFIG = {
|
|
|
|
**DEFAULT_CONFIG,
|
2020-05-08 14:30:40 +02:00
|
|
|
"discover": False,
|
2022-10-25 16:25:02 +02:00
|
|
|
"authorization_endpoint": ISSUER + "authorize",
|
|
|
|
"token_endpoint": ISSUER + "token",
|
|
|
|
"jwks_uri": ISSUER + "jwks",
|
2020-05-08 14:30:40 +02:00
|
|
|
}
|
|
|
|
|
|
|
|
|
2020-12-15 13:39:56 +01:00
|
|
|
class TestMappingProvider:
|
2020-08-28 14:56:36 +02:00
|
|
|
@staticmethod
|
2022-12-16 12:53:01 +01:00
|
|
|
def parse_config(config: JsonDict) -> None:
|
|
|
|
return None
|
2020-08-28 14:56:36 +02:00
|
|
|
|
2022-12-16 12:53:01 +01:00
|
|
|
def __init__(self, config: None):
|
2020-12-15 13:39:56 +01:00
|
|
|
pass
|
|
|
|
|
2022-12-16 12:53:01 +01:00
|
|
|
def get_remote_user_id(self, userinfo: "UserInfo") -> str:
|
2020-08-28 14:56:36 +02:00
|
|
|
return userinfo["sub"]
|
|
|
|
|
2022-12-16 12:53:01 +01:00
|
|
|
async def map_user_attributes(
|
|
|
|
self, userinfo: "UserInfo", token: "Token"
|
|
|
|
) -> "UserAttributeDict":
|
|
|
|
# This is testing not providing the full map.
|
|
|
|
return {"localpart": userinfo["username"], "display_name": None} # type: ignore[typeddict-item]
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2020-09-30 19:02:43 +02:00
|
|
|
# Do not include get_extra_attributes to test backwards compatibility paths.
|
|
|
|
|
|
|
|
|
|
|
|
class TestMappingProviderExtra(TestMappingProvider):
|
2022-12-16 12:53:01 +01:00
|
|
|
async def get_extra_attributes(
|
|
|
|
self, userinfo: "UserInfo", token: "Token"
|
|
|
|
) -> JsonDict:
|
2020-09-30 19:02:43 +02:00
|
|
|
return {"phone": userinfo["phone"]}
|
|
|
|
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2020-11-25 16:04:22 +01:00
|
|
|
class TestMappingProviderFailures(TestMappingProvider):
|
2022-12-16 12:53:01 +01:00
|
|
|
# Superclass is testing the legacy interface for map_user_attributes.
|
|
|
|
async def map_user_attributes( # type: ignore[override]
|
|
|
|
self, userinfo: "UserInfo", token: "Token", failures: int
|
|
|
|
) -> "UserAttributeDict":
|
|
|
|
return { # type: ignore[typeddict-item]
|
2020-11-25 16:04:22 +01:00
|
|
|
"localpart": userinfo["username"] + (str(failures) if failures else ""),
|
|
|
|
"display_name": None,
|
|
|
|
}
|
|
|
|
|
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
def _key_file_path() -> str:
|
|
|
|
"""path to a file containing the private half of a test key"""
|
|
|
|
|
|
|
|
# this key was generated with:
|
|
|
|
# openssl ecparam -name prime256v1 -genkey -noout |
|
|
|
|
# openssl pkcs8 -topk8 -nocrypt -out oidc_test_key.p8
|
|
|
|
#
|
|
|
|
# we use PKCS8 rather than SEC-1 (which is what openssl ecparam spits out), because
|
|
|
|
# that's what Apple use, and we want to be sure that we work with Apple's keys.
|
|
|
|
#
|
|
|
|
# (For the record: both PKCS8 and SEC-1 specify (different) ways of representing
|
|
|
|
# keys using ASN.1. Both are then typically formatted using PEM, which says: use the
|
|
|
|
# base64-encoded DER encoding of ASN.1, with headers and footers. But we don't
|
|
|
|
# really need to care about any of that.)
|
|
|
|
return os.path.join(os.path.dirname(__file__), "oidc_test_key.p8")
|
|
|
|
|
|
|
|
|
|
|
|
def _public_key_file_path() -> str:
|
|
|
|
"""path to a file containing the public half of a test key"""
|
|
|
|
# this was generated with:
|
|
|
|
# openssl ec -in oidc_test_key.p8 -pubout -out oidc_test_key.pub.pem
|
|
|
|
#
|
|
|
|
# See above about where oidc_test_key.p8 came from
|
|
|
|
return os.path.join(os.path.dirname(__file__), "oidc_test_key.pub.pem")
|
|
|
|
|
|
|
|
|
2020-05-08 14:30:40 +02:00
|
|
|
class OidcHandlerTestCase(HomeserverTestCase):
|
2021-01-07 12:41:28 +01:00
|
|
|
if not HAS_OIDC:
|
|
|
|
skip = "requires OIDC"
|
|
|
|
|
2022-03-15 14:16:37 +01:00
|
|
|
def default_config(self) -> Dict[str, Any]:
|
2020-12-02 13:09:21 +01:00
|
|
|
config = super().default_config()
|
2020-05-08 14:30:40 +02:00
|
|
|
config["public_baseurl"] = BASE_URL
|
2020-12-02 13:09:21 +01:00
|
|
|
return config
|
|
|
|
|
2022-03-15 14:16:37 +01:00
|
|
|
def make_homeserver(self, reactor: MemoryReactor, clock: Clock) -> HomeServer:
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server = FakeOidcServer(clock=clock, issuer=ISSUER)
|
2020-12-02 13:09:21 +01:00
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
hs = self.setup_test_homeserver()
|
|
|
|
self.hs_patcher = self.fake_server.patch_homeserver(hs=hs)
|
2023-02-08 22:29:49 +01:00
|
|
|
self.hs_patcher.start() # type: ignore[attr-defined]
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2020-12-02 13:09:21 +01:00
|
|
|
self.handler = hs.get_oidc_handler()
|
2021-01-15 17:55:29 +01:00
|
|
|
self.provider = self.handler._providers["oidc"]
|
2020-12-02 13:09:21 +01:00
|
|
|
sso_handler = hs.get_sso_handler()
|
2020-11-17 15:46:23 +01:00
|
|
|
# Mock the render error method.
|
|
|
|
self.render_error = Mock(return_value=None)
|
2023-08-29 16:38:56 +02:00
|
|
|
sso_handler.render_error = self.render_error # type: ignore[method-assign]
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2020-11-25 16:04:22 +01:00
|
|
|
# Reduce the number of attempts when generating MXIDs.
|
2020-12-02 13:09:21 +01:00
|
|
|
sso_handler._MAP_USERNAME_RETRIES = 3
|
2020-11-25 16:04:22 +01:00
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
auth_handler = hs.get_auth_handler()
|
|
|
|
# Mock the complete SSO login method.
|
2023-08-25 15:27:21 +02:00
|
|
|
self.complete_sso_login = AsyncMock()
|
2023-08-29 16:38:56 +02:00
|
|
|
auth_handler.complete_sso_login = self.complete_sso_login # type: ignore[method-assign]
|
2022-10-25 16:25:02 +02:00
|
|
|
|
2020-05-08 14:30:40 +02:00
|
|
|
return hs
|
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
def tearDown(self) -> None:
|
2023-02-08 22:29:49 +01:00
|
|
|
self.hs_patcher.stop() # type: ignore[attr-defined]
|
2022-10-25 16:25:02 +02:00
|
|
|
return super().tearDown()
|
|
|
|
|
2022-12-16 12:53:01 +01:00
|
|
|
def reset_mocks(self) -> None:
|
2022-10-25 16:25:02 +02:00
|
|
|
"""Reset all the Mocks."""
|
|
|
|
self.fake_server.reset_mocks()
|
|
|
|
self.render_error.reset_mock()
|
|
|
|
self.complete_sso_login.reset_mock()
|
|
|
|
|
2022-12-16 12:53:01 +01:00
|
|
|
def metadata_edit(self, values: dict) -> ContextManager[Mock]:
|
2021-02-16 17:27:38 +01:00
|
|
|
"""Modify the result that will be returned by the well-known query"""
|
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
metadata = self.fake_server.get_metadata()
|
|
|
|
metadata.update(values)
|
|
|
|
return patch.object(self.fake_server, "get_metadata", return_value=metadata)
|
2021-02-16 17:27:38 +01:00
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
def start_authorization(
|
|
|
|
self,
|
|
|
|
userinfo: dict,
|
|
|
|
client_redirect_url: str = "http://client/redirect",
|
|
|
|
scope: str = "openid",
|
|
|
|
with_sid: bool = False,
|
|
|
|
) -> Tuple[SynapseRequest, FakeAuthorizationGrant]:
|
|
|
|
"""Start an authorization request, and get the callback request back."""
|
|
|
|
nonce = random_string(10)
|
|
|
|
state = random_string(10)
|
|
|
|
|
|
|
|
code, grant = self.fake_server.start_authorization(
|
|
|
|
userinfo=userinfo,
|
|
|
|
scope=scope,
|
|
|
|
client_id=self.provider._client_auth.client_id,
|
|
|
|
redirect_uri=self.provider._callback_url,
|
|
|
|
nonce=nonce,
|
|
|
|
with_sid=with_sid,
|
|
|
|
)
|
|
|
|
session = self._generate_oidc_session_token(state, nonce, client_redirect_url)
|
|
|
|
return _build_callback_request(code, state, session), grant
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2022-12-16 12:53:01 +01:00
|
|
|
def assertRenderedError(
|
|
|
|
self, error: str, error_description: Optional[str] = None
|
|
|
|
) -> Tuple[Any, ...]:
|
2021-01-14 14:29:17 +01:00
|
|
|
self.render_error.assert_called_once()
|
2020-11-17 15:46:23 +01:00
|
|
|
args = self.render_error.call_args[0]
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertEqual(args[1], error)
|
|
|
|
if error_description is not None:
|
|
|
|
self.assertEqual(args[2], error_description)
|
|
|
|
# Reset the render_error mock
|
2020-11-17 15:46:23 +01:00
|
|
|
self.render_error.reset_mock()
|
2020-12-14 12:38:50 +01:00
|
|
|
return args
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config({"oidc_config": DEFAULT_CONFIG})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_config(self) -> None:
|
2020-05-08 14:30:40 +02:00
|
|
|
"""Basic config correctly sets up the callback URL and client auth correctly."""
|
2021-01-14 14:29:17 +01:00
|
|
|
self.assertEqual(self.provider._callback_url, CALLBACK_URL)
|
|
|
|
self.assertEqual(self.provider._client_auth.client_id, CLIENT_ID)
|
|
|
|
self.assertEqual(self.provider._client_auth.client_secret, CLIENT_SECRET)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config({"oidc_config": {**DEFAULT_CONFIG, "discover": True}})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_discovery(self) -> None:
|
2020-05-08 14:30:40 +02:00
|
|
|
"""The handler should discover the endpoints from OIDC discovery document."""
|
|
|
|
# This would throw if some metadata were invalid
|
2021-01-14 14:29:17 +01:00
|
|
|
metadata = self.get_success(self.provider.load_metadata())
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.get_metadata_handler.assert_called_once()
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
self.assertEqual(metadata.issuer, self.fake_server.issuer)
|
|
|
|
self.assertEqual(
|
|
|
|
metadata.authorization_endpoint,
|
|
|
|
self.fake_server.authorization_endpoint,
|
|
|
|
)
|
|
|
|
self.assertEqual(metadata.token_endpoint, self.fake_server.token_endpoint)
|
|
|
|
self.assertEqual(metadata.jwks_uri, self.fake_server.jwks_uri)
|
|
|
|
# It seems like authlib does not have that defined in its metadata models
|
|
|
|
self.assertEqual(
|
|
|
|
metadata.get("userinfo_endpoint"),
|
|
|
|
self.fake_server.userinfo_endpoint,
|
|
|
|
)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
# subsequent calls should be cached
|
2022-10-25 16:25:02 +02:00
|
|
|
self.reset_mocks()
|
2021-01-14 14:29:17 +01:00
|
|
|
self.get_success(self.provider.load_metadata())
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.get_metadata_handler.assert_not_called()
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config({"oidc_config": EXPLICIT_ENDPOINT_CONFIG})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_no_discovery(self) -> None:
|
2020-05-08 14:30:40 +02:00
|
|
|
"""When discovery is disabled, it should not try to load from discovery document."""
|
2021-01-14 14:29:17 +01:00
|
|
|
self.get_success(self.provider.load_metadata())
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.get_metadata_handler.assert_not_called()
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
@override_config({"oidc_config": DEFAULT_CONFIG})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_load_jwks(self) -> None:
|
2020-05-08 14:30:40 +02:00
|
|
|
"""JWKS loading is done once (then cached) if used."""
|
2021-01-14 14:29:17 +01:00
|
|
|
jwks = self.get_success(self.provider.load_jwks())
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.get_jwks_handler.assert_called_once()
|
|
|
|
self.assertEqual(jwks, self.fake_server.get_jwks())
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
# subsequent calls should be cached…
|
2022-10-25 16:25:02 +02:00
|
|
|
self.reset_mocks()
|
2021-01-14 14:29:17 +01:00
|
|
|
self.get_success(self.provider.load_jwks())
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.get_jwks_handler.assert_not_called()
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
# …unless forced
|
2022-10-25 16:25:02 +02:00
|
|
|
self.reset_mocks()
|
2021-01-14 14:29:17 +01:00
|
|
|
self.get_success(self.provider.load_jwks(force=True))
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.get_jwks_handler.assert_called_once()
|
2021-02-16 17:27:38 +01:00
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
with self.metadata_edit({"jwks_uri": None}):
|
|
|
|
# If we don't do this, the load_metadata call will throw because of the
|
|
|
|
# missing jwks_uri
|
|
|
|
self.provider._user_profile_method = "userinfo_endpoint"
|
|
|
|
self.get_success(self.provider.load_metadata(force=True))
|
2021-01-14 14:29:17 +01:00
|
|
|
self.get_failure(self.provider.load_jwks(force=True), RuntimeError)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config({"oidc_config": DEFAULT_CONFIG})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_validate_config(self) -> None:
|
2020-05-08 14:30:40 +02:00
|
|
|
"""Provider metadatas are extensively validated."""
|
2021-01-14 14:29:17 +01:00
|
|
|
h = self.provider
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2022-12-16 12:53:01 +01:00
|
|
|
def force_load_metadata() -> Awaitable[None]:
|
|
|
|
async def force_load() -> "OpenIDProviderMetadata":
|
2021-02-16 17:27:38 +01:00
|
|
|
return await h.load_metadata(force=True)
|
|
|
|
|
|
|
|
return get_awaitable_result(force_load())
|
|
|
|
|
2020-05-08 14:30:40 +02:00
|
|
|
# Default test config does not throw
|
2021-02-16 17:27:38 +01:00
|
|
|
force_load_metadata()
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
with self.metadata_edit({"issuer": None}):
|
2021-02-16 17:27:38 +01:00
|
|
|
self.assertRaisesRegex(ValueError, "issuer", force_load_metadata)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
with self.metadata_edit({"issuer": "http://insecure/"}):
|
2021-02-16 17:27:38 +01:00
|
|
|
self.assertRaisesRegex(ValueError, "issuer", force_load_metadata)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
with self.metadata_edit({"issuer": "https://invalid/?because=query"}):
|
2021-02-16 17:27:38 +01:00
|
|
|
self.assertRaisesRegex(ValueError, "issuer", force_load_metadata)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
with self.metadata_edit({"authorization_endpoint": None}):
|
|
|
|
self.assertRaisesRegex(
|
2021-02-16 17:27:38 +01:00
|
|
|
ValueError, "authorization_endpoint", force_load_metadata
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
|
|
|
|
|
|
|
with self.metadata_edit({"authorization_endpoint": "http://insecure/auth"}):
|
|
|
|
self.assertRaisesRegex(
|
2021-02-16 17:27:38 +01:00
|
|
|
ValueError, "authorization_endpoint", force_load_metadata
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
|
|
|
|
|
|
|
with self.metadata_edit({"token_endpoint": None}):
|
2021-02-16 17:27:38 +01:00
|
|
|
self.assertRaisesRegex(ValueError, "token_endpoint", force_load_metadata)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
with self.metadata_edit({"token_endpoint": "http://insecure/token"}):
|
2021-02-16 17:27:38 +01:00
|
|
|
self.assertRaisesRegex(ValueError, "token_endpoint", force_load_metadata)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
with self.metadata_edit({"jwks_uri": None}):
|
2021-02-16 17:27:38 +01:00
|
|
|
self.assertRaisesRegex(ValueError, "jwks_uri", force_load_metadata)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
with self.metadata_edit({"jwks_uri": "http://insecure/jwks.json"}):
|
2021-02-16 17:27:38 +01:00
|
|
|
self.assertRaisesRegex(ValueError, "jwks_uri", force_load_metadata)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
with self.metadata_edit({"response_types_supported": ["id_token"]}):
|
|
|
|
self.assertRaisesRegex(
|
2021-02-16 17:27:38 +01:00
|
|
|
ValueError, "response_types_supported", force_load_metadata
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
|
|
|
|
|
|
|
with self.metadata_edit(
|
|
|
|
{"token_endpoint_auth_methods_supported": ["client_secret_basic"]}
|
|
|
|
):
|
|
|
|
# should not throw, as client_secret_basic is the default auth method
|
2021-02-16 17:27:38 +01:00
|
|
|
force_load_metadata()
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
with self.metadata_edit(
|
|
|
|
{"token_endpoint_auth_methods_supported": ["client_secret_post"]}
|
|
|
|
):
|
|
|
|
self.assertRaisesRegex(
|
|
|
|
ValueError,
|
|
|
|
"token_endpoint_auth_methods_supported",
|
2021-02-16 17:27:38 +01:00
|
|
|
force_load_metadata,
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
|
|
|
|
2020-10-01 19:54:35 +02:00
|
|
|
# Tests for configs that require the userinfo endpoint
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertFalse(h._uses_userinfo)
|
2020-10-01 19:54:35 +02:00
|
|
|
self.assertEqual(h._user_profile_method, "auto")
|
|
|
|
h._user_profile_method = "userinfo_endpoint"
|
|
|
|
self.assertTrue(h._uses_userinfo)
|
|
|
|
|
2021-02-16 17:27:38 +01:00
|
|
|
# Revert the profile method and do not request the "openid" scope: this should
|
|
|
|
# mean that we check for a userinfo endpoint
|
2020-10-01 19:54:35 +02:00
|
|
|
h._user_profile_method = "auto"
|
|
|
|
h._scopes = []
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertTrue(h._uses_userinfo)
|
2021-02-16 17:27:38 +01:00
|
|
|
with self.metadata_edit({"userinfo_endpoint": None}):
|
|
|
|
self.assertRaisesRegex(ValueError, "userinfo_endpoint", force_load_metadata)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2021-02-16 17:27:38 +01:00
|
|
|
with self.metadata_edit({"jwks_uri": None}):
|
|
|
|
# Shouldn't raise with a valid userinfo, even without jwks
|
|
|
|
force_load_metadata()
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config({"oidc_config": {**DEFAULT_CONFIG, "skip_verification": True}})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_skip_verification(self) -> None:
|
2020-05-08 14:30:40 +02:00
|
|
|
"""Provider metadata validation can be disabled by config."""
|
|
|
|
with self.metadata_edit({"issuer": "http://insecure"}):
|
|
|
|
# This should not throw
|
2021-02-16 17:27:38 +01:00
|
|
|
get_awaitable_result(self.provider.load_metadata())
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config({"oidc_config": DEFAULT_CONFIG})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_redirect_request(self) -> None:
|
2020-05-08 14:30:40 +02:00
|
|
|
"""The redirect request has the right arguments & generates a valid session cookie."""
|
2021-02-17 11:15:14 +01:00
|
|
|
req = Mock(spec=["cookies"])
|
|
|
|
req.cookies = []
|
|
|
|
|
2022-04-01 18:04:16 +02:00
|
|
|
url = urlparse(
|
|
|
|
self.get_success(
|
|
|
|
self.provider.handle_redirect_request(req, b"http://client/redirect")
|
|
|
|
)
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
2022-10-25 16:25:02 +02:00
|
|
|
auth_endpoint = urlparse(self.fake_server.authorization_endpoint)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
self.assertEqual(url.scheme, auth_endpoint.scheme)
|
|
|
|
self.assertEqual(url.netloc, auth_endpoint.netloc)
|
|
|
|
self.assertEqual(url.path, auth_endpoint.path)
|
|
|
|
|
|
|
|
params = parse_qs(url.query)
|
|
|
|
self.assertEqual(params["redirect_uri"], [CALLBACK_URL])
|
|
|
|
self.assertEqual(params["response_type"], ["code"])
|
|
|
|
self.assertEqual(params["scope"], [" ".join(SCOPES)])
|
|
|
|
self.assertEqual(params["client_id"], [CLIENT_ID])
|
|
|
|
self.assertEqual(len(params["state"]), 1)
|
|
|
|
self.assertEqual(len(params["nonce"]), 1)
|
2023-01-04 20:58:08 +01:00
|
|
|
self.assertNotIn("code_challenge", params)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2021-02-17 11:15:14 +01:00
|
|
|
# Check what is in the cookies
|
|
|
|
self.assertEqual(len(req.cookies), 2) # two cookies
|
|
|
|
cookie_header = req.cookies[0]
|
2021-02-01 23:56:01 +01:00
|
|
|
|
|
|
|
# The cookie name and path don't really matter, just that it has to be coherent
|
|
|
|
# between the callback & redirect handlers.
|
2021-02-17 11:15:14 +01:00
|
|
|
parts = [p.strip() for p in cookie_header.split(b";")]
|
|
|
|
self.assertIn(b"Path=/_synapse/client/oidc", parts)
|
|
|
|
name, cookie = parts[0].split(b"=")
|
|
|
|
self.assertEqual(name, b"oidc_session")
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
macaroon = pymacaroons.Macaroon.deserialize(cookie)
|
2021-03-04 15:44:22 +01:00
|
|
|
state = get_value_from_macaroon(macaroon, "state")
|
|
|
|
nonce = get_value_from_macaroon(macaroon, "nonce")
|
2023-01-04 20:58:08 +01:00
|
|
|
code_verifier = get_value_from_macaroon(macaroon, "code_verifier")
|
2021-03-04 15:44:22 +01:00
|
|
|
redirect = get_value_from_macaroon(macaroon, "client_redirect_url")
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
self.assertEqual(params["state"], [state])
|
|
|
|
self.assertEqual(params["nonce"], [nonce])
|
2023-01-04 20:58:08 +01:00
|
|
|
self.assertEqual(code_verifier, "")
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertEqual(redirect, "http://client/redirect")
|
|
|
|
|
2023-01-04 20:58:08 +01:00
|
|
|
@override_config({"oidc_config": DEFAULT_CONFIG})
|
|
|
|
def test_redirect_request_with_code_challenge(self) -> None:
|
|
|
|
"""The redirect request has the right arguments & generates a valid session cookie."""
|
|
|
|
req = Mock(spec=["cookies"])
|
|
|
|
req.cookies = []
|
|
|
|
|
|
|
|
with self.metadata_edit({"code_challenge_methods_supported": ["S256"]}):
|
|
|
|
url = urlparse(
|
|
|
|
self.get_success(
|
|
|
|
self.provider.handle_redirect_request(
|
|
|
|
req, b"http://client/redirect"
|
|
|
|
)
|
|
|
|
)
|
|
|
|
)
|
|
|
|
|
|
|
|
# Ensure the code_challenge param is added to the redirect.
|
|
|
|
params = parse_qs(url.query)
|
|
|
|
self.assertEqual(len(params["code_challenge"]), 1)
|
|
|
|
|
|
|
|
# Check what is in the cookies
|
|
|
|
self.assertEqual(len(req.cookies), 2) # two cookies
|
|
|
|
cookie_header = req.cookies[0]
|
|
|
|
|
|
|
|
# The cookie name and path don't really matter, just that it has to be coherent
|
|
|
|
# between the callback & redirect handlers.
|
|
|
|
parts = [p.strip() for p in cookie_header.split(b";")]
|
|
|
|
self.assertIn(b"Path=/_synapse/client/oidc", parts)
|
|
|
|
name, cookie = parts[0].split(b"=")
|
|
|
|
self.assertEqual(name, b"oidc_session")
|
|
|
|
|
|
|
|
# Ensure the code_verifier is set in the cookie.
|
|
|
|
macaroon = pymacaroons.Macaroon.deserialize(cookie)
|
|
|
|
code_verifier = get_value_from_macaroon(macaroon, "code_verifier")
|
|
|
|
self.assertNotEqual(code_verifier, "")
|
|
|
|
|
|
|
|
@override_config({"oidc_config": {**DEFAULT_CONFIG, "pkce_method": "always"}})
|
|
|
|
def test_redirect_request_with_forced_code_challenge(self) -> None:
|
|
|
|
"""The redirect request has the right arguments & generates a valid session cookie."""
|
|
|
|
req = Mock(spec=["cookies"])
|
|
|
|
req.cookies = []
|
|
|
|
|
|
|
|
url = urlparse(
|
|
|
|
self.get_success(
|
|
|
|
self.provider.handle_redirect_request(req, b"http://client/redirect")
|
|
|
|
)
|
|
|
|
)
|
|
|
|
|
|
|
|
# Ensure the code_challenge param is added to the redirect.
|
|
|
|
params = parse_qs(url.query)
|
|
|
|
self.assertEqual(len(params["code_challenge"]), 1)
|
|
|
|
|
|
|
|
# Check what is in the cookies
|
|
|
|
self.assertEqual(len(req.cookies), 2) # two cookies
|
|
|
|
cookie_header = req.cookies[0]
|
|
|
|
|
|
|
|
# The cookie name and path don't really matter, just that it has to be coherent
|
|
|
|
# between the callback & redirect handlers.
|
|
|
|
parts = [p.strip() for p in cookie_header.split(b";")]
|
|
|
|
self.assertIn(b"Path=/_synapse/client/oidc", parts)
|
|
|
|
name, cookie = parts[0].split(b"=")
|
|
|
|
self.assertEqual(name, b"oidc_session")
|
|
|
|
|
|
|
|
# Ensure the code_verifier is set in the cookie.
|
|
|
|
macaroon = pymacaroons.Macaroon.deserialize(cookie)
|
|
|
|
code_verifier = get_value_from_macaroon(macaroon, "code_verifier")
|
|
|
|
self.assertNotEqual(code_verifier, "")
|
|
|
|
|
|
|
|
@override_config({"oidc_config": {**DEFAULT_CONFIG, "pkce_method": "never"}})
|
|
|
|
def test_redirect_request_with_disabled_code_challenge(self) -> None:
|
|
|
|
"""The redirect request has the right arguments & generates a valid session cookie."""
|
|
|
|
req = Mock(spec=["cookies"])
|
|
|
|
req.cookies = []
|
|
|
|
|
|
|
|
# The metadata should state that PKCE is enabled.
|
|
|
|
with self.metadata_edit({"code_challenge_methods_supported": ["S256"]}):
|
|
|
|
url = urlparse(
|
|
|
|
self.get_success(
|
|
|
|
self.provider.handle_redirect_request(
|
|
|
|
req, b"http://client/redirect"
|
|
|
|
)
|
|
|
|
)
|
|
|
|
)
|
|
|
|
|
|
|
|
# Ensure the code_challenge param is added to the redirect.
|
|
|
|
params = parse_qs(url.query)
|
|
|
|
self.assertNotIn("code_challenge", params)
|
|
|
|
|
|
|
|
# Check what is in the cookies
|
|
|
|
self.assertEqual(len(req.cookies), 2) # two cookies
|
|
|
|
cookie_header = req.cookies[0]
|
|
|
|
|
|
|
|
# The cookie name and path don't really matter, just that it has to be coherent
|
|
|
|
# between the callback & redirect handlers.
|
|
|
|
parts = [p.strip() for p in cookie_header.split(b";")]
|
|
|
|
self.assertIn(b"Path=/_synapse/client/oidc", parts)
|
|
|
|
name, cookie = parts[0].split(b"=")
|
|
|
|
self.assertEqual(name, b"oidc_session")
|
|
|
|
|
|
|
|
# Ensure the code_verifier is blank in the cookie.
|
|
|
|
macaroon = pymacaroons.Macaroon.deserialize(cookie)
|
|
|
|
code_verifier = get_value_from_macaroon(macaroon, "code_verifier")
|
|
|
|
self.assertEqual(code_verifier, "")
|
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config({"oidc_config": DEFAULT_CONFIG})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_callback_error(self) -> None:
|
2020-05-08 14:30:40 +02:00
|
|
|
"""Errors from the provider returned in the callback are displayed."""
|
|
|
|
request = Mock(args={})
|
|
|
|
request.args[b"error"] = [b"invalid_client"]
|
2020-09-30 19:02:43 +02:00
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertRenderedError("invalid_client", "")
|
|
|
|
|
|
|
|
request.args[b"error_description"] = [b"some description"]
|
2020-09-30 19:02:43 +02:00
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertRenderedError("invalid_client", "some description")
|
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config({"oidc_config": DEFAULT_CONFIG})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_callback(self) -> None:
|
2020-05-08 14:30:40 +02:00
|
|
|
"""Code callback works and display errors if something went wrong.
|
|
|
|
|
|
|
|
A lot of scenarios are tested here:
|
|
|
|
- when the callback works, with userinfo from ID token
|
|
|
|
- when the user mapping fails
|
|
|
|
- when ID token verification fails
|
|
|
|
- when the callback works, with userinfo fetched from the userinfo endpoint
|
|
|
|
- when the userinfo fetching fails
|
|
|
|
- when the code exchange fails
|
|
|
|
"""
|
2020-12-15 13:39:56 +01:00
|
|
|
|
|
|
|
# ensure that we are correctly testing the fallback when "get_extra_attributes"
|
|
|
|
# is not implemented.
|
2021-01-14 14:29:17 +01:00
|
|
|
mapping_provider = self.provider._user_mapping_provider
|
2020-12-15 13:39:56 +01:00
|
|
|
with self.assertRaises(AttributeError):
|
|
|
|
_ = mapping_provider.get_extra_attributes
|
|
|
|
|
2020-12-14 12:38:50 +01:00
|
|
|
username = "bar"
|
2020-05-08 14:30:40 +02:00
|
|
|
userinfo = {
|
|
|
|
"sub": "foo",
|
2020-12-14 12:38:50 +01:00
|
|
|
"username": username,
|
2020-05-08 14:30:40 +02:00
|
|
|
}
|
2020-12-14 12:38:50 +01:00
|
|
|
expected_user_id = "@%s:%s" % (username, self.hs.hostname)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
client_redirect_url = "http://client/redirect"
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(
|
|
|
|
userinfo, client_redirect_url=client_redirect_url
|
|
|
|
)
|
2020-09-30 19:02:43 +02:00
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-12-06 18:43:06 +01:00
|
|
|
expected_user_id,
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
2021-12-06 18:43:06 +01:00
|
|
|
request,
|
|
|
|
client_redirect_url,
|
|
|
|
None,
|
|
|
|
new_user=True,
|
|
|
|
auth_provider_session_id=None,
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.post_token_handler.assert_called_once()
|
|
|
|
self.fake_server.get_userinfo_handler.assert_not_called()
|
2020-11-17 15:46:23 +01:00
|
|
|
self.render_error.assert_not_called()
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
# Handle mapping errors
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
2020-12-14 12:38:50 +01:00
|
|
|
with patch.object(
|
2021-01-14 14:29:17 +01:00
|
|
|
self.provider,
|
2020-12-14 12:38:50 +01:00
|
|
|
"_remote_id_from_userinfo",
|
|
|
|
new=Mock(side_effect=MappingException()),
|
|
|
|
):
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.assertRenderedError("mapping_error")
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
# Handle ID token errors
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
with self.fake_server.id_token_override({"iss": "https://bad.issuer/"}):
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertRenderedError("invalid_token")
|
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
self.reset_mocks()
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
# With userinfo fetching
|
2021-12-06 18:43:06 +01:00
|
|
|
self.provider._user_profile_method = "userinfo_endpoint"
|
2022-10-25 16:25:02 +02:00
|
|
|
# Without the "openid" scope, the FakeProvider does not generate an id_token
|
|
|
|
request, _ = self.start_authorization(userinfo, scope="")
|
2020-09-30 19:02:43 +02:00
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-12-06 18:43:06 +01:00
|
|
|
expected_user_id,
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
2021-12-06 18:43:06 +01:00
|
|
|
request,
|
2022-10-25 16:25:02 +02:00
|
|
|
ANY,
|
2021-12-06 18:43:06 +01:00
|
|
|
None,
|
|
|
|
new_user=False,
|
|
|
|
auth_provider_session_id=None,
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.post_token_handler.assert_called_once()
|
|
|
|
self.fake_server.get_userinfo_handler.assert_called_once()
|
2020-11-17 15:46:23 +01:00
|
|
|
self.render_error.assert_not_called()
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
self.reset_mocks()
|
|
|
|
|
2021-12-06 18:43:06 +01:00
|
|
|
# With an ID token, userinfo fetching and sid in the ID token
|
|
|
|
self.provider._user_profile_method = "userinfo_endpoint"
|
2022-10-25 16:25:02 +02:00
|
|
|
request, grant = self.start_authorization(userinfo, with_sid=True)
|
|
|
|
self.assertIsNotNone(grant.sid)
|
2021-12-06 18:43:06 +01:00
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-12-06 18:43:06 +01:00
|
|
|
expected_user_id,
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
2021-12-06 18:43:06 +01:00
|
|
|
request,
|
2022-10-25 16:25:02 +02:00
|
|
|
ANY,
|
2021-12-06 18:43:06 +01:00
|
|
|
None,
|
|
|
|
new_user=False,
|
2022-10-25 16:25:02 +02:00
|
|
|
auth_provider_session_id=grant.sid,
|
2021-12-06 18:43:06 +01:00
|
|
|
)
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.post_token_handler.assert_called_once()
|
|
|
|
self.fake_server.get_userinfo_handler.assert_called_once()
|
2021-12-06 18:43:06 +01:00
|
|
|
self.render_error.assert_not_called()
|
|
|
|
|
2020-05-08 14:30:40 +02:00
|
|
|
# Handle userinfo fetching error
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
with self.fake_server.buggy_endpoint(userinfo=True):
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertRenderedError("fetch_error")
|
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
with self.fake_server.buggy_endpoint(token=True):
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.assertRenderedError("server_error")
|
2020-05-08 14:30:40 +02:00
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config({"oidc_config": DEFAULT_CONFIG})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_callback_session(self) -> None:
|
2020-05-08 14:30:40 +02:00
|
|
|
"""The callback verifies the session presence and validity"""
|
2021-02-17 11:15:14 +01:00
|
|
|
request = Mock(spec=["args", "getCookie", "cookies"])
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
# Missing cookie
|
|
|
|
request.args = {}
|
|
|
|
request.getCookie.return_value = None
|
2020-09-30 19:02:43 +02:00
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertRenderedError("missing_session", "No session cookie found")
|
|
|
|
|
|
|
|
# Missing session parameter
|
|
|
|
request.args = {}
|
|
|
|
request.getCookie.return_value = "session"
|
2020-09-30 19:02:43 +02:00
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertRenderedError("invalid_request", "State parameter is missing")
|
|
|
|
|
|
|
|
# Invalid cookie
|
|
|
|
request.args = {}
|
|
|
|
request.args[b"state"] = [b"state"]
|
|
|
|
request.getCookie.return_value = "session"
|
2020-09-30 19:02:43 +02:00
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertRenderedError("invalid_session")
|
|
|
|
|
|
|
|
# Mismatching session
|
2021-01-13 11:26:12 +01:00
|
|
|
session = self._generate_oidc_session_token(
|
|
|
|
state="state",
|
|
|
|
nonce="nonce",
|
|
|
|
client_redirect_url="http://client/redirect",
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
|
|
|
request.args = {}
|
|
|
|
request.args[b"state"] = [b"mismatching state"]
|
|
|
|
request.getCookie.return_value = session
|
2020-09-30 19:02:43 +02:00
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertRenderedError("mismatching_session")
|
|
|
|
|
|
|
|
# Valid session
|
|
|
|
request.args = {}
|
|
|
|
request.args[b"state"] = [b"state"]
|
|
|
|
request.getCookie.return_value = session
|
2020-09-30 19:02:43 +02:00
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-05-08 14:30:40 +02:00
|
|
|
self.assertRenderedError("invalid_request")
|
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config(
|
|
|
|
{"oidc_config": {**DEFAULT_CONFIG, "client_auth_method": "client_secret_post"}}
|
|
|
|
)
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_exchange_code(self) -> None:
|
2020-05-08 14:30:40 +02:00
|
|
|
"""Code exchange behaves correctly and handles various error scenarios."""
|
2022-10-25 16:25:02 +02:00
|
|
|
token = {
|
|
|
|
"type": "Bearer",
|
|
|
|
"access_token": "aabbcc",
|
|
|
|
}
|
|
|
|
|
|
|
|
self.fake_server.post_token_handler.side_effect = None
|
|
|
|
self.fake_server.post_token_handler.return_value = FakeResponse.json(
|
|
|
|
payload=token
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
|
|
|
code = "code"
|
2023-01-04 20:58:08 +01:00
|
|
|
ret = self.get_success(self.provider._exchange_code(code, code_verifier=""))
|
2022-10-25 16:25:02 +02:00
|
|
|
kwargs = self.fake_server.request.call_args[1]
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
self.assertEqual(ret, token)
|
|
|
|
self.assertEqual(kwargs["method"], "POST")
|
2022-10-25 16:25:02 +02:00
|
|
|
self.assertEqual(kwargs["uri"], self.fake_server.token_endpoint)
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
args = parse_qs(kwargs["data"].decode("utf-8"))
|
|
|
|
self.assertEqual(args["grant_type"], ["authorization_code"])
|
|
|
|
self.assertEqual(args["code"], [code])
|
|
|
|
self.assertEqual(args["client_id"], [CLIENT_ID])
|
|
|
|
self.assertEqual(args["client_secret"], [CLIENT_SECRET])
|
|
|
|
self.assertEqual(args["redirect_uri"], [CALLBACK_URL])
|
|
|
|
|
2023-01-04 20:58:08 +01:00
|
|
|
# Test providing a code verifier.
|
|
|
|
code_verifier = "code_verifier"
|
|
|
|
ret = self.get_success(
|
|
|
|
self.provider._exchange_code(code, code_verifier=code_verifier)
|
|
|
|
)
|
|
|
|
kwargs = self.fake_server.request.call_args[1]
|
|
|
|
|
|
|
|
self.assertEqual(ret, token)
|
|
|
|
self.assertEqual(kwargs["method"], "POST")
|
|
|
|
self.assertEqual(kwargs["uri"], self.fake_server.token_endpoint)
|
|
|
|
|
|
|
|
args = parse_qs(kwargs["data"].decode("utf-8"))
|
|
|
|
self.assertEqual(args["grant_type"], ["authorization_code"])
|
|
|
|
self.assertEqual(args["code"], [code])
|
|
|
|
self.assertEqual(args["client_id"], [CLIENT_ID])
|
|
|
|
self.assertEqual(args["client_secret"], [CLIENT_SECRET])
|
|
|
|
self.assertEqual(args["redirect_uri"], [CALLBACK_URL])
|
|
|
|
self.assertEqual(args["code_verifier"], [code_verifier])
|
|
|
|
|
2020-05-08 14:30:40 +02:00
|
|
|
# Test error handling
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.post_token_handler.return_value = FakeResponse.json(
|
|
|
|
code=400, payload={"error": "foo", "error_description": "bar"}
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
2021-04-20 20:55:20 +02:00
|
|
|
from synapse.handlers.oidc import OidcError
|
2021-01-07 12:41:28 +01:00
|
|
|
|
2023-01-04 20:58:08 +01:00
|
|
|
exc = self.get_failure(
|
|
|
|
self.provider._exchange_code(code, code_verifier=""), OidcError
|
|
|
|
)
|
2020-09-30 19:02:43 +02:00
|
|
|
self.assertEqual(exc.value.error, "foo")
|
|
|
|
self.assertEqual(exc.value.error_description, "bar")
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
# Internal server error with no JSON body
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.post_token_handler.return_value = FakeResponse(
|
|
|
|
code=500, body=b"Not JSON"
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
2023-01-04 20:58:08 +01:00
|
|
|
exc = self.get_failure(
|
|
|
|
self.provider._exchange_code(code, code_verifier=""), OidcError
|
|
|
|
)
|
2020-09-30 19:02:43 +02:00
|
|
|
self.assertEqual(exc.value.error, "server_error")
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
# Internal server error with JSON body
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.post_token_handler.return_value = FakeResponse.json(
|
|
|
|
code=500, payload={"error": "internal_server_error"}
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
2020-09-30 19:02:43 +02:00
|
|
|
|
2023-01-04 20:58:08 +01:00
|
|
|
exc = self.get_failure(
|
|
|
|
self.provider._exchange_code(code, code_verifier=""), OidcError
|
|
|
|
)
|
2020-09-30 19:02:43 +02:00
|
|
|
self.assertEqual(exc.value.error, "internal_server_error")
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
# 4xx error without "error" field
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.post_token_handler.return_value = FakeResponse.json(
|
|
|
|
code=400, payload={}
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
2023-01-04 20:58:08 +01:00
|
|
|
exc = self.get_failure(
|
|
|
|
self.provider._exchange_code(code, code_verifier=""), OidcError
|
|
|
|
)
|
2020-09-30 19:02:43 +02:00
|
|
|
self.assertEqual(exc.value.error, "server_error")
|
2020-05-08 14:30:40 +02:00
|
|
|
|
|
|
|
# 2xx error with "error" field
|
2022-10-25 16:25:02 +02:00
|
|
|
self.fake_server.post_token_handler.return_value = FakeResponse.json(
|
|
|
|
code=200, payload={"error": "some_error"}
|
2020-05-08 14:30:40 +02:00
|
|
|
)
|
2023-01-04 20:58:08 +01:00
|
|
|
exc = self.get_failure(
|
|
|
|
self.provider._exchange_code(code, code_verifier=""), OidcError
|
|
|
|
)
|
2020-09-30 19:02:43 +02:00
|
|
|
self.assertEqual(exc.value.error, "some_error")
|
|
|
|
|
|
|
|
@override_config(
|
|
|
|
{
|
|
|
|
"oidc_config": {
|
2021-03-09 16:03:37 +01:00
|
|
|
"enabled": True,
|
|
|
|
"client_id": CLIENT_ID,
|
|
|
|
"issuer": ISSUER,
|
|
|
|
"client_auth_method": "client_secret_post",
|
|
|
|
"client_secret_jwt_key": {
|
|
|
|
"key_file": _key_file_path(),
|
|
|
|
"jwt_header": {"alg": "ES256", "kid": "ABC789"},
|
|
|
|
"jwt_payload": {"iss": "DEFGHI"},
|
|
|
|
},
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_exchange_code_jwt_key(self) -> None:
|
2021-03-09 16:03:37 +01:00
|
|
|
"""Test that code exchange works with a JWK client secret."""
|
|
|
|
from authlib.jose import jwt
|
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
token = {
|
|
|
|
"type": "Bearer",
|
|
|
|
"access_token": "aabbcc",
|
|
|
|
}
|
|
|
|
|
|
|
|
self.fake_server.post_token_handler.side_effect = None
|
|
|
|
self.fake_server.post_token_handler.return_value = FakeResponse.json(
|
|
|
|
payload=token
|
2021-03-09 16:03:37 +01:00
|
|
|
)
|
|
|
|
code = "code"
|
|
|
|
|
|
|
|
# advance the clock a bit before we start, so we aren't working with zero
|
|
|
|
# timestamps.
|
|
|
|
self.reactor.advance(1000)
|
|
|
|
start_time = self.reactor.seconds()
|
2023-01-04 20:58:08 +01:00
|
|
|
ret = self.get_success(self.provider._exchange_code(code, code_verifier=""))
|
2021-03-09 16:03:37 +01:00
|
|
|
|
|
|
|
self.assertEqual(ret, token)
|
|
|
|
|
|
|
|
# the request should have hit the token endpoint
|
2022-10-25 16:25:02 +02:00
|
|
|
kwargs = self.fake_server.request.call_args[1]
|
2021-03-09 16:03:37 +01:00
|
|
|
self.assertEqual(kwargs["method"], "POST")
|
2022-10-25 16:25:02 +02:00
|
|
|
self.assertEqual(kwargs["uri"], self.fake_server.token_endpoint)
|
2021-03-09 16:03:37 +01:00
|
|
|
|
|
|
|
# the client secret provided to the should be a jwt which can be checked with
|
|
|
|
# the public key
|
|
|
|
args = parse_qs(kwargs["data"].decode("utf-8"))
|
|
|
|
secret = args["client_secret"][0]
|
|
|
|
with open(_public_key_file_path()) as f:
|
|
|
|
key = f.read()
|
|
|
|
claims = jwt.decode(secret, key)
|
|
|
|
self.assertEqual(claims.header["kid"], "ABC789")
|
|
|
|
self.assertEqual(claims["aud"], ISSUER)
|
|
|
|
self.assertEqual(claims["iss"], "DEFGHI")
|
|
|
|
self.assertEqual(claims["sub"], CLIENT_ID)
|
|
|
|
self.assertEqual(claims["iat"], start_time)
|
|
|
|
self.assertGreater(claims["exp"], start_time)
|
|
|
|
|
|
|
|
# check the rest of the POSTed data
|
|
|
|
self.assertEqual(args["grant_type"], ["authorization_code"])
|
|
|
|
self.assertEqual(args["code"], [code])
|
|
|
|
self.assertEqual(args["client_id"], [CLIENT_ID])
|
|
|
|
self.assertEqual(args["redirect_uri"], [CALLBACK_URL])
|
|
|
|
|
|
|
|
@override_config(
|
|
|
|
{
|
|
|
|
"oidc_config": {
|
|
|
|
"enabled": True,
|
|
|
|
"client_id": CLIENT_ID,
|
|
|
|
"issuer": ISSUER,
|
|
|
|
"client_auth_method": "none",
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_exchange_code_no_auth(self) -> None:
|
2021-03-09 16:03:37 +01:00
|
|
|
"""Test that code exchange works with no client secret."""
|
2022-10-25 16:25:02 +02:00
|
|
|
token = {
|
|
|
|
"type": "Bearer",
|
|
|
|
"access_token": "aabbcc",
|
|
|
|
}
|
|
|
|
|
|
|
|
self.fake_server.post_token_handler.side_effect = None
|
|
|
|
self.fake_server.post_token_handler.return_value = FakeResponse.json(
|
|
|
|
payload=token
|
2021-03-09 16:03:37 +01:00
|
|
|
)
|
|
|
|
code = "code"
|
2023-01-04 20:58:08 +01:00
|
|
|
ret = self.get_success(self.provider._exchange_code(code, code_verifier=""))
|
2021-03-09 16:03:37 +01:00
|
|
|
|
|
|
|
self.assertEqual(ret, token)
|
|
|
|
|
|
|
|
# the request should have hit the token endpoint
|
2022-10-25 16:25:02 +02:00
|
|
|
kwargs = self.fake_server.request.call_args[1]
|
2021-03-09 16:03:37 +01:00
|
|
|
self.assertEqual(kwargs["method"], "POST")
|
2022-10-25 16:25:02 +02:00
|
|
|
self.assertEqual(kwargs["uri"], self.fake_server.token_endpoint)
|
2021-03-09 16:03:37 +01:00
|
|
|
|
|
|
|
# check the POSTed data
|
|
|
|
args = parse_qs(kwargs["data"].decode("utf-8"))
|
|
|
|
self.assertEqual(args["grant_type"], ["authorization_code"])
|
|
|
|
self.assertEqual(args["code"], [code])
|
|
|
|
self.assertEqual(args["client_id"], [CLIENT_ID])
|
|
|
|
self.assertEqual(args["redirect_uri"], [CALLBACK_URL])
|
|
|
|
|
|
|
|
@override_config(
|
|
|
|
{
|
|
|
|
"oidc_config": {
|
|
|
|
**DEFAULT_CONFIG,
|
2020-09-30 19:02:43 +02:00
|
|
|
"user_mapping_provider": {
|
|
|
|
"module": __name__ + ".TestMappingProviderExtra"
|
2021-03-09 16:03:37 +01:00
|
|
|
},
|
2020-09-30 19:02:43 +02:00
|
|
|
}
|
|
|
|
}
|
|
|
|
)
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_extra_attributes(self) -> None:
|
2020-09-30 19:02:43 +02:00
|
|
|
"""
|
|
|
|
Login while using a mapping provider that implements get_extra_attributes.
|
|
|
|
"""
|
|
|
|
userinfo = {
|
|
|
|
"sub": "foo",
|
2020-12-14 12:38:50 +01:00
|
|
|
"username": "foo",
|
2020-09-30 19:02:43 +02:00
|
|
|
"phone": "1234567",
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
2020-09-30 19:02:43 +02:00
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-02-01 16:50:56 +01:00
|
|
|
"@foo:test",
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
2021-02-01 16:50:56 +01:00
|
|
|
request,
|
2022-10-25 16:25:02 +02:00
|
|
|
ANY,
|
2021-02-01 16:50:56 +01:00
|
|
|
{"phone": "1234567"},
|
|
|
|
new_user=True,
|
2021-12-06 18:43:06 +01:00
|
|
|
auth_provider_session_id=None,
|
2020-09-30 19:02:43 +02:00
|
|
|
)
|
2020-08-28 14:56:36 +02:00
|
|
|
|
2023-03-30 13:09:41 +02:00
|
|
|
@override_config({"oidc_config": {**DEFAULT_CONFIG, "enable_registration": True}})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_map_userinfo_to_user(self) -> None:
|
2020-08-28 14:56:36 +02:00
|
|
|
"""Ensure that mapping the userinfo returned from a provider to an MXID works properly."""
|
2022-03-15 14:16:37 +01:00
|
|
|
userinfo: dict = {
|
2020-08-28 14:56:36 +02:00
|
|
|
"sub": "test_user",
|
|
|
|
"username": "test_user",
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-12-06 18:43:06 +01:00
|
|
|
"@test_user:test",
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
|
|
|
request,
|
2021-12-06 18:43:06 +01:00
|
|
|
ANY,
|
|
|
|
None,
|
|
|
|
new_user=True,
|
|
|
|
auth_provider_session_id=None,
|
2020-08-28 14:56:36 +02:00
|
|
|
)
|
2022-10-25 16:25:02 +02:00
|
|
|
self.reset_mocks()
|
2020-08-28 14:56:36 +02:00
|
|
|
|
|
|
|
# Some providers return an integer ID.
|
|
|
|
userinfo = {
|
|
|
|
"sub": 1234,
|
|
|
|
"username": "test_user_2",
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-12-06 18:43:06 +01:00
|
|
|
"@test_user_2:test",
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
|
|
|
request,
|
2021-12-06 18:43:06 +01:00
|
|
|
ANY,
|
|
|
|
None,
|
|
|
|
new_user=True,
|
|
|
|
auth_provider_session_id=None,
|
2020-08-28 14:56:36 +02:00
|
|
|
)
|
2022-10-25 16:25:02 +02:00
|
|
|
self.reset_mocks()
|
2020-09-25 13:01:45 +02:00
|
|
|
|
|
|
|
# Test if the mxid is already taken
|
2022-02-23 12:04:02 +01:00
|
|
|
store = self.hs.get_datastores().main
|
2020-09-25 13:01:45 +02:00
|
|
|
user3 = UserID.from_string("@test_user_3:test")
|
|
|
|
self.get_success(
|
|
|
|
store.register_user(user_id=user3.to_string(), password_hash=None)
|
|
|
|
)
|
|
|
|
userinfo = {"sub": "test3", "username": "test_user_3"}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_not_called()
|
2020-12-14 12:38:50 +01:00
|
|
|
self.assertRenderedError(
|
|
|
|
"mapping_error",
|
|
|
|
"Mapping provider does not support de-duplicating Matrix IDs",
|
2020-11-25 16:04:22 +01:00
|
|
|
)
|
2020-09-25 13:01:45 +02:00
|
|
|
|
2023-03-30 13:09:41 +02:00
|
|
|
@override_config({"oidc_config": {**DEFAULT_CONFIG, "enable_registration": False}})
|
|
|
|
def test_map_userinfo_to_user_does_not_register_new_user(self) -> None:
|
|
|
|
"""Ensures new users are not registered if the enabled registration flag is disabled."""
|
|
|
|
userinfo: dict = {
|
|
|
|
"sub": "test_user",
|
|
|
|
"username": "test_user",
|
|
|
|
}
|
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_not_called()
|
|
|
|
self.assertRenderedError(
|
|
|
|
"mapping_error",
|
|
|
|
"User does not exist and registrations are disabled",
|
|
|
|
)
|
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config({"oidc_config": {**DEFAULT_CONFIG, "allow_existing_users": True}})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_map_userinfo_to_existing_user(self) -> None:
|
2020-09-25 13:01:45 +02:00
|
|
|
"""Existing users can log in with OpenID Connect when allow_existing_users is True."""
|
2022-02-23 12:04:02 +01:00
|
|
|
store = self.hs.get_datastores().main
|
2020-11-19 20:25:17 +01:00
|
|
|
user = UserID.from_string("@test_user:test")
|
2020-09-25 13:01:45 +02:00
|
|
|
self.get_success(
|
2020-11-19 20:25:17 +01:00
|
|
|
store.register_user(user_id=user.to_string(), password_hash=None)
|
2020-09-25 13:01:45 +02:00
|
|
|
)
|
2020-11-25 16:04:22 +01:00
|
|
|
|
|
|
|
# Map a user via SSO.
|
2020-09-25 13:01:45 +02:00
|
|
|
userinfo = {
|
2020-11-19 20:25:17 +01:00
|
|
|
"sub": "test",
|
|
|
|
"username": "test_user",
|
2020-09-25 13:01:45 +02:00
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-12-06 18:43:06 +01:00
|
|
|
user.to_string(),
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
|
|
|
request,
|
2021-12-06 18:43:06 +01:00
|
|
|
ANY,
|
|
|
|
None,
|
|
|
|
new_user=False,
|
|
|
|
auth_provider_session_id=None,
|
2020-09-25 13:01:45 +02:00
|
|
|
)
|
2022-10-25 16:25:02 +02:00
|
|
|
self.reset_mocks()
|
2020-11-19 20:25:17 +01:00
|
|
|
|
2020-12-02 13:45:42 +01:00
|
|
|
# Subsequent calls should map to the same mxid.
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-12-06 18:43:06 +01:00
|
|
|
user.to_string(),
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
|
|
|
request,
|
2021-12-06 18:43:06 +01:00
|
|
|
ANY,
|
|
|
|
None,
|
|
|
|
new_user=False,
|
|
|
|
auth_provider_session_id=None,
|
2020-12-02 13:45:42 +01:00
|
|
|
)
|
2022-10-25 16:25:02 +02:00
|
|
|
self.reset_mocks()
|
2020-12-02 13:45:42 +01:00
|
|
|
|
2020-11-25 16:04:22 +01:00
|
|
|
# Note that a second SSO user can be mapped to the same Matrix ID. (This
|
|
|
|
# requires a unique sub, but something that maps to the same matrix ID,
|
|
|
|
# in this case we'll just use the same username. A more realistic example
|
|
|
|
# would be subs which are email addresses, and mapping from the localpart
|
|
|
|
# of the email, e.g. bob@foo.com and bob@bar.com -> @bob:test.)
|
|
|
|
userinfo = {
|
|
|
|
"sub": "test1",
|
|
|
|
"username": "test_user",
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-12-06 18:43:06 +01:00
|
|
|
user.to_string(),
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
|
|
|
request,
|
2021-12-06 18:43:06 +01:00
|
|
|
ANY,
|
|
|
|
None,
|
|
|
|
new_user=False,
|
|
|
|
auth_provider_session_id=None,
|
2020-11-25 16:04:22 +01:00
|
|
|
)
|
2022-10-25 16:25:02 +02:00
|
|
|
self.reset_mocks()
|
2020-11-25 16:04:22 +01:00
|
|
|
|
2020-11-19 20:25:17 +01:00
|
|
|
# Register some non-exact matching cases.
|
|
|
|
user2 = UserID.from_string("@TEST_user_2:test")
|
|
|
|
self.get_success(
|
|
|
|
store.register_user(user_id=user2.to_string(), password_hash=None)
|
|
|
|
)
|
|
|
|
user2_caps = UserID.from_string("@test_USER_2:test")
|
|
|
|
self.get_success(
|
|
|
|
store.register_user(user_id=user2_caps.to_string(), password_hash=None)
|
|
|
|
)
|
|
|
|
|
|
|
|
# Attempting to login without matching a name exactly is an error.
|
|
|
|
userinfo = {
|
|
|
|
"sub": "test2",
|
|
|
|
"username": "TEST_USER_2",
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_not_called()
|
2020-12-14 12:38:50 +01:00
|
|
|
args = self.assertRenderedError("mapping_error")
|
2020-11-19 20:25:17 +01:00
|
|
|
self.assertTrue(
|
2020-12-14 12:38:50 +01:00
|
|
|
args[2].startswith(
|
2020-11-19 20:25:17 +01:00
|
|
|
"Attempted to login as '@TEST_USER_2:test' but it matches more than one user inexactly:"
|
|
|
|
)
|
|
|
|
)
|
|
|
|
|
|
|
|
# Logging in when matching a name exactly should work.
|
|
|
|
user2 = UserID.from_string("@TEST_USER_2:test")
|
|
|
|
self.get_success(
|
|
|
|
store.register_user(user_id=user2.to_string(), password_hash=None)
|
|
|
|
)
|
|
|
|
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-12-06 18:43:06 +01:00
|
|
|
"@TEST_USER_2:test",
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
|
|
|
request,
|
2021-12-06 18:43:06 +01:00
|
|
|
ANY,
|
|
|
|
None,
|
|
|
|
new_user=False,
|
|
|
|
auth_provider_session_id=None,
|
2020-11-19 20:25:17 +01:00
|
|
|
)
|
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config({"oidc_config": DEFAULT_CONFIG})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_map_userinfo_to_invalid_localpart(self) -> None:
|
2020-11-19 20:25:17 +01:00
|
|
|
"""If the mapping provider generates an invalid localpart it should be rejected."""
|
2022-10-25 16:25:02 +02:00
|
|
|
userinfo = {"sub": "test2", "username": "föö"}
|
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-12-14 12:38:50 +01:00
|
|
|
self.assertRenderedError("mapping_error", "localpart is invalid: föö")
|
2020-11-25 16:04:22 +01:00
|
|
|
|
|
|
|
@override_config(
|
|
|
|
{
|
|
|
|
"oidc_config": {
|
2021-03-09 16:03:37 +01:00
|
|
|
**DEFAULT_CONFIG,
|
2020-11-25 16:04:22 +01:00
|
|
|
"user_mapping_provider": {
|
|
|
|
"module": __name__ + ".TestMappingProviderFailures"
|
2021-03-09 16:03:37 +01:00
|
|
|
},
|
2020-11-25 16:04:22 +01:00
|
|
|
}
|
|
|
|
}
|
|
|
|
)
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_map_userinfo_to_user_retries(self) -> None:
|
2020-11-25 16:04:22 +01:00
|
|
|
"""The mapping provider can retry generating an MXID if the MXID is already in use."""
|
2022-02-23 12:04:02 +01:00
|
|
|
store = self.hs.get_datastores().main
|
2020-11-25 16:04:22 +01:00
|
|
|
self.get_success(
|
|
|
|
store.register_user(user_id="@test_user:test", password_hash=None)
|
|
|
|
)
|
|
|
|
userinfo = {
|
|
|
|
"sub": "test",
|
|
|
|
"username": "test_user",
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-12-14 12:38:50 +01:00
|
|
|
|
2020-11-25 16:04:22 +01:00
|
|
|
# test_user is already taken, so test_user1 gets registered instead.
|
2022-10-25 16:25:02 +02:00
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-12-06 18:43:06 +01:00
|
|
|
"@test_user1:test",
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
|
|
|
request,
|
2021-12-06 18:43:06 +01:00
|
|
|
ANY,
|
|
|
|
None,
|
|
|
|
new_user=True,
|
|
|
|
auth_provider_session_id=None,
|
2020-12-14 12:38:50 +01:00
|
|
|
)
|
2022-10-25 16:25:02 +02:00
|
|
|
self.reset_mocks()
|
2020-11-25 16:04:22 +01:00
|
|
|
|
2020-12-02 13:09:21 +01:00
|
|
|
# Register all of the potential mxids for a particular OIDC username.
|
2020-11-25 16:04:22 +01:00
|
|
|
self.get_success(
|
|
|
|
store.register_user(user_id="@tester:test", password_hash=None)
|
|
|
|
)
|
|
|
|
for i in range(1, 3):
|
|
|
|
self.get_success(
|
|
|
|
store.register_user(user_id="@tester%d:test" % i, password_hash=None)
|
|
|
|
)
|
|
|
|
|
|
|
|
# Now attempt to map to a username, this will fail since all potential usernames are taken.
|
|
|
|
userinfo = {
|
|
|
|
"sub": "tester",
|
|
|
|
"username": "tester",
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_not_called()
|
2020-12-14 12:38:50 +01:00
|
|
|
self.assertRenderedError(
|
|
|
|
"mapping_error", "Unable to generate a Matrix ID from the SSO response"
|
2020-11-25 16:04:22 +01:00
|
|
|
)
|
2020-12-14 12:38:50 +01:00
|
|
|
|
2021-03-09 16:03:37 +01:00
|
|
|
@override_config({"oidc_config": DEFAULT_CONFIG})
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_empty_localpart(self) -> None:
|
2020-12-18 15:19:46 +01:00
|
|
|
"""Attempts to map onto an empty localpart should be rejected."""
|
|
|
|
userinfo = {
|
|
|
|
"sub": "tester",
|
|
|
|
"username": "",
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-12-18 15:19:46 +01:00
|
|
|
self.assertRenderedError("mapping_error", "localpart is invalid: ")
|
|
|
|
|
|
|
|
@override_config(
|
|
|
|
{
|
|
|
|
"oidc_config": {
|
2021-03-09 16:03:37 +01:00
|
|
|
**DEFAULT_CONFIG,
|
2020-12-18 15:19:46 +01:00
|
|
|
"user_mapping_provider": {
|
|
|
|
"config": {"localpart_template": "{{ user.username }}"}
|
2021-03-09 16:03:37 +01:00
|
|
|
},
|
2020-12-18 15:19:46 +01:00
|
|
|
}
|
|
|
|
}
|
|
|
|
)
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_null_localpart(self) -> None:
|
2020-12-18 15:19:46 +01:00
|
|
|
"""Mapping onto a null localpart via an empty OIDC attribute should be rejected"""
|
|
|
|
userinfo = {
|
|
|
|
"sub": "tester",
|
|
|
|
"username": None,
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2020-12-18 15:19:46 +01:00
|
|
|
self.assertRenderedError("mapping_error", "localpart is invalid: ")
|
|
|
|
|
2021-03-16 16:46:07 +01:00
|
|
|
@override_config(
|
|
|
|
{
|
|
|
|
"oidc_config": {
|
|
|
|
**DEFAULT_CONFIG,
|
|
|
|
"attribute_requirements": [{"attribute": "test", "value": "foobar"}],
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_attribute_requirements(self) -> None:
|
2021-03-16 16:46:07 +01:00
|
|
|
"""The required attributes must be met from the OIDC userinfo response."""
|
|
|
|
# userinfo lacking "test": "foobar" attribute should fail.
|
|
|
|
userinfo = {
|
|
|
|
"sub": "tester",
|
|
|
|
"username": "tester",
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_not_called()
|
2021-03-16 16:46:07 +01:00
|
|
|
|
|
|
|
# userinfo with "test": "foobar" attribute should succeed.
|
|
|
|
userinfo = {
|
|
|
|
"sub": "tester",
|
|
|
|
"username": "tester",
|
|
|
|
"test": "foobar",
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2021-03-16 16:46:07 +01:00
|
|
|
|
|
|
|
# check that the auth handler got called as expected
|
2022-10-25 16:25:02 +02:00
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-12-06 18:43:06 +01:00
|
|
|
"@tester:test",
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
|
|
|
request,
|
2021-12-06 18:43:06 +01:00
|
|
|
ANY,
|
|
|
|
None,
|
|
|
|
new_user=True,
|
|
|
|
auth_provider_session_id=None,
|
2021-03-16 16:46:07 +01:00
|
|
|
)
|
|
|
|
|
|
|
|
@override_config(
|
|
|
|
{
|
|
|
|
"oidc_config": {
|
|
|
|
**DEFAULT_CONFIG,
|
|
|
|
"attribute_requirements": [{"attribute": "test", "value": "foobar"}],
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_attribute_requirements_contains(self) -> None:
|
2021-03-16 16:46:07 +01:00
|
|
|
"""Test that auth succeeds if userinfo attribute CONTAINS required value"""
|
|
|
|
# userinfo with "test": ["foobar", "foo", "bar"] attribute should succeed.
|
|
|
|
userinfo = {
|
|
|
|
"sub": "tester",
|
|
|
|
"username": "tester",
|
|
|
|
"test": ["foobar", "foo", "bar"],
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
2021-03-16 16:46:07 +01:00
|
|
|
|
|
|
|
# check that the auth handler got called as expected
|
2022-10-25 16:25:02 +02:00
|
|
|
self.complete_sso_login.assert_called_once_with(
|
2021-12-06 18:43:06 +01:00
|
|
|
"@tester:test",
|
2022-10-25 16:25:02 +02:00
|
|
|
self.provider.idp_id,
|
|
|
|
request,
|
2021-12-06 18:43:06 +01:00
|
|
|
ANY,
|
|
|
|
None,
|
|
|
|
new_user=True,
|
|
|
|
auth_provider_session_id=None,
|
2021-03-16 16:46:07 +01:00
|
|
|
)
|
|
|
|
|
|
|
|
@override_config(
|
|
|
|
{
|
|
|
|
"oidc_config": {
|
|
|
|
**DEFAULT_CONFIG,
|
|
|
|
"attribute_requirements": [{"attribute": "test", "value": "foobar"}],
|
|
|
|
}
|
|
|
|
}
|
|
|
|
)
|
2022-03-15 14:16:37 +01:00
|
|
|
def test_attribute_requirements_mismatch(self) -> None:
|
2021-03-16 16:46:07 +01:00
|
|
|
"""
|
|
|
|
Test that auth fails if attributes exist but don't match,
|
|
|
|
or are non-string values.
|
|
|
|
"""
|
|
|
|
# userinfo with "test": "not_foobar" attribute should fail
|
2022-03-15 14:16:37 +01:00
|
|
|
userinfo: dict = {
|
2021-03-16 16:46:07 +01:00
|
|
|
"sub": "tester",
|
|
|
|
"username": "tester",
|
|
|
|
"test": "not_foobar",
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_not_called()
|
2021-03-16 16:46:07 +01:00
|
|
|
|
|
|
|
# userinfo with "test": ["foo", "bar"] attribute should fail
|
|
|
|
userinfo = {
|
|
|
|
"sub": "tester",
|
|
|
|
"username": "tester",
|
|
|
|
"test": ["foo", "bar"],
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_not_called()
|
2021-03-16 16:46:07 +01:00
|
|
|
|
|
|
|
# userinfo with "test": False attribute should fail
|
|
|
|
# this is largely just to ensure we don't crash here
|
|
|
|
userinfo = {
|
|
|
|
"sub": "tester",
|
|
|
|
"username": "tester",
|
|
|
|
"test": False,
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_not_called()
|
2021-03-16 16:46:07 +01:00
|
|
|
|
|
|
|
# userinfo with "test": None attribute should fail
|
|
|
|
# a value of None breaks the OIDC spec, but it's important to not crash here
|
|
|
|
userinfo = {
|
|
|
|
"sub": "tester",
|
|
|
|
"username": "tester",
|
|
|
|
"test": None,
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_not_called()
|
2021-03-16 16:46:07 +01:00
|
|
|
|
|
|
|
# userinfo with "test": 1 attribute should fail
|
|
|
|
# this is largely just to ensure we don't crash here
|
|
|
|
userinfo = {
|
|
|
|
"sub": "tester",
|
|
|
|
"username": "tester",
|
|
|
|
"test": 1,
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_not_called()
|
2021-03-16 16:46:07 +01:00
|
|
|
|
|
|
|
# userinfo with "test": 3.14 attribute should fail
|
|
|
|
# this is largely just to ensure we don't crash here
|
|
|
|
userinfo = {
|
|
|
|
"sub": "tester",
|
|
|
|
"username": "tester",
|
|
|
|
"test": 3.14,
|
|
|
|
}
|
2022-10-25 16:25:02 +02:00
|
|
|
request, _ = self.start_authorization(userinfo)
|
|
|
|
self.get_success(self.handler.handle_oidc_callback(request))
|
|
|
|
self.complete_sso_login.assert_not_called()
|
2021-03-16 16:46:07 +01:00
|
|
|
|
2021-01-13 11:26:12 +01:00
|
|
|
def _generate_oidc_session_token(
|
|
|
|
self,
|
|
|
|
state: str,
|
|
|
|
nonce: str,
|
|
|
|
client_redirect_url: str,
|
2021-03-04 15:44:22 +01:00
|
|
|
ui_auth_session_id: str = "",
|
2021-01-13 11:26:12 +01:00
|
|
|
) -> str:
|
2021-04-20 20:55:20 +02:00
|
|
|
from synapse.handlers.oidc import OidcSessionData
|
2021-01-13 11:26:12 +01:00
|
|
|
|
2022-06-14 15:12:08 +02:00
|
|
|
return self.handler._macaroon_generator.generate_oidc_session_token(
|
2021-01-13 11:26:12 +01:00
|
|
|
state=state,
|
|
|
|
session_data=OidcSessionData(
|
2022-10-25 16:25:02 +02:00
|
|
|
idp_id=self.provider.idp_id,
|
2021-01-13 11:26:12 +01:00
|
|
|
nonce=nonce,
|
|
|
|
client_redirect_url=client_redirect_url,
|
|
|
|
ui_auth_session_id=ui_auth_session_id,
|
2023-01-04 20:58:08 +01:00
|
|
|
code_verifier="",
|
2021-01-13 11:26:12 +01:00
|
|
|
),
|
|
|
|
)
|
|
|
|
|
2020-12-18 15:19:46 +01:00
|
|
|
|
2020-12-15 14:03:31 +01:00
|
|
|
def _build_callback_request(
|
|
|
|
code: str,
|
|
|
|
state: str,
|
|
|
|
session: str,
|
|
|
|
ip_address: str = "10.0.0.1",
|
2022-12-16 12:53:01 +01:00
|
|
|
) -> Mock:
|
2020-12-15 14:03:31 +01:00
|
|
|
"""Builds a fake SynapseRequest to mock the browser callback
|
|
|
|
|
|
|
|
Returns a Mock object which looks like the SynapseRequest we get from a browser
|
|
|
|
after SSO (before we return to the client)
|
|
|
|
|
|
|
|
Args:
|
|
|
|
code: the authorization code which would have been returned by the OIDC
|
|
|
|
provider
|
|
|
|
state: the "state" param which would have been passed around in the
|
|
|
|
query param. Should be the same as was embedded in the session in
|
|
|
|
_build_oidc_session.
|
|
|
|
session: the "session" which would have been passed around in the cookie.
|
|
|
|
ip_address: the IP address to pretend the request came from
|
|
|
|
"""
|
|
|
|
request = Mock(
|
|
|
|
spec=[
|
|
|
|
"args",
|
|
|
|
"getCookie",
|
2021-02-17 11:15:14 +01:00
|
|
|
"cookies",
|
2020-12-15 14:03:31 +01:00
|
|
|
"requestHeaders",
|
2022-05-04 20:11:21 +02:00
|
|
|
"getClientAddress",
|
2021-01-12 13:34:16 +01:00
|
|
|
"getHeader",
|
2020-12-15 14:03:31 +01:00
|
|
|
]
|
|
|
|
)
|
|
|
|
|
2021-02-17 11:15:14 +01:00
|
|
|
request.cookies = []
|
2020-12-15 14:03:31 +01:00
|
|
|
request.getCookie.return_value = session
|
|
|
|
request.args = {}
|
|
|
|
request.args[b"code"] = [code.encode("utf-8")]
|
|
|
|
request.args[b"state"] = [state.encode("utf-8")]
|
2022-05-04 20:11:21 +02:00
|
|
|
request.getClientAddress.return_value.host = ip_address
|
2020-12-15 14:03:31 +01:00
|
|
|
return request
|