Source code for globus_sdk.services.auth.client.base

from __future__ import annotations

import collections.abc
import json
import logging
import sys
import typing as t

import jwt
from cryptography.hazmat.primitives.asymmetric.rsa import RSAPublicKey

if sys.version_info >= (3, 8):
    # pylint can't handle quoted annotations yet:
    # https://github.com/PyCQA/pylint/issues/3299
    from typing import Literal  # pylint: disable=unused-import
else:
    from typing_extensions import Literal

from globus_sdk import client, exc, utils
from globus_sdk._types import IntLike, UUIDLike
from globus_sdk.authorizers import NullAuthorizer
from globus_sdk.response import GlobusHTTPResponse
from globus_sdk.scopes import AuthScopes

from ..errors import AuthAPIError
from ..flow_managers import GlobusOAuthFlowManager
from ..response import GetIdentitiesResponse, OAuthTokenResponse

log = logging.getLogger(__name__)

RT = t.TypeVar("RT", bound=GlobusHTTPResponse)


[docs]class AuthClient(client.BaseClient): """ Client for the `Globus Auth API <https://docs.globus.org/api/auth/>`_ This class provides helper methods for most common resources in the Auth API, and the common low-level interface from :class:`BaseClient <globus_sdk.client.BaseClient>` of ``get``, ``put``, ``post``, and ``delete`` methods, which can be used to access any API resource. There are generally two types of resources, distinguished by the type of authentication which they use. Resources available to end users of Globus are authenticated with a Globus Auth Token ("Authentication: Bearer ..."), while resources available to OAuth Clients are authenticated using Basic Auth with the Client's ID and Secret. Some resources may be available with either authentication type. **Examples** Initializing an ``AuthClient`` to authenticate a user making calls to the Globus Auth service with an access token takes the form >>> from globus_sdk import AuthClient, AccessTokenAuthorizer >>> ac = AuthClient(authorizer=AccessTokenAuthorizer('<token_string>')) You can, of course, use other kinds of Authorizers (notably the ``RefreshTokenAuthorizer``). .. automethodlist:: globus_sdk.AuthClient """ service_name = "auth" error_class = AuthAPIError scopes = AuthScopes def __init__(self, client_id: UUIDLike | None = None, **kwargs: t.Any) -> None: super().__init__(**kwargs) self.client_id: str | None = str(client_id) if client_id is not None else None # an AuthClient may contain a GlobusOAuth2FlowManager in order to # encapsulate the functionality of various different types of flow # managers self.current_oauth2_flow_manager: GlobusOAuthFlowManager | None = None
[docs] def get_identities( self, *, usernames: t.Iterable[str] | str | None = None, ids: t.Iterable[UUIDLike] | UUIDLike | None = None, provision: bool = False, query_params: dict[str, t.Any] | None = None, ) -> GetIdentitiesResponse: r""" Given ``usernames=<U>`` or (exclusive) ``ids=<I>`` as keyword arguments, looks up identity information for the set of identities provided. ``<U>`` and ``<I>`` in this case are comma-delimited strings listing multiple Identity Usernames or Identity IDs, or iterables of strings, each of which is an Identity Username or Identity ID. If Globus Auth's identity auto-provisioning behavior is desired, ``provision=True`` may be specified. Available with any authentication/client type. :param usernames: A username or list of usernames to lookup. Mutually exclusive with ``ids`` :type usernames: str or iterable of str, optional :param ids: An identity ID or list of IDs to lookup. Mutually exclusive with ``usernames`` :type ids: str, UUID, or iterable of str or UUID, optional :param provision: Create identities if they do not exist, allowing clients to get username-to-identity mappings prior to the identity being used :type provision: bool :param query_params: Any additional parameters to be passed through as query params. :type query_params: dict, optional .. tab-set:: .. tab-item:: Example Usage .. code-block:: pycon >>> ac = globus_sdk.AuthClient(...) >>> # get by ID >>> r = ac.get_identities(ids="46bd0f56-e24f-11e5-a510-131bef46955c") >>> r.data { 'identities': [ { 'email': None, 'id': '46bd0f56-e24f-11e5-a510-131bef46955c', 'identity_provider': '7daddf46-70c5-45ee-9f0f-7244fe7c8707', 'name': None, 'organization': None, 'status': 'unused', 'username': 'globus@globus.org' } ] } >>> ac.get_identities( ... ids=",".join( ... ("46bd0f56-e24f-11e5-a510-131bef46955c", "168edc3d-c6ba-478c-9cf8-541ff5ebdc1c") ... ) ... ) >>> # or by usernames >>> ac.get_identities(usernames="globus@globus.org") >>> ac.get_identities(usernames="globus@globus.org,auth@globus.org") You could also use iterables: .. code-block:: python ac.get_identities(usernames=["globus@globus.org", "auth@globus.org"]) ac.get_identities( ids=["46bd0f56-e24f-11e5-a510-131bef46955c", "168edc3d-c6ba-478c-9cf8-541ff5ebdc1c"] ) The result itself is iterable, so you can use it like so: .. code-block:: python for identity in ac.get_identities(usernames=["globus@globus.org", "auth@globus.org"]): print(identity["id"]) .. tab-item:: API Info ``GET /v2/api/identities`` .. extdoclink:: Get Identities :ref: auth/reference/#v2_api_identities_resources """ # noqa: E501 def _convert_listarg( val: (t.Iterable[IntLike | UUIDLike] | IntLike | UUIDLike), ) -> str: if isinstance(val, collections.abc.Iterable): return ",".join(utils.safe_strseq_iter(val)) return str(val) log.info("Looking up Globus Auth Identities") if query_params is None: query_params = {} # if either of these params has a truthy value, stringify it safely, # letting us consume args whose `__str__` methods produce "the right # thing" # most notably, lets `ids` take a single UUID object safely if usernames: query_params["usernames"] = _convert_listarg(usernames) query_params["provision"] = ( "false" if str(provision).lower() == "false" else "true" ) if ids: query_params["ids"] = _convert_listarg(ids) log.debug(f"query_params={query_params}") if "usernames" in query_params and "ids" in query_params: log.warning( "get_identities call with both usernames and " "identities set! Expected to result in errors" ) return GetIdentitiesResponse( self.get("/v2/api/identities", query_params=query_params) )
[docs] def oauth2_get_authorize_url( self, *, query_params: dict[str, t.Any] | None = None ) -> str: """ Get the authorization URL to which users should be sent. This method may only be called after ``oauth2_start_flow`` has been called on this ``AuthClient``. :param query_params: Additional query parameters to include in the authorize URL. Primarily for internal use :type query_params: dict, optional :rtype: ``string`` """ if not self.current_oauth2_flow_manager: log.error("OutOfOrderOperations(get_authorize_url before start_flow)") raise exc.GlobusSDKUsageError( "Cannot get authorize URL until starting an OAuth2 flow. " "Call the oauth2_start_flow() method on this " "AuthClient to resolve" ) auth_url = self.current_oauth2_flow_manager.get_authorize_url( query_params=query_params ) log.info(f"Got authorization URL: {auth_url}") return auth_url
[docs] def oauth2_exchange_code_for_tokens(self, auth_code: str) -> OAuthTokenResponse: """ Exchange an authorization code for a token or tokens. :rtype: :class:`OAuthTokenResponse <.OAuthTokenResponse>` :param auth_code: An auth code typically obtained by sending the user to the authorize URL. The code is a very short-lived credential which this method is exchanging for tokens. Tokens are the credentials used to authenticate against Globus APIs. :type auth_code: str """ log.info( "Final Step of 3-legged OAuth2 Flows: " "Exchanging authorization code for token(s)" ) if not self.current_oauth2_flow_manager: log.error("OutOfOrderOperations(exchange_code before start_flow)") raise exc.GlobusSDKUsageError( "Cannot exchange auth code until starting an OAuth2 flow. " "Call the oauth2_start_flow() method on this " "AuthClient to resolve" ) return self.current_oauth2_flow_manager.exchange_code_for_tokens(auth_code)
[docs] def oauth2_refresh_token( self, refresh_token: str, *, body_params: dict[str, t.Any] | None = None, ) -> OAuthTokenResponse: r""" Exchange a refresh token for a :class:`OAuthTokenResponse <.OAuthTokenResponse>`, containing an access token. Does a token call of the form .. code-block:: none refresh_token=<refresh_token> grant_type=refresh_token plus any additional parameters you may specify. :param refresh_token: A Globus Refresh Token as a string :type refresh_token: str :param body_params: A dict of extra params to encode in the refresh call. :type body_params: dict, optional """ log.info("Executing token refresh; typically requires client credentials") form_data = {"refresh_token": refresh_token, "grant_type": "refresh_token"} return self.oauth2_token(form_data, body_params=body_params)
[docs] def oauth2_validate_token( self, token: str, *, body_params: dict[str, t.Any] | None = None, ) -> GlobusHTTPResponse: """ Validate a token. It can be an Access Token or a Refresh token. This call can be used to check tokens issued to your client, confirming that they are or are not still valid. The resulting response has the form ``{"active": True}`` when the token is valid, and ``{"active": False}`` when it is not. It is not necessary to validate tokens immediately after receiving them from the service -- any tokens which you are issued will be valid at that time. This is more for the purpose of doing checks like - confirm that ``oauth2_revoke_token`` succeeded - at application boot, confirm no need to do fresh login :param token: The token which should be validated. Can be a refresh token or an access token :type token: str :param body_params: Additional parameters to include in the validation body. Primarily for internal use :type body_params: dict, optional **Examples** Revoke a token and confirm that it is no longer active: >>> from globus_sdk import ConfidentialAppAuthClient >>> ac = ConfidentialAppAuthClient(CLIENT_ID, CLIENT_SECRET) >>> ac.oauth2_revoke_token('<token_string>') >>> data = ac.oauth2_validate_token('<token_string>') >>> assert not data['active'] During application boot, check if the user needs to do a login, even if a token is present: >>> from globus_sdk import ConfidentialAppAuthClient >>> ac = ConfidentialAppAuthClient(CLIENT_ID, CLIENT_SECRET) >>> # this is not an SDK function, but a hypothetical function which >>> # you use to load a token out of configuration data >>> tok = load_token_from_config(...) >>> >>> if not tok or not ac.oauth2_validate_token(tok)['active']: >>> # do_new_login() is another hypothetical helper >>> tok = do_new_login() >>> # at this point, tok is expected to be a valid token """ log.info("Validating token") body = {"token": token} # if this client has no way of authenticating itself but # it does have a client_id, we'll send that in the request no_authentication = self.authorizer is None or isinstance( self.authorizer, NullAuthorizer ) if no_authentication and self.client_id: log.debug("Validating token with unauthenticated client") body.update({"client_id": self.client_id}) if body_params: body.update(body_params) return self.post("/v2/oauth2/token/validate", data=body, encoding="form")
[docs] def oauth2_revoke_token( self, token: str, *, body_params: dict[str, t.Any] | None = None, ) -> GlobusHTTPResponse: """ Revoke a token. It can be an Access Token or a Refresh token. This call should be used to revoke tokens issued to your client, rendering them inert and not further usable. Typically, this is incorporated into "logout" functionality, but it should also be used if the client detects that its tokens are in an unsafe location (e.x. found in a world-readable logfile). You can check the "active" status of the token after revocation if you want to confirm that it was revoked. :param token: The token which should be revoked :type token: str :param body_params: Additional parameters to include in the revocation body, which can help speed the revocation process. Primarily for internal use :type body_params: dict, optional **Examples** >>> from globus_sdk import ConfidentialAppAuthClient >>> ac = ConfidentialAppAuthClient(CLIENT_ID, CLIENT_SECRET) >>> ac.oauth2_revoke_token('<token_string>') """ log.info("Revoking token") body = {"token": token} # if this client has no way of authenticating itself but # it does have a client_id, we'll send that in the request no_authentication = self.authorizer is None or isinstance( self.authorizer, NullAuthorizer ) if no_authentication and self.client_id: log.debug("Revoking token with unauthenticated client") body.update({"client_id": self.client_id}) if body_params: body.update(body_params) return self.post("/v2/oauth2/token/revoke", data=body, encoding="form")
@t.overload def oauth2_token( self, form_data: dict[str, t.Any] | utils.PayloadWrapper, ) -> OAuthTokenResponse: ... @t.overload def oauth2_token( self, form_data: dict[str, t.Any] | utils.PayloadWrapper, *, body_params: dict[str, t.Any] | None, ) -> OAuthTokenResponse: ... @t.overload def oauth2_token( self, form_data: dict[str, t.Any] | utils.PayloadWrapper, *, response_class: type[RT], ) -> RT: ... @t.overload def oauth2_token( self, form_data: dict[str, t.Any] | utils.PayloadWrapper, *, body_params: dict[str, t.Any] | None, response_class: type[RT], ) -> RT: ...
[docs] def oauth2_token( self, form_data: dict[str, t.Any] | utils.PayloadWrapper, *, body_params: dict[str, t.Any] | None = None, response_class: (type[OAuthTokenResponse] | type[RT]) = OAuthTokenResponse, ) -> OAuthTokenResponse | RT: """ This is the generic form of calling the OAuth2 Token endpoint. It takes ``form_data``, a dict which will be encoded in a form POST body on the request. Generally, users of the SDK should not call this method unless they are implementing OAuth2 flows. :param response_class: This is used by calls to the oauth2_token endpoint which need to specialize their responses. For example, :meth:`oauth2_get_dependent_tokens \ <globus_sdk.ConfidentialAppAuthClient.oauth2_get_dependent_tokens>` requires a specialize response class to handle the dramatically different format of the Dependent Token Grant response :type response_class: class, optional :param form_data: The main body of the request :type form_data: dict or `utils.PayloadWrapper` :param body_params: Any additional parameters to be passed through as body parameters. :type body_params: dict, optional :rtype: ``response_class`` """ log.info("Fetching new token from Globus Auth") # use the fact that requests implicitly encodes the `data` parameter as # a form POST data = dict(form_data) if body_params: data.update(body_params) return response_class( self.post( "/v2/oauth2/token", data=data, encoding="form", ) )
[docs] def oauth2_userinfo(self) -> GlobusHTTPResponse: """ Call the Userinfo endpoint of Globus Auth. Userinfo is specified as part of the OpenID Connect (OIDC) standard, and Globus Auth's Userinfo is OIDC-compliant. The exact data returned will depend upon the set of OIDC-related scopes which were used to acquire the token being used for this call. For details, see the **API Info** below. .. tab-set:: .. tab-item:: Example Usage .. code-block:: python ac = AuthClient(...) info = ac.oauth2_userinfo() print( 'Effective Identity "{info["sub"]}" has ' f'Full Name "{info["name"]}" and ' f'Email "{info["email"]}"' ) .. tab-item:: API Info ``GET /v2/oauth2/userinfo`` .. extdoclink:: Get Userinfo :ref: auth/reference/#get_or_post_v2_oauth2_userinfo_resource """ log.info("Looking up OIDC-style Userinfo from Globus Auth") return self.get("/v2/oauth2/userinfo")
[docs] def get_openid_configuration(self) -> GlobusHTTPResponse: """ Fetch the OpenID Connect configuration data from the well-known URI for Globus Auth. """ log.info("Fetching OIDC Config") return self.get("/.well-known/openid-configuration")
@t.overload def get_jwk( self, openid_configuration: None | (GlobusHTTPResponse | dict[str, t.Any]), *, as_pem: Literal[True], ) -> RSAPublicKey: ... @t.overload def get_jwk( self, openid_configuration: None | (GlobusHTTPResponse | dict[str, t.Any]), *, as_pem: Literal[False], ) -> dict[str, t.Any]: ...
[docs] def get_jwk( self, openid_configuration: None | (GlobusHTTPResponse | dict[str, t.Any]) = None, *, as_pem: bool = False, ) -> RSAPublicKey | dict[str, t.Any]: """ Fetch the Globus Auth JWK. Returns either a dict or an RSA Public Key object depending on ``as_pem``. :param openid_configuration: The OIDC config as a GlobusHTTPResponse or dict. When not provided, it will be fetched automatically. :type openid_configuration: dict or GlobusHTTPResponse :param as_pem: Decode the JWK to an RSA PEM key, typically for JWT decoding :type as_pem: bool """ log.info("Fetching JWK") if openid_configuration: jwks_uri = openid_configuration["jwks_uri"] else: log.debug("No OIDC Config provided, autofetching...") jwks_uri = self.get_openid_configuration()["jwks_uri"] log.debug("jwks_uri=%s", jwks_uri) jwk_data = self.get(jwks_uri).data if not as_pem: log.debug("returning jwk data where as_pem=False") return dict(jwk_data) else: log.debug("JWK as_pem=True requested, decoding...") # decode from JWK to an RSA PEM key for JWT decoding # cast here because this should never be private key jwk_as_pem: RSAPublicKey = t.cast( RSAPublicKey, jwt.algorithms.RSAAlgorithm.from_jwk(json.dumps(jwk_data["keys"][0])), ) log.debug("JWK PEM decoding finished successfully") return jwk_as_pem