blob: 8165ddad7767876f071a6db24caf75c2610b8316 [file] [log] [blame]
C.J. Collier37141e42020-02-13 13:49:49 -08001# Copyright 2016 Google LLC
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -07002#
3# Licensed under the Apache License, Version 2.0 (the "License");
4# you may not use this file except in compliance with the License.
5# You may obtain a copy of the License at
6#
7# http://www.apache.org/licenses/LICENSE-2.0
8#
9# Unless required by applicable law or agreed to in writing, software
10# distributed under the License is distributed on an "AS IS" BASIS,
11# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
12# See the License for the specific language governing permissions and
13# limitations under the License.
14
15"""JSON Web Tokens
16
17Provides support for creating (encoding) and verifying (decoding) JWTs,
18especially JWTs generated and consumed by Google infrastructure.
19
20See `rfc7519`_ for more details on JWTs.
21
Jon Wayne Parrott7eeab7d2016-10-12 15:02:37 -070022To encode a JWT use :func:`encode`::
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -070023
Marco Rougeth7e1270b2018-02-28 20:13:56 -030024 from google.auth import crypt
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -070025 from google.auth import jwt
26
27 signer = crypt.Signer(private_key)
28 payload = {'some': 'payload'}
29 encoded = jwt.encode(signer, payload)
30
Jon Wayne Parrott7eeab7d2016-10-12 15:02:37 -070031To decode a JWT and verify claims use :func:`decode`::
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -070032
33 claims = jwt.decode(encoded, certs=public_certs)
34
35You can also skip verification::
36
37 claims = jwt.decode(encoded, verify=False)
38
39.. _rfc7519: https://tools.ietf.org/html/rfc7519
40
41"""
42
Jay Leec5a33952020-01-17 11:18:47 -080043try:
44 from collections.abc import Mapping
Bu Sun Kim0ca0ee52020-01-18 00:38:49 -080045# Python 2.7 compatibility
46except ImportError: # pragma: NO COVER
Jay Leec5a33952020-01-17 11:18:47 -080047 from collections import Mapping
Jon Wayne Parrott75c78b22017-03-23 13:14:53 -070048import copy
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -070049import datetime
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -070050import json
51
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -070052import cachetools
Danny Hermes895e3692017-11-09 11:35:57 -080053import six
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -070054from six.moves import urllib
55
Jon Wayne Parrott54a85172016-10-17 11:27:37 -070056from google.auth import _helpers
Jon Wayne Parrott807032c2016-10-18 09:38:26 -070057from google.auth import _service_account_info
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -070058from google.auth import crypt
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -070059from google.auth import exceptions
Jon Wayne Parrottb8f48d02017-02-24 09:03:24 -080060import google.auth.credentials
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -070061
Thea Flowerse290a3d2020-04-01 10:11:42 -070062try:
63 from google.auth.crypt import es256
64except ImportError: # pragma: NO COVER
65 es256 = None
66
Jon Wayne Parrotte60c1242017-03-23 16:00:24 -070067_DEFAULT_TOKEN_LIFETIME_SECS = 3600 # 1 hour in seconds
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -070068_DEFAULT_MAX_CACHE_SIZE = 10
Thea Flowerse290a3d2020-04-01 10:11:42 -070069_ALGORITHM_TO_VERIFIER_CLASS = {"RS256": crypt.RSAVerifier}
arithmetic1728866d9262020-05-05 12:53:37 -070070_CRYPTOGRAPHY_BASED_ALGORITHMS = frozenset(["ES256"])
Thea Flowerse290a3d2020-04-01 10:11:42 -070071
72if es256 is not None: # pragma: NO COVER
73 _ALGORITHM_TO_VERIFIER_CLASS["ES256"] = es256.ES256Verifier
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -070074
75
76def encode(signer, payload, header=None, key_id=None):
77 """Make a signed JWT.
78
79 Args:
80 signer (google.auth.crypt.Signer): The signer used to sign the JWT.
Jon Wayne Parrott7eeab7d2016-10-12 15:02:37 -070081 payload (Mapping[str, str]): The JWT payload.
82 header (Mapping[str, str]): Additional JWT header payload.
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -070083 key_id (str): The key id to add to the JWT header. If the
84 signer has a key id it will be used as the default. If this is
85 specified it will override the signer's key id.
86
87 Returns:
88 bytes: The encoded JWT.
89 """
90 if header is None:
91 header = {}
92
93 if key_id is None:
94 key_id = signer.key_id
95
Thea Flowerse290a3d2020-04-01 10:11:42 -070096 header.update({"typ": "JWT"})
97
arithmetic17280a837062021-04-08 10:58:38 -070098 if "alg" not in header:
99 if es256 is not None and isinstance(signer, es256.ES256Signer):
100 header.update({"alg": "ES256"})
101 else:
102 header.update({"alg": "RS256"})
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700103
104 if key_id is not None:
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700105 header["kid"] = key_id
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700106
107 segments = [
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700108 _helpers.unpadded_urlsafe_b64encode(json.dumps(header).encode("utf-8")),
109 _helpers.unpadded_urlsafe_b64encode(json.dumps(payload).encode("utf-8")),
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700110 ]
111
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700112 signing_input = b".".join(segments)
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700113 signature = signer.sign(signing_input)
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700114 segments.append(_helpers.unpadded_urlsafe_b64encode(signature))
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700115
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700116 return b".".join(segments)
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700117
118
119def _decode_jwt_segment(encoded_section):
120 """Decodes a single JWT segment."""
Jon Wayne Parrott97eb8702016-11-17 09:43:16 -0800121 section_bytes = _helpers.padded_urlsafe_b64decode(encoded_section)
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700122 try:
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700123 return json.loads(section_bytes.decode("utf-8"))
Danny Hermes895e3692017-11-09 11:35:57 -0800124 except ValueError as caught_exc:
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700125 new_exc = ValueError("Can't parse segment: {0}".format(section_bytes))
Danny Hermes895e3692017-11-09 11:35:57 -0800126 six.raise_from(new_exc, caught_exc)
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700127
128
129def _unverified_decode(token):
130 """Decodes a token and does no verification.
131
132 Args:
133 token (Union[str, bytes]): The encoded JWT.
134
135 Returns:
Danny Hermes48c85f72016-11-08 09:30:44 -0800136 Tuple[str, str, str, str]: header, payload, signed_section, and
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700137 signature.
138
139 Raises:
140 ValueError: if there are an incorrect amount of segments in the token.
141 """
142 token = _helpers.to_bytes(token)
143
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700144 if token.count(b".") != 2:
145 raise ValueError("Wrong number of segments in token: {0}".format(token))
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700146
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700147 encoded_header, encoded_payload, signature = token.split(b".")
148 signed_section = encoded_header + b"." + encoded_payload
Jon Wayne Parrott97eb8702016-11-17 09:43:16 -0800149 signature = _helpers.padded_urlsafe_b64decode(signature)
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700150
151 # Parse segments
152 header = _decode_jwt_segment(encoded_header)
153 payload = _decode_jwt_segment(encoded_payload)
154
155 return header, payload, signed_section, signature
156
157
158def decode_header(token):
159 """Return the decoded header of a token.
160
161 No verification is done. This is useful to extract the key id from
162 the header in order to acquire the appropriate certificate to verify
163 the token.
164
165 Args:
166 token (Union[str, bytes]): the encoded JWT.
167
168 Returns:
169 Mapping: The decoded JWT header.
170 """
171 header, _, _, _ = _unverified_decode(token)
172 return header
173
174
175def _verify_iat_and_exp(payload):
Jon Wayne Parrott7eeab7d2016-10-12 15:02:37 -0700176 """Verifies the ``iat`` (Issued At) and ``exp`` (Expires) claims in a token
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700177 payload.
178
179 Args:
Jon Wayne Parrott7eeab7d2016-10-12 15:02:37 -0700180 payload (Mapping[str, str]): The JWT payload.
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700181
182 Raises:
183 ValueError: if any checks failed.
184 """
185 now = _helpers.datetime_to_secs(_helpers.utcnow())
186
Jon Wayne Parrotte60c1242017-03-23 16:00:24 -0700187 # Make sure the iat and exp claims are present.
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700188 for key in ("iat", "exp"):
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700189 if key not in payload:
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700190 raise ValueError("Token does not contain required claim {}".format(key))
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700191
Jon Wayne Parrotte60c1242017-03-23 16:00:24 -0700192 # Make sure the token wasn't issued in the future.
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700193 iat = payload["iat"]
Jon Wayne Parrotte60c1242017-03-23 16:00:24 -0700194 # Err on the side of accepting a token that is slightly early to account
195 # for clock skew.
196 earliest = iat - _helpers.CLOCK_SKEW_SECS
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700197 if now < earliest:
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700198 raise ValueError("Token used too early, {} < {}".format(now, iat))
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700199
Jon Wayne Parrotte60c1242017-03-23 16:00:24 -0700200 # Make sure the token wasn't issued in the past.
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700201 exp = payload["exp"]
Jon Wayne Parrotte60c1242017-03-23 16:00:24 -0700202 # Err on the side of accepting a token that is slightly out of date
203 # to account for clow skew.
204 latest = exp + _helpers.CLOCK_SKEW_SECS
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700205 if latest < now:
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700206 raise ValueError("Token expired, {} < {}".format(latest, now))
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700207
208
209def decode(token, certs=None, verify=True, audience=None):
210 """Decode and verify a JWT.
211
212 Args:
Jon Wayne Parrott7eeab7d2016-10-12 15:02:37 -0700213 token (str): The encoded JWT.
214 certs (Union[str, bytes, Mapping[str, Union[str, bytes]]]): The
Tianzi Cai2c6ad782019-03-29 13:49:06 -0700215 certificate used to validate the JWT signature. If bytes or string,
Jon Wayne Parrott7eeab7d2016-10-12 15:02:37 -0700216 it must the the public key certificate in PEM format. If a mapping,
217 it must be a mapping of key IDs to public key certificates in PEM
218 format. The mapping must contain the same key ID that's specified
219 in the token's header.
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700220 verify (bool): Whether to perform signature and claim validation.
221 Verification is done by default.
222 audience (str): The audience claim, 'aud', that this JWT should
223 contain. If None then the JWT's 'aud' parameter is not verified.
224
225 Returns:
Jon Wayne Parrott7eeab7d2016-10-12 15:02:37 -0700226 Mapping[str, str]: The deserialized JSON payload in the JWT.
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700227
228 Raises:
229 ValueError: if any verification checks failed.
230 """
231 header, payload, signed_section, signature = _unverified_decode(token)
232
233 if not verify:
234 return payload
235
Thea Flowerse290a3d2020-04-01 10:11:42 -0700236 # Pluck the key id and algorithm from the header and make sure we have
237 # a verifier that can support it.
238 key_alg = header.get("alg")
239 key_id = header.get("kid")
240
241 try:
242 verifier_cls = _ALGORITHM_TO_VERIFIER_CLASS[key_alg]
243 except KeyError as exc:
244 if key_alg in _CRYPTOGRAPHY_BASED_ALGORITHMS:
245 six.raise_from(
246 ValueError(
247 "The key algorithm {} requires the cryptography package "
248 "to be installed.".format(key_alg)
249 ),
250 exc,
251 )
252 else:
253 six.raise_from(
254 ValueError("Unsupported signature algorithm {}".format(key_alg)), exc
255 )
256
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700257 # If certs is specified as a dictionary of key IDs to certificates, then
258 # use the certificate identified by the key ID in the token header.
Jay Leec5a33952020-01-17 11:18:47 -0800259 if isinstance(certs, Mapping):
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700260 if key_id:
261 if key_id not in certs:
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700262 raise ValueError("Certificate for key id {} not found.".format(key_id))
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700263 certs_to_check = [certs[key_id]]
264 # If there's no key id in the header, check against all of the certs.
265 else:
266 certs_to_check = certs.values()
267 else:
268 certs_to_check = certs
269
270 # Verify that the signature matches the message.
Thea Flowerse290a3d2020-04-01 10:11:42 -0700271 if not crypt.verify_signature(
272 signed_section, signature, certs_to_check, verifier_cls
273 ):
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700274 raise ValueError("Could not verify token signature.")
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700275
276 # Verify the issued at and created times in the payload.
277 _verify_iat_and_exp(payload)
278
279 # Check audience.
280 if audience is not None:
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700281 claim_audience = payload.get("aud")
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700282 if audience != claim_audience:
283 raise ValueError(
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700284 "Token has wrong audience {}, expected {}".format(
285 claim_audience, audience
286 )
287 )
Jon Wayne Parrott5824ad82016-10-06 09:27:44 -0700288
289 return payload
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700290
291
Bu Sun Kim41599ae2020-09-02 12:55:42 -0600292class Credentials(
293 google.auth.credentials.Signing, google.auth.credentials.CredentialsWithQuotaProject
294):
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700295 """Credentials that use a JWT as the bearer token.
296
297 These credentials require an "audience" claim. This claim identifies the
Jon Wayne Parrottab086892017-02-23 09:20:14 -0800298 intended recipient of the bearer token.
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700299
300 The constructor arguments determine the claims for the JWT that is
301 sent with requests. Usually, you'll construct these credentials with
302 one of the helper constructors as shown in the next section.
303
304 To create JWT credentials using a Google service account private key
305 JSON file::
306
Jon Wayne Parrottb8f48d02017-02-24 09:03:24 -0800307 audience = 'https://pubsub.googleapis.com/google.pubsub.v1.Publisher'
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700308 credentials = jwt.Credentials.from_service_account_file(
Jon Wayne Parrottab086892017-02-23 09:20:14 -0800309 'service-account.json',
Jon Wayne Parrottb8f48d02017-02-24 09:03:24 -0800310 audience=audience)
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700311
312 If you already have the service account file loaded and parsed::
313
314 service_account_info = json.load(open('service_account.json'))
315 credentials = jwt.Credentials.from_service_account_info(
Jon Wayne Parrottab086892017-02-23 09:20:14 -0800316 service_account_info,
Jon Wayne Parrottb8f48d02017-02-24 09:03:24 -0800317 audience=audience)
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700318
319 Both helper methods pass on arguments to the constructor, so you can
320 specify the JWT claims::
321
322 credentials = jwt.Credentials.from_service_account_file(
323 'service-account.json',
Jon Wayne Parrottb8f48d02017-02-24 09:03:24 -0800324 audience=audience,
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700325 additional_claims={'meta': 'data'})
326
327 You can also construct the credentials directly if you have a
328 :class:`~google.auth.crypt.Signer` instance::
329
330 credentials = jwt.Credentials(
Jon Wayne Parrottab086892017-02-23 09:20:14 -0800331 signer,
332 issuer='your-issuer',
333 subject='your-subject',
Jon Wayne Parrottb8f48d02017-02-24 09:03:24 -0800334 audience=audience)
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700335
336 The claims are considered immutable. If you want to modify the claims,
337 you can easily create another instance using :meth:`with_claims`::
338
Jon Wayne Parrottb8f48d02017-02-24 09:03:24 -0800339 new_audience = (
340 'https://pubsub.googleapis.com/google.pubsub.v1.Subscriber')
341 new_credentials = credentials.with_claims(audience=new_audience)
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700342 """
343
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700344 def __init__(
345 self,
346 signer,
347 issuer,
348 subject,
349 audience,
350 additional_claims=None,
351 token_lifetime=_DEFAULT_TOKEN_LIFETIME_SECS,
Bu Sun Kim3dda7b22020-07-09 10:39:39 -0700352 quota_project_id=None,
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700353 ):
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700354 """
355 Args:
356 signer (google.auth.crypt.Signer): The signer used to sign JWTs.
357 issuer (str): The `iss` claim.
358 subject (str): The `sub` claim.
359 audience (str): the `aud` claim. The intended audience for the
Jon Wayne Parrottab086892017-02-23 09:20:14 -0800360 credentials.
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700361 additional_claims (Mapping[str, str]): Any additional claims for
362 the JWT payload.
363 token_lifetime (int): The amount of time in seconds for
364 which the token is valid. Defaults to 1 hour.
Bu Sun Kim3dda7b22020-07-09 10:39:39 -0700365 quota_project_id (Optional[str]): The project ID used for quota
366 and billing.
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700367 """
368 super(Credentials, self).__init__()
369 self._signer = signer
370 self._issuer = issuer
371 self._subject = subject
372 self._audience = audience
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700373 self._token_lifetime = token_lifetime
Bu Sun Kim3dda7b22020-07-09 10:39:39 -0700374 self._quota_project_id = quota_project_id
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700375
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700376 if additional_claims is None:
377 additional_claims = {}
378
379 self._additional_claims = additional_claims
Danny Hermes93d1aa42016-10-17 13:15:07 -0700380
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700381 @classmethod
Jon Wayne Parrott807032c2016-10-18 09:38:26 -0700382 def _from_signer_and_info(cls, signer, info, **kwargs):
383 """Creates a Credentials instance from a signer and service account
384 info.
385
386 Args:
387 signer (google.auth.crypt.Signer): The signer used to sign JWTs.
388 info (Mapping[str, str]): The service account info.
389 kwargs: Additional arguments to pass to the constructor.
390
391 Returns:
392 google.auth.jwt.Credentials: The constructed credentials.
393
394 Raises:
395 ValueError: If the info is not in the expected format.
396 """
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700397 kwargs.setdefault("subject", info["client_email"])
398 kwargs.setdefault("issuer", info["client_email"])
Jon Wayne Parrottab086892017-02-23 09:20:14 -0800399 return cls(signer, **kwargs)
Jon Wayne Parrott807032c2016-10-18 09:38:26 -0700400
401 @classmethod
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700402 def from_service_account_info(cls, info, **kwargs):
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700403 """Creates an Credentials instance from a dictionary.
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700404
405 Args:
406 info (Mapping[str, str]): The service account info in Google
407 format.
408 kwargs: Additional arguments to pass to the constructor.
409
410 Returns:
411 google.auth.jwt.Credentials: The constructed credentials.
412
413 Raises:
414 ValueError: If the info is not in the expected format.
415 """
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700416 signer = _service_account_info.from_dict(info, require=["client_email"])
Jon Wayne Parrott807032c2016-10-18 09:38:26 -0700417 return cls._from_signer_and_info(signer, info, **kwargs)
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700418
419 @classmethod
420 def from_service_account_file(cls, filename, **kwargs):
Jon Wayne Parrott807032c2016-10-18 09:38:26 -0700421 """Creates a Credentials instance from a service account .json file
422 in Google format.
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700423
424 Args:
Jon Wayne Parrott807032c2016-10-18 09:38:26 -0700425 filename (str): The path to the service account .json file.
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700426 kwargs: Additional arguments to pass to the constructor.
427
428 Returns:
429 google.auth.jwt.Credentials: The constructed credentials.
430 """
Jon Wayne Parrott807032c2016-10-18 09:38:26 -0700431 info, signer = _service_account_info.from_filename(
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700432 filename, require=["client_email"]
433 )
Jon Wayne Parrott807032c2016-10-18 09:38:26 -0700434 return cls._from_signer_and_info(signer, info, **kwargs)
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700435
Jon Wayne Parrottb8f48d02017-02-24 09:03:24 -0800436 @classmethod
437 def from_signing_credentials(cls, credentials, audience, **kwargs):
438 """Creates a new :class:`google.auth.jwt.Credentials` instance from an
439 existing :class:`google.auth.credentials.Signing` instance.
440
441 The new instance will use the same signer as the existing instance and
442 will use the existing instance's signer email as the issuer and
443 subject by default.
444
445 Example::
446
447 svc_creds = service_account.Credentials.from_service_account_file(
448 'service_account.json')
449 audience = (
450 'https://pubsub.googleapis.com/google.pubsub.v1.Publisher')
451 jwt_creds = jwt.Credentials.from_signing_credentials(
452 svc_creds, audience=audience)
453
454 Args:
455 credentials (google.auth.credentials.Signing): The credentials to
456 use to construct the new credentials.
457 audience (str): the `aud` claim. The intended audience for the
458 credentials.
459 kwargs: Additional arguments to pass to the constructor.
460
461 Returns:
462 google.auth.jwt.Credentials: A new Credentials instance.
463 """
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700464 kwargs.setdefault("issuer", credentials.signer_email)
465 kwargs.setdefault("subject", credentials.signer_email)
466 return cls(credentials.signer, audience=audience, **kwargs)
Jon Wayne Parrottb8f48d02017-02-24 09:03:24 -0800467
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700468 def with_claims(
469 self, issuer=None, subject=None, audience=None, additional_claims=None
470 ):
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700471 """Returns a copy of these credentials with modified claims.
472
473 Args:
474 issuer (str): The `iss` claim. If unspecified the current issuer
475 claim will be used.
476 subject (str): The `sub` claim. If unspecified the current subject
477 claim will be used.
Jon Wayne Parrottab086892017-02-23 09:20:14 -0800478 audience (str): the `aud` claim. If unspecified the current
479 audience claim will be used.
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700480 additional_claims (Mapping[str, str]): Any additional claims for
481 the JWT payload. This will be merged with the current
482 additional claims.
483
484 Returns:
485 google.auth.jwt.Credentials: A new credentials instance.
486 """
Jon Wayne Parrott75c78b22017-03-23 13:14:53 -0700487 new_additional_claims = copy.deepcopy(self._additional_claims)
488 new_additional_claims.update(additional_claims or {})
489
Christophe Tatonb649b432018-02-08 14:12:23 -0800490 return self.__class__(
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700491 self._signer,
492 issuer=issuer if issuer is not None else self._issuer,
493 subject=subject if subject is not None else self._subject,
494 audience=audience if audience is not None else self._audience,
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700495 additional_claims=new_additional_claims,
Bu Sun Kim3dda7b22020-07-09 10:39:39 -0700496 quota_project_id=self._quota_project_id,
497 )
498
Bu Sun Kim41599ae2020-09-02 12:55:42 -0600499 @_helpers.copy_docstring(google.auth.credentials.CredentialsWithQuotaProject)
Bu Sun Kim3dda7b22020-07-09 10:39:39 -0700500 def with_quota_project(self, quota_project_id):
501 return self.__class__(
502 self._signer,
503 issuer=self._issuer,
504 subject=self._subject,
505 audience=self._audience,
506 additional_claims=self._additional_claims,
507 quota_project_id=quota_project_id,
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700508 )
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700509
Jon Wayne Parrottab086892017-02-23 09:20:14 -0800510 def _make_jwt(self):
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700511 """Make a signed JWT.
512
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700513 Returns:
Danny Hermes48c85f72016-11-08 09:30:44 -0800514 Tuple[bytes, datetime]: The encoded JWT and the expiration.
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700515 """
516 now = _helpers.utcnow()
517 lifetime = datetime.timedelta(seconds=self._token_lifetime)
518 expiry = now + lifetime
519
520 payload = {
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700521 "iss": self._issuer,
522 "sub": self._subject,
523 "iat": _helpers.datetime_to_secs(now),
524 "exp": _helpers.datetime_to_secs(expiry),
525 "aud": self._audience,
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700526 }
527
528 payload.update(self._additional_claims)
529
530 jwt = encode(self._signer, payload)
531
532 return jwt, expiry
533
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700534 def refresh(self, request):
535 """Refreshes the access token.
536
537 Args:
538 request (Any): Unused.
539 """
540 # pylint: disable=unused-argument
541 # (pylint doesn't correctly recognize overridden methods.)
542 self.token, self.expiry = self._make_jwt()
543
Jon Wayne Parrottb8f48d02017-02-24 09:03:24 -0800544 @_helpers.copy_docstring(google.auth.credentials.Signing)
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700545 def sign_bytes(self, message):
Jon Wayne Parrottabcd3ed2016-10-17 11:23:47 -0700546 return self._signer.sign(message)
547
Jon Wayne Parrott4c883f02016-12-02 14:26:33 -0800548 @property
Jon Wayne Parrottb8f48d02017-02-24 09:03:24 -0800549 @_helpers.copy_docstring(google.auth.credentials.Signing)
Jon Wayne Parrott4c883f02016-12-02 14:26:33 -0800550 def signer_email(self):
551 return self._issuer
552
Jon Wayne Parrottd7221672017-02-16 09:05:11 -0800553 @property
Jon Wayne Parrottb8f48d02017-02-24 09:03:24 -0800554 @_helpers.copy_docstring(google.auth.credentials.Signing)
Jon Wayne Parrottd7221672017-02-16 09:05:11 -0800555 def signer(self):
556 return self._signer
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700557
558
559class OnDemandCredentials(
Bu Sun Kim41599ae2020-09-02 12:55:42 -0600560 google.auth.credentials.Signing, google.auth.credentials.CredentialsWithQuotaProject
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700561):
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700562 """On-demand JWT credentials.
563
564 Like :class:`Credentials`, this class uses a JWT as the bearer token for
565 authentication. However, this class does not require the audience at
566 construction time. Instead, it will generate a new token on-demand for
567 each request using the request URI as the audience. It caches tokens
568 so that multiple requests to the same URI do not incur the overhead
569 of generating a new token every time.
570
571 This behavior is especially useful for `gRPC`_ clients. A gRPC service may
572 have multiple audience and gRPC clients may not know all of the audiences
573 required for accessing a particular service. With these credentials,
574 no knowledge of the audiences is required ahead of time.
575
576 .. _grpc: http://www.grpc.io/
577 """
578
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700579 def __init__(
580 self,
581 signer,
582 issuer,
583 subject,
584 additional_claims=None,
585 token_lifetime=_DEFAULT_TOKEN_LIFETIME_SECS,
586 max_cache_size=_DEFAULT_MAX_CACHE_SIZE,
Bu Sun Kim3dda7b22020-07-09 10:39:39 -0700587 quota_project_id=None,
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700588 ):
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700589 """
590 Args:
591 signer (google.auth.crypt.Signer): The signer used to sign JWTs.
592 issuer (str): The `iss` claim.
593 subject (str): The `sub` claim.
594 additional_claims (Mapping[str, str]): Any additional claims for
595 the JWT payload.
596 token_lifetime (int): The amount of time in seconds for
597 which the token is valid. Defaults to 1 hour.
598 max_cache_size (int): The maximum number of JWT tokens to keep in
599 cache. Tokens are cached using :class:`cachetools.LRUCache`.
Bu Sun Kim3dda7b22020-07-09 10:39:39 -0700600 quota_project_id (Optional[str]): The project ID used for quota
601 and billing.
602
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700603 """
604 super(OnDemandCredentials, self).__init__()
605 self._signer = signer
606 self._issuer = issuer
607 self._subject = subject
608 self._token_lifetime = token_lifetime
Bu Sun Kim3dda7b22020-07-09 10:39:39 -0700609 self._quota_project_id = quota_project_id
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700610
611 if additional_claims is None:
612 additional_claims = {}
613
614 self._additional_claims = additional_claims
615 self._cache = cachetools.LRUCache(maxsize=max_cache_size)
616
617 @classmethod
618 def _from_signer_and_info(cls, signer, info, **kwargs):
619 """Creates an OnDemandCredentials instance from a signer and service
620 account info.
621
622 Args:
623 signer (google.auth.crypt.Signer): The signer used to sign JWTs.
624 info (Mapping[str, str]): The service account info.
625 kwargs: Additional arguments to pass to the constructor.
626
627 Returns:
628 google.auth.jwt.OnDemandCredentials: The constructed credentials.
629
630 Raises:
631 ValueError: If the info is not in the expected format.
632 """
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700633 kwargs.setdefault("subject", info["client_email"])
634 kwargs.setdefault("issuer", info["client_email"])
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700635 return cls(signer, **kwargs)
636
637 @classmethod
638 def from_service_account_info(cls, info, **kwargs):
639 """Creates an OnDemandCredentials instance from a dictionary.
640
641 Args:
642 info (Mapping[str, str]): The service account info in Google
643 format.
644 kwargs: Additional arguments to pass to the constructor.
645
646 Returns:
647 google.auth.jwt.OnDemandCredentials: The constructed credentials.
648
649 Raises:
650 ValueError: If the info is not in the expected format.
651 """
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700652 signer = _service_account_info.from_dict(info, require=["client_email"])
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700653 return cls._from_signer_and_info(signer, info, **kwargs)
654
655 @classmethod
656 def from_service_account_file(cls, filename, **kwargs):
657 """Creates an OnDemandCredentials instance from a service account .json
658 file in Google format.
659
660 Args:
661 filename (str): The path to the service account .json file.
662 kwargs: Additional arguments to pass to the constructor.
663
664 Returns:
665 google.auth.jwt.OnDemandCredentials: The constructed credentials.
666 """
667 info, signer = _service_account_info.from_filename(
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700668 filename, require=["client_email"]
669 )
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700670 return cls._from_signer_and_info(signer, info, **kwargs)
671
672 @classmethod
673 def from_signing_credentials(cls, credentials, **kwargs):
674 """Creates a new :class:`google.auth.jwt.OnDemandCredentials` instance
675 from an existing :class:`google.auth.credentials.Signing` instance.
676
677 The new instance will use the same signer as the existing instance and
678 will use the existing instance's signer email as the issuer and
679 subject by default.
680
681 Example::
682
683 svc_creds = service_account.Credentials.from_service_account_file(
684 'service_account.json')
685 jwt_creds = jwt.OnDemandCredentials.from_signing_credentials(
686 svc_creds)
687
688 Args:
689 credentials (google.auth.credentials.Signing): The credentials to
690 use to construct the new credentials.
691 kwargs: Additional arguments to pass to the constructor.
692
693 Returns:
694 google.auth.jwt.Credentials: A new Credentials instance.
695 """
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700696 kwargs.setdefault("issuer", credentials.signer_email)
697 kwargs.setdefault("subject", credentials.signer_email)
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700698 return cls(credentials.signer, **kwargs)
699
700 def with_claims(self, issuer=None, subject=None, additional_claims=None):
701 """Returns a copy of these credentials with modified claims.
702
703 Args:
704 issuer (str): The `iss` claim. If unspecified the current issuer
705 claim will be used.
706 subject (str): The `sub` claim. If unspecified the current subject
707 claim will be used.
708 additional_claims (Mapping[str, str]): Any additional claims for
709 the JWT payload. This will be merged with the current
710 additional claims.
711
712 Returns:
713 google.auth.jwt.OnDemandCredentials: A new credentials instance.
714 """
715 new_additional_claims = copy.deepcopy(self._additional_claims)
716 new_additional_claims.update(additional_claims or {})
717
Christophe Tatonb649b432018-02-08 14:12:23 -0800718 return self.__class__(
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700719 self._signer,
720 issuer=issuer if issuer is not None else self._issuer,
721 subject=subject if subject is not None else self._subject,
722 additional_claims=new_additional_claims,
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700723 max_cache_size=self._cache.maxsize,
Bu Sun Kim3dda7b22020-07-09 10:39:39 -0700724 quota_project_id=self._quota_project_id,
725 )
726
Bu Sun Kim41599ae2020-09-02 12:55:42 -0600727 @_helpers.copy_docstring(google.auth.credentials.CredentialsWithQuotaProject)
Bu Sun Kim3dda7b22020-07-09 10:39:39 -0700728 def with_quota_project(self, quota_project_id):
729
730 return self.__class__(
731 self._signer,
732 issuer=self._issuer,
733 subject=self._subject,
734 additional_claims=self._additional_claims,
735 max_cache_size=self._cache.maxsize,
736 quota_project_id=quota_project_id,
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700737 )
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700738
739 @property
740 def valid(self):
741 """Checks the validity of the credentials.
742
743 These credentials are always valid because it generates tokens on
744 demand.
745 """
746 return True
747
748 def _make_jwt_for_audience(self, audience):
749 """Make a new JWT for the given audience.
750
751 Args:
752 audience (str): The intended audience.
753
754 Returns:
755 Tuple[bytes, datetime]: The encoded JWT and the expiration.
756 """
757 now = _helpers.utcnow()
758 lifetime = datetime.timedelta(seconds=self._token_lifetime)
759 expiry = now + lifetime
760
761 payload = {
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700762 "iss": self._issuer,
763 "sub": self._subject,
764 "iat": _helpers.datetime_to_secs(now),
765 "exp": _helpers.datetime_to_secs(expiry),
766 "aud": audience,
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700767 }
768
769 payload.update(self._additional_claims)
770
771 jwt = encode(self._signer, payload)
772
773 return jwt, expiry
774
775 def _get_jwt_for_audience(self, audience):
776 """Get a JWT For a given audience.
777
778 If there is already an existing, non-expired token in the cache for
779 the audience, that token is used. Otherwise, a new token will be
780 created.
781
782 Args:
783 audience (str): The intended audience.
784
785 Returns:
786 bytes: The encoded JWT.
787 """
788 token, expiry = self._cache.get(audience, (None, None))
789
790 if token is None or expiry < _helpers.utcnow():
791 token, expiry = self._make_jwt_for_audience(audience)
792 self._cache[audience] = token, expiry
793
794 return token
795
796 def refresh(self, request):
797 """Raises an exception, these credentials can not be directly
798 refreshed.
799
800 Args:
801 request (Any): Unused.
802
803 Raises:
804 google.auth.RefreshError
805 """
806 # pylint: disable=unused-argument
807 # (pylint doesn't correctly recognize overridden methods.)
808 raise exceptions.RefreshError(
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700809 "OnDemandCredentials can not be directly refreshed."
810 )
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700811
812 def before_request(self, request, method, url, headers):
813 """Performs credential-specific before request logic.
814
815 Args:
816 request (Any): Unused. JWT credentials do not need to make an
817 HTTP request to refresh.
818 method (str): The request's HTTP method.
819 url (str): The request's URI. This is used as the audience claim
820 when generating the JWT.
821 headers (Mapping): The request's headers.
822 """
823 # pylint: disable=unused-argument
824 # (pylint doesn't correctly recognize overridden methods.)
825 parts = urllib.parse.urlsplit(url)
826 # Strip query string and fragment
827 audience = urllib.parse.urlunsplit(
Bu Sun Kim9eec0912019-10-21 17:04:21 -0700828 (parts.scheme, parts.netloc, parts.path, "", "")
829 )
Jon Wayne Parrottcfbfd252017-03-28 13:03:11 -0700830 token = self._get_jwt_for_audience(audience)
831 self.apply(headers, token=token)
832
833 @_helpers.copy_docstring(google.auth.credentials.Signing)
834 def sign_bytes(self, message):
835 return self._signer.sign(message)
836
837 @property
838 @_helpers.copy_docstring(google.auth.credentials.Signing)
839 def signer_email(self):
840 return self._issuer
841
842 @property
843 @_helpers.copy_docstring(google.auth.credentials.Signing)
844 def signer(self):
845 return self._signer