• Home
  • Features
  • Pricing
  • Docs
  • Announcements
  • Sign In

localstack / localstack / 20300289556

17 Dec 2025 09:47AM UTC coverage: 86.917% (+0.04%) from 86.873%
20300289556

push

github

web-flow
CI: Skip failing DNS unit test (#13536)

69993 of 80529 relevant lines covered (86.92%)

0.87 hits per line

Source File
Press 'n' to go to next uncovered line, 'b' for previous

98.71
/localstack-core/localstack/services/kms/models.py
1
import base64
1✔
2
import datetime
1✔
3
import io
1✔
4
import json
1✔
5
import logging
1✔
6
import os
1✔
7
import random
1✔
8
import re
1✔
9
import struct
1✔
10
import uuid
1✔
11
from collections import namedtuple
1✔
12
from dataclasses import dataclass
1✔
13

14
from cryptography.exceptions import InvalidSignature, InvalidTag, UnsupportedAlgorithm
1✔
15
from cryptography.hazmat.backends import default_backend
1✔
16
from cryptography.hazmat.primitives import hashes, hmac
1✔
17
from cryptography.hazmat.primitives import serialization as crypto_serialization
1✔
18
from cryptography.hazmat.primitives.asymmetric import ec, padding, rsa, utils
1✔
19
from cryptography.hazmat.primitives.asymmetric.ec import EllipticCurvePrivateKey
1✔
20
from cryptography.hazmat.primitives.asymmetric.padding import PSS, PKCS1v15
1✔
21
from cryptography.hazmat.primitives.asymmetric.rsa import RSAPrivateKey
1✔
22
from cryptography.hazmat.primitives.asymmetric.utils import Prehashed
1✔
23
from cryptography.hazmat.primitives.serialization import load_der_public_key
1✔
24

25
from localstack.aws.api.kms import (
1✔
26
    CreateAliasRequest,
27
    CreateGrantRequest,
28
    CreateKeyRequest,
29
    EncryptionContextType,
30
    InvalidCiphertextException,
31
    InvalidKeyUsageException,
32
    KeyMetadata,
33
    KeySpec,
34
    KeyState,
35
    KeyUsageType,
36
    KMSInvalidMacException,
37
    KMSInvalidSignatureException,
38
    LimitExceededException,
39
    MacAlgorithmSpec,
40
    MessageType,
41
    MultiRegionConfiguration,
42
    MultiRegionKey,
43
    MultiRegionKeyType,
44
    OriginType,
45
    ReplicateKeyRequest,
46
    SigningAlgorithmSpec,
47
    TagList,
48
    UnsupportedOperationException,
49
)
50
from localstack.constants import TAG_KEY_CUSTOM_ID
1✔
51
from localstack.services.kms.exceptions import TagException, ValidationException
1✔
52
from localstack.services.kms.utils import is_valid_key_arn, validate_tag
1✔
53
from localstack.services.stores import AccountRegionBundle, BaseStore, LocalAttribute
1✔
54
from localstack.utils.aws.arns import get_partition, kms_alias_arn, kms_key_arn
1✔
55
from localstack.utils.crypto import decrypt, encrypt
1✔
56
from localstack.utils.strings import long_uid, to_bytes, to_str
1✔
57

58
LOG = logging.getLogger(__name__)
1✔
59

60
PATTERN_UUID = re.compile(
1✔
61
    r"^[a-fA-F0-9]{8}-[a-fA-F0-9]{4}-[a-fA-F0-9]{4}-[a-fA-F0-9]{4}-[a-fA-F0-9]{12}$"
62
)
63
MULTI_REGION_PATTERN = re.compile(r"^mrk-[a-fA-F0-9]{32}$")
1✔
64

65
SYMMETRIC_DEFAULT_MATERIAL_LENGTH = 32
1✔
66

67
RSA_CRYPTO_KEY_LENGTHS = {
1✔
68
    "RSA_2048": 2048,
69
    "RSA_3072": 3072,
70
    "RSA_4096": 4096,
71
}
72

73
ECC_CURVES = {
1✔
74
    "ECC_NIST_P256": ec.SECP256R1(),
75
    "ECC_NIST_P384": ec.SECP384R1(),
76
    "ECC_NIST_P521": ec.SECP521R1(),
77
    "ECC_SECG_P256K1": ec.SECP256K1(),
78
}
79

80
HMAC_RANGE_KEY_LENGTHS = {
1✔
81
    "HMAC_224": (28, 64),
82
    "HMAC_256": (32, 64),
83
    "HMAC_384": (48, 128),
84
    "HMAC_512": (64, 128),
85
}
86

87
ON_DEMAND_ROTATION_LIMIT = 10
1✔
88
KEY_ID_LEN = 36
1✔
89
# Moto uses IV_LEN of 12, as it is fine for GCM encryption mode, but we use CBC, so have to set it to 16.
90
IV_LEN = 16
1✔
91
TAG_LEN = 16
1✔
92
CIPHERTEXT_HEADER_FORMAT = f">{KEY_ID_LEN}s{IV_LEN}s{TAG_LEN}s"
1✔
93
HEADER_LEN = KEY_ID_LEN + IV_LEN + TAG_LEN
1✔
94
Ciphertext = namedtuple("Ciphertext", ("key_id", "iv", "ciphertext", "tag"))
1✔
95

96
RESERVED_ALIASES = [
1✔
97
    "alias/aws/acm",
98
    "alias/aws/dynamodb",
99
    "alias/aws/ebs",
100
    "alias/aws/elasticfilesystem",
101
    "alias/aws/es",
102
    "alias/aws/glue",
103
    "alias/aws/kinesisvideo",
104
    "alias/aws/lambda",
105
    "alias/aws/rds",
106
    "alias/aws/redshift",
107
    "alias/aws/s3",
108
    "alias/aws/secretsmanager",
109
    "alias/aws/ssm",
110
    "alias/aws/xray",
111
]
112

113
# list of key names that should be skipped when serializing the encryption context
114
IGNORED_CONTEXT_KEYS = ["aws-crypto-public-key"]
1✔
115

116
# special tag name to allow specifying a custom key material for created keys
117
TAG_KEY_CUSTOM_KEY_MATERIAL = "_custom_key_material_"
1✔
118

119

120
def _serialize_ciphertext_blob(ciphertext: Ciphertext) -> bytes:
1✔
121
    header = struct.pack(
1✔
122
        CIPHERTEXT_HEADER_FORMAT,
123
        ciphertext.key_id.encode("utf-8"),
124
        ciphertext.iv,
125
        ciphertext.tag,
126
    )
127
    return header + ciphertext.ciphertext
1✔
128

129

130
def deserialize_ciphertext_blob(ciphertext_blob: bytes) -> Ciphertext:
1✔
131
    header = ciphertext_blob[:HEADER_LEN]
1✔
132
    ciphertext = ciphertext_blob[HEADER_LEN:]
1✔
133
    key_id, iv, tag = struct.unpack(CIPHERTEXT_HEADER_FORMAT, header)
1✔
134
    return Ciphertext(key_id=key_id.decode("utf-8"), iv=iv, ciphertext=ciphertext, tag=tag)
1✔
135

136

137
def _serialize_encryption_context(encryption_context: EncryptionContextType | None) -> bytes:
1✔
138
    if encryption_context:
1✔
139
        aad = io.BytesIO()
1✔
140
        for key, value in sorted(encryption_context.items(), key=lambda x: x[0]):
1✔
141
            # remove the reserved key-value pair from additional authentication data
142
            if key not in IGNORED_CONTEXT_KEYS:
1✔
143
                aad.write(key.encode("utf-8"))
1✔
144
                aad.write(value.encode("utf-8"))
1✔
145
        return aad.getvalue()
1✔
146
    else:
147
        return b""
1✔
148

149

150
# Confusion alert!
151
# In KMS, there are two things that can be called "keys":
152
#   1. A cryptographic key, i.e. a string of characters, a private/public/symmetrical key for cryptographic encoding
153
#   and decoding etc. It is modeled here by KmsCryptoKey class.
154
#   2. An AWS object that stores both a cryptographic key and some relevant metadata, e.g. creation time, a unique ID,
155
#   some state. It is modeled by KmsKey class.
156
#
157
# While KmsKeys always contain KmsCryptoKeys, sometimes KmsCryptoKeys exist without corresponding KmsKeys,
158
# e.g. GenerateDataKeyPair API call returns contents of a new KmsCryptoKey that is not associated with any KmsKey,
159
# but is partially encrypted by some pre-existing KmsKey.
160

161

162
class KmsCryptoKey:
1✔
163
    """
164
    KmsCryptoKeys used to model both of the two cases where AWS generates keys:
165
    1. Keys that are created to be used inside of AWS. For such a key, its key material / private key are not to
166
    leave AWS unencrypted. If they have to leave AWS, a different KmsCryptoKey is used to encrypt the data first.
167
    2. Keys that AWS creates for customers for some external use. Such a key might be returned to a customer with its
168
    key material or public key unencrypted - see KMS GenerateDataKey / GenerateDataKeyPair. But such a key is not stored
169
    by AWS and is not used by AWS.
170
    """
171

172
    public_key: bytes | None
1✔
173
    private_key: bytes | None
1✔
174
    key_material: bytes
1✔
175
    pending_key_material: bytes | None
1✔
176
    key_spec: str
1✔
177

178
    @staticmethod
1✔
179
    def assert_valid(key_spec: str):
1✔
180
        """
181
        Validates that the given ``key_spec`` is supported in the current context.
182

183
        :param key_spec: The key specification to validate.
184
        :type key_spec: str
185
        :raises ValidationException: If ``key_spec`` is not a known valid spec.
186
        :raises UnsupportedOperationException: If ``key_spec`` is entirely unsupported.
187
        """
188

189
        def raise_validation():
1✔
190
            raise ValidationException(
1✔
191
                f"1 validation error detected: Value '{key_spec}' at 'keySpec' "
192
                f"failed to satisfy constraint: Member must satisfy enum value set: "
193
                f"[RSA_2048, ECC_NIST_P384, ECC_NIST_P256, ECC_NIST_P521, HMAC_384, RSA_3072, "
194
                f"ECC_SECG_P256K1, RSA_4096, SYMMETRIC_DEFAULT, HMAC_256, HMAC_224, HMAC_512]"
195
            )
196

197
        if key_spec == "SYMMETRIC_DEFAULT":
1✔
198
            return
1✔
199

200
        if key_spec.startswith("RSA"):
1✔
201
            if key_spec not in RSA_CRYPTO_KEY_LENGTHS:
1✔
202
                raise_validation()
1✔
203
            return
1✔
204

205
        if key_spec.startswith("ECC"):
1✔
206
            if key_spec not in ECC_CURVES:
1✔
207
                raise_validation()
1✔
208
            return
1✔
209

210
        if key_spec.startswith("HMAC"):
1✔
211
            if key_spec not in HMAC_RANGE_KEY_LENGTHS:
1✔
212
                raise_validation()
1✔
213
            return
1✔
214

215
        raise UnsupportedOperationException(f"KeySpec {key_spec} is not supported")
1✔
216

217
    def __init__(self, key_spec: str, key_material: bytes | None = None):
1✔
218
        self.private_key = None
1✔
219
        self.public_key = None
1✔
220
        self.pending_key_material = None
1✔
221
        # Technically, key_material, being a symmetric encryption key, is only relevant for
222
        #   key_spec == SYMMETRIC_DEFAULT.
223
        # But LocalStack uses symmetric encryption with this key_material even for other specs. Asymmetric keys are
224
        # generated, but are not actually used for encryption. Signing is different.
225
        self.key_material = key_material or os.urandom(SYMMETRIC_DEFAULT_MATERIAL_LENGTH)
1✔
226
        self.key_spec = key_spec
1✔
227

228
        KmsCryptoKey.assert_valid(key_spec)
1✔
229

230
        if key_spec == "SYMMETRIC_DEFAULT":
1✔
231
            return
1✔
232

233
        if key_spec.startswith("RSA"):
1✔
234
            key_size = RSA_CRYPTO_KEY_LENGTHS.get(key_spec)
1✔
235
            if key_material:
1✔
236
                key = crypto_serialization.load_der_private_key(key_material, password=None)
1✔
237
            else:
238
                key = rsa.generate_private_key(public_exponent=65537, key_size=key_size)
1✔
239
        elif key_spec.startswith("ECC"):
1✔
240
            curve = ECC_CURVES.get(key_spec)
1✔
241
            if key_material:
1✔
242
                key = crypto_serialization.load_der_private_key(key_material, password=None)
1✔
243
            else:
244
                key = ec.generate_private_key(curve)
1✔
245
        elif key_spec.startswith("HMAC"):
1✔
246
            minimum_length, maximum_length = HMAC_RANGE_KEY_LENGTHS.get(key_spec)
1✔
247
            self.key_material = key_material or os.urandom(
1✔
248
                random.randint(minimum_length, maximum_length)
249
            )
250
            return
1✔
251

252
        self._serialize_key(key)
1✔
253

254
    def load_key_material(self, material: bytes):
1✔
255
        if self.key_spec == KeySpec.SYMMETRIC_DEFAULT:
1✔
256
            self.pending_key_material = material
1✔
257
        elif self.key_spec in [
1✔
258
            KeySpec.HMAC_224,
259
            KeySpec.HMAC_256,
260
            KeySpec.HMAC_384,
261
            KeySpec.HMAC_512,
262
        ]:
263
            self.key_material = material
1✔
264
        else:
265
            key = crypto_serialization.load_der_private_key(material, password=None)
1✔
266
            self._serialize_key(key)
1✔
267

268
    def _serialize_key(self, key: ec.EllipticCurvePrivateKey | rsa.RSAPrivateKey):
1✔
269
        self.public_key = key.public_key().public_bytes(
1✔
270
            crypto_serialization.Encoding.DER,
271
            crypto_serialization.PublicFormat.SubjectPublicKeyInfo,
272
        )
273
        self.private_key = key.private_bytes(
1✔
274
            crypto_serialization.Encoding.DER,
275
            crypto_serialization.PrivateFormat.PKCS8,
276
            crypto_serialization.NoEncryption(),
277
        )
278

279
    @property
1✔
280
    def key(self) -> RSAPrivateKey | EllipticCurvePrivateKey:
1✔
281
        return crypto_serialization.load_der_private_key(
1✔
282
            self.private_key,
283
            password=None,
284
            backend=default_backend(),
285
        )
286

287

288
class KmsKey:
1✔
289
    metadata: KeyMetadata
1✔
290
    crypto_key: KmsCryptoKey
1✔
291
    tags: dict[str, str]
1✔
292
    policy: str
1✔
293
    is_key_rotation_enabled: bool
1✔
294
    rotation_period_in_days: int
1✔
295
    next_rotation_date: datetime.datetime
1✔
296
    previous_keys = [str]
1✔
297

298
    def __init__(
1✔
299
        self,
300
        create_key_request: CreateKeyRequest = None,
301
        account_id: str = None,
302
        region: str = None,
303
    ):
304
        create_key_request = create_key_request or CreateKeyRequest()
1✔
305
        self.previous_keys = []
1✔
306

307
        # Please keep in mind that tags of a key could be present in the request, they are not a part of metadata. At
308
        # least in the sense of DescribeKey not returning them with the rest of the metadata. Instead, tags are more
309
        # like aliases:
310
        # https://docs.aws.amazon.com/kms/latest/APIReference/API_DescribeKey.html
311
        # "DescribeKey does not return the following information: ... Tags on the KMS key."
312
        self.tags = {}
1✔
313
        self.add_tags(create_key_request.get("Tags"))
1✔
314
        # Same goes for the policy. It is in the request, but not in the metadata.
315
        self.policy = create_key_request.get("Policy") or self._get_default_key_policy(
1✔
316
            account_id, region
317
        )
318
        # https://docs.aws.amazon.com/kms/latest/developerguide/rotate-keys.html
319
        # "Automatic key rotation is disabled by default on customer managed keys but authorized users can enable and
320
        # disable it."
321
        self.is_key_rotation_enabled = False
1✔
322

323
        self._populate_metadata(create_key_request, account_id, region)
1✔
324
        custom_key_material = None
1✔
325
        if TAG_KEY_CUSTOM_KEY_MATERIAL in self.tags:
1✔
326
            # check if the _custom_key_material_ tag is specified, to use a custom key material for this key
327
            custom_key_material = base64.b64decode(self.tags[TAG_KEY_CUSTOM_KEY_MATERIAL])
1✔
328
            # remove the _custom_key_material_ tag from the tags to not readily expose the custom key material
329
            del self.tags[TAG_KEY_CUSTOM_KEY_MATERIAL]
1✔
330
        self.crypto_key = KmsCryptoKey(self.metadata.get("KeySpec"), custom_key_material)
1✔
331
        self._internal_key_id = uuid.uuid4()
1✔
332

333
        # The KMS implementation always provides a crypto key with key material which doesn't suit scenarios where a
334
        # KMS Key may have no key material e.g. for external keys. Don't expose the CurrentKeyMaterialId in those cases.
335
        if custom_key_material or (
1✔
336
            self.metadata["Origin"] == "AWS_KMS"
337
            and self.metadata["KeySpec"] == KeySpec.SYMMETRIC_DEFAULT
338
        ):
339
            self.metadata["CurrentKeyMaterialId"] = self.generate_key_material_id(
1✔
340
                self.crypto_key.key_material
341
            )
342

343
        self.rotation_period_in_days = 365
1✔
344
        self.next_rotation_date = None
1✔
345

346
    def generate_key_material_id(self, key_material: bytes) -> str:
1✔
347
        # The KeyMaterialId depends on the key material and the KeyId. Use an internal ID to prevent brute forcing
348
        # the value of the key material from the public KeyId and KeyMaterialId.
349
        # https://docs.aws.amazon.com/kms/latest/APIReference/API_ImportKeyMaterial.html
350
        key_material_id_hex = uuid.uuid5(self._internal_key_id, key_material).hex
1✔
351
        return str(key_material_id_hex) * 2
1✔
352

353
    def calculate_and_set_arn(self, account_id, region):
1✔
354
        self.metadata["Arn"] = kms_key_arn(self.metadata.get("KeyId"), account_id, region)
1✔
355

356
    def generate_mac(self, msg: bytes, mac_algorithm: MacAlgorithmSpec) -> bytes:
1✔
357
        h = self._get_hmac_context(mac_algorithm)
1✔
358
        h.update(msg)
1✔
359
        return h.finalize()
1✔
360

361
    def verify_mac(self, msg: bytes, mac: bytes, mac_algorithm: MacAlgorithmSpec) -> bool:
1✔
362
        h = self._get_hmac_context(mac_algorithm)
1✔
363
        h.update(msg)
1✔
364
        try:
1✔
365
            h.verify(mac)
1✔
366
            return True
1✔
367
        except InvalidSignature:
1✔
368
            raise KMSInvalidMacException()
1✔
369

370
    # Encrypt is a method of KmsKey and not of KmsCryptoKey only because it requires KeyId, and KmsCryptoKeys do not
371
    # hold KeyIds. Maybe it would be possible to remodel this better.
372
    def encrypt(self, plaintext: bytes, encryption_context: EncryptionContextType = None) -> bytes:
1✔
373
        iv = os.urandom(IV_LEN)
1✔
374
        aad = _serialize_encryption_context(encryption_context=encryption_context)
1✔
375
        ciphertext, tag = encrypt(self.crypto_key.key_material, plaintext, iv, aad)
1✔
376
        return _serialize_ciphertext_blob(
1✔
377
            ciphertext=Ciphertext(
378
                key_id=self.metadata.get("KeyId"), iv=iv, ciphertext=ciphertext, tag=tag
379
            )
380
        )
381

382
    # The ciphertext has to be deserialized before this call.
383
    def decrypt(
1✔
384
        self, ciphertext: Ciphertext, encryption_context: EncryptionContextType = None
385
    ) -> bytes:
386
        aad = _serialize_encryption_context(encryption_context=encryption_context)
1✔
387
        keys_to_try = [self.crypto_key.key_material] + self.previous_keys
1✔
388

389
        for key in keys_to_try:
1✔
390
            try:
1✔
391
                return decrypt(key, ciphertext.ciphertext, ciphertext.iv, ciphertext.tag, aad)
1✔
392
            except (InvalidTag, InvalidSignature):
1✔
393
                continue
1✔
394

395
        raise InvalidCiphertextException()
1✔
396

397
    def decrypt_rsa(self, encrypted: bytes) -> bytes:
1✔
398
        private_key = crypto_serialization.load_der_private_key(
1✔
399
            self.crypto_key.private_key, password=None, backend=default_backend()
400
        )
401
        decrypted = private_key.decrypt(
1✔
402
            encrypted,
403
            padding.OAEP(
404
                mgf=padding.MGF1(algorithm=hashes.SHA256()),
405
                algorithm=hashes.SHA256(),
406
                label=None,
407
            ),
408
        )
409
        return decrypted
1✔
410

411
    def sign(
1✔
412
        self, data: bytes, message_type: MessageType, signing_algorithm: SigningAlgorithmSpec
413
    ) -> bytes:
414
        hasher, wrapped_hasher = self._construct_sign_verify_hasher(signing_algorithm, message_type)
1✔
415
        try:
1✔
416
            if signing_algorithm.startswith("ECDSA"):
1✔
417
                return self.crypto_key.key.sign(data, ec.ECDSA(wrapped_hasher))
1✔
418
            else:
419
                padding = self._construct_sign_verify_padding(signing_algorithm, hasher)
1✔
420
                return self.crypto_key.key.sign(data, padding, wrapped_hasher)
1✔
421
        except ValueError as exc:
1✔
422
            raise ValidationException(str(exc))
1✔
423

424
    def verify(
1✔
425
        self,
426
        data: bytes,
427
        message_type: MessageType,
428
        signing_algorithm: SigningAlgorithmSpec,
429
        signature: bytes,
430
    ) -> bool:
431
        hasher, wrapped_hasher = self._construct_sign_verify_hasher(signing_algorithm, message_type)
1✔
432
        try:
1✔
433
            if signing_algorithm.startswith("ECDSA"):
1✔
434
                self.crypto_key.key.public_key().verify(signature, data, ec.ECDSA(wrapped_hasher))
1✔
435
            else:
436
                padding = self._construct_sign_verify_padding(signing_algorithm, hasher)
1✔
437
                self.crypto_key.key.public_key().verify(signature, data, padding, wrapped_hasher)
1✔
438
            return True
1✔
439
        except ValueError as exc:
1✔
440
            raise ValidationException(str(exc))
1✔
441
        except InvalidSignature:
1✔
442
            # AWS itself raises this exception without any additional message.
443
            raise KMSInvalidSignatureException()
1✔
444

445
    def derive_shared_secret(self, public_key: bytes) -> bytes:
1✔
446
        key_spec = self.metadata.get("KeySpec")
1✔
447
        if key_spec not in (
1✔
448
            KeySpec.ECC_NIST_P256,
449
            KeySpec.ECC_SECG_P256K1,
450
            KeySpec.ECC_NIST_P384,
451
            KeySpec.ECC_NIST_P521,
452
        ):
453
            raise InvalidKeyUsageException(
×
454
                f"{self.metadata['Arn']} key usage is {self.metadata['KeyUsage']} which is not valid for DeriveSharedSecret."
455
            )
456

457
        # Deserialize public key from DER encoded data to EllipticCurvePublicKey.
458
        try:
1✔
459
            pub_key = load_der_public_key(public_key)
1✔
460
        except (UnsupportedAlgorithm, ValueError):
1✔
461
            raise ValidationException("")
1✔
462
        shared_secret = self.crypto_key.key.exchange(ec.ECDH(), pub_key)
1✔
463
        return shared_secret
1✔
464

465
    # This method gets called when a key is replicated to another region. It's meant to populate the required metadata
466
    # fields in a new replica key.
467
    def replicate_metadata(
1✔
468
        self, replicate_key_request: ReplicateKeyRequest, account_id: str, replica_region: str
469
    ) -> None:
470
        self.metadata["Description"] = replicate_key_request.get("Description") or ""
1✔
471
        primary_key_arn = self.metadata["Arn"]
1✔
472
        # Multi region keys have the same key ID for all replicas, but ARNs differ, as they include actual regions of
473
        # replicas.
474
        self.calculate_and_set_arn(account_id, replica_region)
1✔
475

476
        current_replica_keys = self.metadata.get("MultiRegionConfiguration", {}).get(
1✔
477
            "ReplicaKeys", []
478
        )
479
        current_replica_keys.append(MultiRegionKey(Arn=self.metadata["Arn"], Region=replica_region))
1✔
480
        primary_key_region = (
1✔
481
            self.metadata.get("MultiRegionConfiguration", {}).get("PrimaryKey", {}).get("Region")
482
        )
483

484
        self.metadata["MultiRegionConfiguration"] = MultiRegionConfiguration(
1✔
485
            MultiRegionKeyType=MultiRegionKeyType.REPLICA,
486
            PrimaryKey=MultiRegionKey(
487
                Arn=primary_key_arn,
488
                Region=primary_key_region,
489
            ),
490
            ReplicaKeys=current_replica_keys,
491
        )
492

493
    def _get_hmac_context(self, mac_algorithm: MacAlgorithmSpec) -> hmac.HMAC:
1✔
494
        if mac_algorithm == "HMAC_SHA_224":
1✔
495
            h = hmac.HMAC(self.crypto_key.key_material, hashes.SHA224())
1✔
496
        elif mac_algorithm == "HMAC_SHA_256":
1✔
497
            h = hmac.HMAC(self.crypto_key.key_material, hashes.SHA256())
1✔
498
        elif mac_algorithm == "HMAC_SHA_384":
1✔
499
            h = hmac.HMAC(self.crypto_key.key_material, hashes.SHA384())
1✔
500
        elif mac_algorithm == "HMAC_SHA_512":
1✔
501
            h = hmac.HMAC(self.crypto_key.key_material, hashes.SHA512())
1✔
502
        else:
503
            raise ValidationException(
×
504
                f"1 validation error detected: Value '{mac_algorithm}' at 'macAlgorithm' "
505
                f"failed to satisfy constraint: Member must satisfy enum value set: "
506
                f"[HMAC_SHA_384, HMAC_SHA_256, HMAC_SHA_224, HMAC_SHA_512]"
507
            )
508
        return h
1✔
509

510
    def _construct_sign_verify_hasher(
1✔
511
        self, signing_algorithm: SigningAlgorithmSpec, message_type: MessageType
512
    ) -> (
513
        Prehashed | hashes.SHA256 | hashes.SHA384 | hashes.SHA512,
514
        Prehashed | hashes.SHA256 | hashes.SHA384 | hashes.SHA512,
515
    ):
516
        if "SHA_256" in signing_algorithm:
1✔
517
            hasher = hashes.SHA256()
1✔
518
        elif "SHA_384" in signing_algorithm:
1✔
519
            hasher = hashes.SHA384()
1✔
520
        elif "SHA_512" in signing_algorithm:
1✔
521
            hasher = hashes.SHA512()
1✔
522
        else:
523
            raise ValidationException(
×
524
                f"Unsupported hash type in SigningAlgorithm '{signing_algorithm}'"
525
            )
526

527
        wrapped_hasher = hasher
1✔
528
        if message_type == MessageType.DIGEST:
1✔
529
            wrapped_hasher = utils.Prehashed(hasher)
1✔
530
        return hasher, wrapped_hasher
1✔
531

532
    def _construct_sign_verify_padding(
1✔
533
        self,
534
        signing_algorithm: SigningAlgorithmSpec,
535
        hasher: Prehashed | hashes.SHA256 | hashes.SHA384 | hashes.SHA512,
536
    ) -> PKCS1v15 | PSS:
537
        if signing_algorithm.startswith("RSA"):
1✔
538
            if "PKCS" in signing_algorithm:
1✔
539
                return padding.PKCS1v15()
1✔
540
            elif "PSS" in signing_algorithm:
1✔
541
                return padding.PSS(mgf=padding.MGF1(hasher), salt_length=padding.PSS.DIGEST_LENGTH)
1✔
542
            else:
543
                LOG.warning("Unsupported padding in SigningAlgorithm '%s'", signing_algorithm)
×
544

545
    # Not a comment, rather some possibly relevant links for the future.
546
    # https://docs.aws.amazon.com/kms/latest/developerguide/asymm-create-key.html
547
    # "You cannot create an elliptic curve key pair for encryption and decryption."
548
    # https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#asymmetric-keys-concept
549
    # "You can create asymmetric KMS keys that represent RSA key pairs for public key encryption or signing and
550
    # verification, or elliptic curve key pairs for signing and verification."
551
    #
552
    # A useful link with a cheat-sheet of what operations are supported by what types of keys:
553
    # https://docs.aws.amazon.com/kms/latest/developerguide/symm-asymm-compare.html
554
    #
555
    # https://docs.aws.amazon.com/kms/latest/developerguide/concepts.html#data-keys
556
    # "AWS KMS generates the data key. Then it encrypts a copy of the data key under a symmetric encryption KMS key that
557
    # you specify."
558
    #
559
    # Data keys are symmetric, data key pairs are asymmetric.
560
    def _populate_metadata(
1✔
561
        self, create_key_request: CreateKeyRequest, account_id: str, region: str
562
    ) -> None:
563
        self.metadata = KeyMetadata()
1✔
564
        # Metadata fields coming from a creation request
565
        #
566
        # We do not include tags into the metadata. Tags might be present in a key creation request, but our metadata
567
        # only contains data displayed by DescribeKey. And tags are not there:
568
        # https://docs.aws.amazon.com/kms/latest/APIReference/API_DescribeKey.html
569
        # "DescribeKey does not return the following information: ... Tags on the KMS key."
570

571
        self.metadata["Description"] = create_key_request.get("Description") or ""
1✔
572
        self.metadata["MultiRegion"] = create_key_request.get("MultiRegion") or False
1✔
573
        self.metadata["Origin"] = create_key_request.get("Origin") or "AWS_KMS"
1✔
574
        # https://docs.aws.amazon.com/kms/latest/APIReference/API_CreateKey.html#KMS-CreateKey-request-CustomerMasterKeySpec
575
        # CustomerMasterKeySpec has been deprecated, still used for compatibility. Is replaced by KeySpec.
576
        # The meaning is the same, just the name differs.
577
        self.metadata["KeySpec"] = (
1✔
578
            create_key_request.get("KeySpec")
579
            or create_key_request.get("CustomerMasterKeySpec")
580
            or "SYMMETRIC_DEFAULT"
581
        )
582
        self.metadata["CustomerMasterKeySpec"] = self.metadata.get("KeySpec")
1✔
583
        self.metadata["KeyUsage"] = self._get_key_usage(
1✔
584
            create_key_request.get("KeyUsage"), self.metadata.get("KeySpec")
585
        )
586

587
        # Metadata fields AWS introduces automatically
588
        self.metadata["AWSAccountId"] = account_id
1✔
589
        self.metadata["CreationDate"] = datetime.datetime.now()
1✔
590
        self.metadata["Enabled"] = create_key_request.get("Origin") != OriginType.EXTERNAL
1✔
591
        self.metadata["KeyManager"] = "CUSTOMER"
1✔
592
        self.metadata["KeyState"] = (
1✔
593
            KeyState.Enabled
594
            if create_key_request.get("Origin") != OriginType.EXTERNAL
595
            else KeyState.PendingImport
596
        )
597

598
        if TAG_KEY_CUSTOM_ID in self.tags:
1✔
599
            # check if the _custom_id_ tag is specified, to set a user-defined KeyId for this key
600
            self.metadata["KeyId"] = self.tags[TAG_KEY_CUSTOM_ID].strip()
1✔
601
        elif self.metadata.get("MultiRegion"):
1✔
602
            # https://docs.aws.amazon.com/kms/latest/developerguide/multi-region-keys-overview.html
603
            # "Notice that multi-Region keys have a distinctive key ID that begins with mrk-. You can use the mrk- prefix to
604
            # identify MRKs programmatically."
605
            # The ID for MultiRegion keys also do not have dashes.
606
            self.metadata["KeyId"] = "mrk-" + str(uuid.uuid4().hex)
1✔
607
        else:
608
            self.metadata["KeyId"] = str(uuid.uuid4())
1✔
609
        self.calculate_and_set_arn(account_id, region)
1✔
610

611
        self._populate_encryption_algorithms(
1✔
612
            self.metadata.get("KeyUsage"), self.metadata.get("KeySpec")
613
        )
614
        self._populate_signing_algorithms(
1✔
615
            self.metadata.get("KeyUsage"), self.metadata.get("KeySpec")
616
        )
617
        self._populate_mac_algorithms(self.metadata.get("KeyUsage"), self.metadata.get("KeySpec"))
1✔
618

619
        if self.metadata["MultiRegion"]:
1✔
620
            self.metadata["MultiRegionConfiguration"] = MultiRegionConfiguration(
1✔
621
                MultiRegionKeyType=MultiRegionKeyType.PRIMARY,
622
                PrimaryKey=MultiRegionKey(Arn=self.metadata["Arn"], Region=region),
623
                ReplicaKeys=[],
624
            )
625

626
    def add_tags(self, tags: TagList) -> None:
1✔
627
        # Just in case we get None from somewhere.
628
        if not tags:
1✔
629
            return
1✔
630

631
        unique_tag_keys = {tag["TagKey"] for tag in tags}
1✔
632
        if len(unique_tag_keys) < len(tags):
1✔
633
            raise TagException("Duplicate tag keys")
1✔
634

635
        if len(tags) > 50:
1✔
636
            raise TagException("Too many tags")
1✔
637

638
        # Do not care if we overwrite an existing tag:
639
        # https://docs.aws.amazon.com/kms/latest/APIReference/API_TagResource.html
640
        # "To edit a tag, specify an existing tag key and a new tag value."
641
        for i, tag in enumerate(tags, start=1):
1✔
642
            if tag.get("TagKey") != TAG_KEY_CUSTOM_KEY_MATERIAL:
1✔
643
                validate_tag(i, tag)
1✔
644
            self.tags[tag.get("TagKey")] = tag.get("TagValue")
1✔
645

646
    def schedule_key_deletion(self, pending_window_in_days: int) -> None:
1✔
647
        self.metadata["Enabled"] = False
1✔
648
        # TODO For MultiRegion keys, the status of replicas get set to "PendingDeletion", while the primary key
649
        #  becomes "PendingReplicaDeletion". Here we just set all keys to "PendingDeletion", as we do not have any
650
        #  notion of a primary key in LocalStack. Might be useful to improve it.
651
        #  https://docs.aws.amazon.com/kms/latest/developerguide/multi-region-keys-delete.html#primary-delete
652
        self.metadata["KeyState"] = "PendingDeletion"
1✔
653
        self.metadata["DeletionDate"] = datetime.datetime.now() + datetime.timedelta(
1✔
654
            days=pending_window_in_days
655
        )
656

657
    def _update_key_rotation_date(self) -> None:
1✔
658
        if not self.next_rotation_date or self.next_rotation_date < datetime.datetime.now():
1✔
659
            self.next_rotation_date = datetime.datetime.now() + datetime.timedelta(
1✔
660
                days=self.rotation_period_in_days
661
            )
662

663
    # An example of how the whole policy should look like:
664
    # https://docs.aws.amazon.com/kms/latest/developerguide/key-policy-overview.html
665
    # The default statement is here:
666
    # https://docs.aws.amazon.com/kms/latest/developerguide/key-policy-default.html#key-policy-default-allow-root-enable-iam
667
    def _get_default_key_policy(self, account_id: str, region: str) -> str:
1✔
668
        return json.dumps(
1✔
669
            {
670
                "Version": "2012-10-17",
671
                "Id": "key-default-1",
672
                "Statement": [
673
                    {
674
                        "Sid": "Enable IAM User Permissions",
675
                        "Effect": "Allow",
676
                        "Principal": {"AWS": f"arn:{get_partition(region)}:iam::{account_id}:root"},
677
                        "Action": "kms:*",
678
                        "Resource": "*",
679
                    }
680
                ],
681
            }
682
        )
683

684
    def _populate_encryption_algorithms(self, key_usage: str, key_spec: str) -> None:
1✔
685
        # The two main usages for KMS keys are encryption/decryption and signing/verification.
686
        # Doesn't make sense to populate fields related to encryption/decryption unless the key is created with that
687
        # goal in mind.
688
        if key_usage != "ENCRYPT_DECRYPT":
1✔
689
            return
1✔
690
        if key_spec == "SYMMETRIC_DEFAULT":
1✔
691
            self.metadata["EncryptionAlgorithms"] = ["SYMMETRIC_DEFAULT"]
1✔
692
        else:
693
            self.metadata["EncryptionAlgorithms"] = ["RSAES_OAEP_SHA_1", "RSAES_OAEP_SHA_256"]
1✔
694

695
    def _populate_signing_algorithms(self, key_usage: str, key_spec: str) -> None:
1✔
696
        # The two main usages for KMS keys are encryption/decryption and signing/verification.
697
        # Doesn't make sense to populate fields related to signing/verification unless the key is created with that
698
        # goal in mind.
699
        if key_usage != "SIGN_VERIFY":
1✔
700
            return
1✔
701
        if key_spec in ["ECC_NIST_P256", "ECC_SECG_P256K1"]:
1✔
702
            self.metadata["SigningAlgorithms"] = ["ECDSA_SHA_256"]
1✔
703
        elif key_spec == "ECC_NIST_P384":
1✔
704
            self.metadata["SigningAlgorithms"] = ["ECDSA_SHA_384"]
1✔
705
        elif key_spec == "ECC_NIST_P521":
1✔
706
            self.metadata["SigningAlgorithms"] = ["ECDSA_SHA_512"]
1✔
707
        else:
708
            self.metadata["SigningAlgorithms"] = [
1✔
709
                "RSASSA_PKCS1_V1_5_SHA_256",
710
                "RSASSA_PKCS1_V1_5_SHA_384",
711
                "RSASSA_PKCS1_V1_5_SHA_512",
712
                "RSASSA_PSS_SHA_256",
713
                "RSASSA_PSS_SHA_384",
714
                "RSASSA_PSS_SHA_512",
715
            ]
716

717
    def _populate_mac_algorithms(self, key_usage: str, key_spec: str) -> None:
1✔
718
        if key_usage != "GENERATE_VERIFY_MAC":
1✔
719
            return
1✔
720
        if key_spec == "HMAC_224":
1✔
721
            self.metadata["MacAlgorithms"] = ["HMAC_SHA_224"]
1✔
722
        elif key_spec == "HMAC_256":
1✔
723
            self.metadata["MacAlgorithms"] = ["HMAC_SHA_256"]
1✔
724
        elif key_spec == "HMAC_384":
1✔
725
            self.metadata["MacAlgorithms"] = ["HMAC_SHA_384"]
1✔
726
        elif key_spec == "HMAC_512":
1✔
727
            self.metadata["MacAlgorithms"] = ["HMAC_SHA_512"]
1✔
728

729
    def _get_key_usage(self, request_key_usage: str, key_spec: str) -> str:
1✔
730
        if key_spec in HMAC_RANGE_KEY_LENGTHS:
1✔
731
            if request_key_usage is None:
1✔
732
                raise ValidationException(
1✔
733
                    "You must specify a KeyUsage value for all KMS keys except for symmetric encryption keys."
734
                )
735
            elif request_key_usage != KeyUsageType.GENERATE_VERIFY_MAC:
1✔
736
                raise ValidationException(
1✔
737
                    f"1 validation error detected: Value '{request_key_usage}' at 'keyUsage' "
738
                    f"failed to satisfy constraint: Member must satisfy enum value set: "
739
                    f"[ENCRYPT_DECRYPT, SIGN_VERIFY, GENERATE_VERIFY_MAC]"
740
                )
741
            else:
742
                return KeyUsageType.GENERATE_VERIFY_MAC
1✔
743
        elif request_key_usage == KeyUsageType.KEY_AGREEMENT:
1✔
744
            if key_spec not in [
1✔
745
                KeySpec.ECC_NIST_P256,
746
                KeySpec.ECC_NIST_P384,
747
                KeySpec.ECC_NIST_P521,
748
                KeySpec.ECC_SECG_P256K1,
749
                KeySpec.SM2,
750
            ]:
751
                raise ValidationException(
1✔
752
                    f"KeyUsage {request_key_usage} is not compatible with KeySpec {key_spec}"
753
                )
754
            else:
755
                return request_key_usage
1✔
756
        else:
757
            return request_key_usage or "ENCRYPT_DECRYPT"
1✔
758

759
    def rotate_key_on_demand(self):
1✔
760
        if len(self.previous_keys) >= ON_DEMAND_ROTATION_LIMIT:
1✔
761
            raise LimitExceededException(
1✔
762
                f"The on-demand rotations limit has been reached for the given keyId. "
763
                f"No more on-demand rotations can be performed for this key: {self.metadata['Arn']}"
764
            )
765
        current_key_material = self.crypto_key.key_material
1✔
766
        pending_key_material = self.crypto_key.pending_key_material
1✔
767

768
        self.previous_keys.append(current_key_material)
1✔
769

770
        # If there is no pending material stored on the key, then key material will be generated.
771
        self.crypto_key = KmsCryptoKey(KeySpec.SYMMETRIC_DEFAULT, pending_key_material)
1✔
772
        self.metadata["CurrentKeyMaterialId"] = self.generate_key_material_id(
1✔
773
            self.crypto_key.key_material
774
        )
775

776

777
class KmsGrant:
1✔
778
    # AWS documentation doesn't seem to mention any metadata object for grants like it does mention KeyMetadata for
779
    # keys. But, based on our understanding of AWS documentation for CreateGrant, ListGrants operations etc,
780
    # AWS has some set of fields for grants like it has for keys. So we are going to call them `metadata` here for
781
    # consistency.
782
    metadata: dict
1✔
783
    # Tokens are not a part of metadata, as their use is more limited and specific than for the rest of the
784
    # metadata: https://docs.aws.amazon.com/kms/latest/developerguide/grant-manage.html#using-grant-token
785
    # Tokens are used to refer to a grant in a short period right after the grant gets created. Normally it might
786
    # take KMS up to 5 minutes to make a new grant available. In that time window referring to a grant by its
787
    # GrantId might not work, so tokens are supposed to be used. The tokens could possibly be used even
788
    # afterwards. But since the only way to get a token is through a CreateGrant operation (see below), the chances
789
    # of someone storing a token and using it later are slim.
790
    #
791
    # https://docs.aws.amazon.com/kms/latest/developerguide/grants.html#grant_token
792
    # "CreateGrant is the only operation that returns a grant token. You cannot get a grant token from any other
793
    # AWS KMS operation or from the CloudTrail log event for the CreateGrant operation. The ListGrants and
794
    # ListRetirableGrants operations return the grant ID, but not a grant token."
795
    #
796
    # Usually a grant might have multiple unique tokens. But here we just model it with a single token for
797
    # simplicity.
798
    token: str
1✔
799

800
    def __init__(self, create_grant_request: CreateGrantRequest, account_id: str, region_name: str):
1✔
801
        self.metadata = dict(create_grant_request)
1✔
802

803
        if is_valid_key_arn(self.metadata["KeyId"]):
1✔
804
            self.metadata["KeyArn"] = self.metadata["KeyId"]
×
805
        else:
806
            self.metadata["KeyArn"] = kms_key_arn(self.metadata["KeyId"], account_id, region_name)
1✔
807

808
        self.metadata["GrantId"] = long_uid()
1✔
809
        self.metadata["CreationDate"] = datetime.datetime.now()
1✔
810
        # https://docs.aws.amazon.com/kms/latest/APIReference/API_GrantListEntry.html
811
        # "If a name was provided in the CreateGrant request, that name is returned. Otherwise this value is null."
812
        # According to the examples in AWS docs
813
        # https://docs.aws.amazon.com/kms/latest/APIReference/API_ListGrants.html#API_ListGrants_Examples
814
        # The Name field is present with just an empty string value.
815
        self.metadata.setdefault("Name", "")
1✔
816

817
        # Encode account ID and region in grant token.
818
        # This way the grant can be located when being retired by grant principal.
819
        # The token consists of account ID, region name and a UUID concatenated with ':' and encoded with base64
820
        decoded_token = account_id + ":" + region_name + ":" + long_uid()
1✔
821
        self.token = to_str(base64.b64encode(to_bytes(decoded_token)))
1✔
822

823

824
class KmsAlias:
1✔
825
    # Like with grants (see comment for KmsGrant), there is no mention of some specific object modeling metadata
826
    # for KMS aliases. But there is data that is some metadata, so we model it in a way similar to KeyMetadata for keys.
827
    metadata: dict
1✔
828

829
    def __init__(
1✔
830
        self,
831
        create_alias_request: CreateAliasRequest = None,
832
        account_id: str = None,
833
        region: str = None,
834
    ):
835
        create_alias_request = create_alias_request or CreateAliasRequest()
1✔
836
        self.metadata = {}
1✔
837
        self.metadata["AliasName"] = create_alias_request.get("AliasName")
1✔
838
        self.metadata["TargetKeyId"] = create_alias_request.get("TargetKeyId")
1✔
839
        self.update_date_of_last_update()
1✔
840
        self.metadata["CreationDate"] = self.metadata["LastUpdateDate"]
1✔
841
        self.metadata["AliasArn"] = kms_alias_arn(self.metadata["AliasName"], account_id, region)
1✔
842

843
    def update_date_of_last_update(self):
1✔
844
        self.metadata["LastUpdateDate"] = datetime.datetime.now()
1✔
845

846

847
@dataclass
1✔
848
class KeyImportState:
1✔
849
    key_id: str
1✔
850
    import_token: str
1✔
851
    wrapping_algo: str
1✔
852
    key: KmsKey
1✔
853

854

855
class KmsStore(BaseStore):
1✔
856
    # maps key ids to keys
857
    keys: dict[str, KmsKey] = LocalAttribute(default=dict)
1✔
858

859
    # According to AWS documentation on grants https://docs.aws.amazon.com/kms/latest/APIReference/API_RetireGrant.html
860
    # "Cross-account use: Yes. You can retire a grant on a KMS key in a different AWS account."
861

862
    # maps grant ids to grants
863
    grants: dict[str, KmsGrant] = LocalAttribute(default=dict)
1✔
864

865
    # maps from (grant names (used for idempotency), key id) to grant ids
866
    grant_names: dict[tuple[str, str], str] = LocalAttribute(default=dict)
1✔
867

868
    # maps grant tokens to grant ids
869
    grant_tokens: dict[str, str] = LocalAttribute(default=dict)
1✔
870

871
    # maps key alias names to aliases
872
    aliases: dict[str, KmsAlias] = LocalAttribute(default=dict)
1✔
873

874
    # maps import tokens to import data
875
    imports: dict[str, KeyImportState] = LocalAttribute(default=dict)
1✔
876

877

878
kms_stores = AccountRegionBundle("kms", KmsStore)
1✔
STATUS · Troubleshooting · Open an Issue · Sales · Support · CAREERS · ENTERPRISE · START FREE · SCHEDULE DEMO
ANNOUNCEMENTS · TWITTER · TOS & SLA · Supported CI Services · What's a CI service? · Automated Testing

© 2026 Coveralls, Inc