1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153
|
"""Low-level TUF DSSE API. (experimental!)"""
from __future__ import annotations
import json
from typing import Generic, cast
from securesystemslib.dsse import Envelope as BaseSimpleEnvelope
# Expose all payload classes to use API independently of ``tuf.api.metadata``.
from tuf.api._payload import ( # noqa: F401
_ROOT,
_SNAPSHOT,
_TARGETS,
_TIMESTAMP,
SPECIFICATION_VERSION,
TOP_LEVEL_ROLE_NAMES,
BaseFile,
DelegatedRole,
Delegations,
MetaFile,
Role,
Root,
RootVerificationResult,
Signed,
Snapshot,
SuccinctRoles,
T,
TargetFile,
Targets,
Timestamp,
VerificationResult,
)
from tuf.api.serialization import DeserializationError, SerializationError
class SimpleEnvelope(Generic[T], BaseSimpleEnvelope):
"""Dead Simple Signing Envelope (DSSE) for TUF payloads.
* Sign with ``self.sign()`` (inherited).
* Verify with ``verify_delegate`` on a ``Root`` or ``Targets``
object::
delegator.verify_delegate(
role_name,
envelope.pae(), # Note, how we don't pass ``envelope.payload``!
envelope.signatures,
)
Attributes:
payload: Serialized payload bytes.
payload_type: Payload string identifier.
signatures: Ordered dictionary of keyids to ``Signature`` objects.
"""
DEFAULT_PAYLOAD_TYPE = "application/vnd.tuf+json"
@classmethod
def from_bytes(cls, data: bytes) -> SimpleEnvelope[T]:
"""Load envelope from JSON bytes.
NOTE: Unlike ``tuf.api.metadata.Metadata.from_bytes``, this method
does not deserialize the contained payload. Use ``self.get_signed`` to
deserialize the payload into a ``Signed`` object.
Args:
data: envelope JSON bytes.
Raises:
tuf.api.serialization.DeserializationError:
data cannot be deserialized.
Returns:
TUF ``SimpleEnvelope`` object.
"""
try:
envelope_dict = json.loads(data.decode())
envelope = SimpleEnvelope.from_dict(envelope_dict)
except Exception as e:
raise DeserializationError from e
return cast(SimpleEnvelope[T], envelope)
def to_bytes(self) -> bytes:
"""Return envelope as JSON bytes.
NOTE: Unlike ``tuf.api.metadata.Metadata.to_bytes``, this method does
not serialize the payload. Use ``SimpleEnvelope.from_signed`` to
serialize a ``Signed`` object and wrap it in an SimpleEnvelope.
Raises:
tuf.api.serialization.SerializationError:
self cannot be serialized.
"""
try:
envelope_dict = self.to_dict()
json_bytes = json.dumps(envelope_dict).encode()
except Exception as e:
raise SerializationError from e
return json_bytes
@classmethod
def from_signed(cls, signed: T) -> SimpleEnvelope[T]:
"""Serialize payload as JSON bytes and wrap in envelope.
Args:
signed: ``Signed`` object.
Raises:
tuf.api.serialization.SerializationError:
The signed object cannot be serialized.
"""
try:
signed_dict = signed.to_dict()
json_bytes = json.dumps(signed_dict).encode()
except Exception as e:
raise SerializationError from e
return cls(json_bytes, cls.DEFAULT_PAYLOAD_TYPE, {})
def get_signed(self) -> T:
"""Extract and deserialize payload JSON bytes from envelope.
Raises:
tuf.api.serialization.DeserializationError:
The signed object cannot be deserialized.
"""
try:
payload_dict = json.loads(self.payload.decode())
# TODO: can we move this to tuf.api._payload?
_type = payload_dict["_type"]
if _type == _TARGETS:
inner_cls: type[Signed] = Targets
elif _type == _SNAPSHOT:
inner_cls = Snapshot
elif _type == _TIMESTAMP:
inner_cls = Timestamp
elif _type == _ROOT:
inner_cls = Root
else:
raise ValueError(f'unrecognized role type "{_type}"')
except Exception as e:
raise DeserializationError from e
return cast(T, inner_cls.from_dict(payload_dict))
|