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 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591 592 593 594 595 596 597 598 599 600 601 602 603 604 605 606 607 608 609 610 611 612 613 614 615 616 617 618 619 620 621 622 623 624 625 626 627 628 629 630 631 632 633 634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649 650 651 652 653 654 655 656 657 658 659 660 661 662 663 664 665 666 667 668 669 670 671 672 673 674 675 676 677 678 679 680 681 682 683 684 685 686 687 688 689 690 691 692 693 694 695 696 697 698 699 700 701 702 703 704 705 706 707 708 709 710 711 712 713 714 715 716 717 718 719 720 721 722 723 724 725 726 727 728 729 730 731 732 733 734 735 736 737 738 739 740 741 742 743 744 745 746 747 748 749 750 751 752 753 754 755 756 757 758 759 760 761 762 763 764 765 766 767 768 769 770 771 772 773 774 775 776 777 778 779 780 781 782 783 784 785 786 787 788 789 790 791 792 793 794 795 796 797 798 799 800 801 802 803 804 805 806 807 808 809 810 811 812 813 814 815 816 817 818 819 820 821 822 823 824 825 826 827 828 829 830 831 832 833 834 835 836 837 838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858 859 860 861 862 863 864 865 866 867 868 869 870 871 872 873 874 875 876 877 878 879 880 881 882 883 884 885 886 887 888 889 890 891 892 893 894 895 896 897 898 899 900 901 902 903 904 905 906 907 908 909 910 911 912 913 914 915 916 917 918 919 920 921 922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038 1039 1040 1041 1042 1043 1044 1045 1046 1047 1048 1049 1050 1051 1052 1053 1054 1055 1056 1057 1058 1059 1060 1061 1062 1063 1064 1065 1066 1067 1068 1069 1070 1071 1072 1073 1074 1075 1076 1077 1078 1079 1080 1081 1082 1083 1084 1085 1086 1087 1088 1089 1090 1091 1092 1093 1094 1095 1096 1097 1098 1099 1100 1101 1102 1103 1104 1105 1106 1107 1108 1109 1110 1111 1112 1113 1114 1115 1116 1117 1118 1119 1120 1121 1122 1123 1124 1125 1126 1127 1128 1129 1130 1131 1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148 1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159 1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200 1201 1202 1203 1204 1205 1206 1207 1208 1209 1210 1211 1212 1213 1214 1215 1216 1217 1218 1219 1220 1221 1222 1223 1224 1225 1226 1227 1228 1229 1230 1231 1232 1233 1234 1235 1236 1237 1238 1239 1240 1241 1242 1243 1244 1245 1246 1247 1248 1249 1250 1251 1252 1253 1254 1255 1256 1257 1258 1259 1260 1261 1262 1263 1264 1265 1266 1267 1268 1269 1270 1271 1272 1273
|
# mypy: disable-error-code="misc, override, var-annotated"
"""Response serializers for the various AWS protocol specifications.
There are some similarities among the different protocols with respect
to response serialization, so the code is structured in a way to avoid
code duplication where possible. The diagram below illustrates the
inheritance hierarchy of the response serializer classes.
+--------------------+
| ResponseSerializer |
+--------------------+
^ ^ ^
+-------------------+ | +---------------------+
| | |
+----+--------------+ +---------+----------+ +---------------+----+
| BaseXMLSerializer | | BaseRestSerializer | | BaseJSONSerializer |
+-------------------+ +--------------------+ +--------------------+
^ ^ ^ ^ ^ ^
| | | | | |
| +---+----------+----+ +---+-----------+----+ |
| | RestXMLSerializer | | RestJSONSerializer | |
| +-------------------+ +--------------------+ |
| |
+----+------------+ +------------+---+
| QuerySerializer | | JSONSerializer |
+-----------------+ +----------------+
^
|
+----+----------+
| EC2Serializer |
+---------------+
Return Value
============
The response serializers expose a single public method: ``serialize()``
This method takes in any result (dict, object, Exception, etc.) and
returns a serialized ResponseDict of the following form:
{
"body": <RESPONSE_BODY>,
"headers": <RESPONSE_HEADERS>,
"status_code": <RESPONSE_HTTP_STATUS_CODE>,
}
The body serialization output is text (Python strings), not bytes, mostly
for ease of inspection while debugging (pretty printing is also supported).
The exception is blob types, which are assumed to be binary and will be
encoded as ``utf-8``.
"""
from __future__ import annotations
import abc
import base64
import calendar
import json
from collections import namedtuple
from collections.abc import Generator, Mapping, MutableMapping
from dataclasses import dataclass
from datetime import datetime
from typing import (
Any,
Callable,
Optional,
TypedDict,
Union,
)
import xmltodict
from botocore import xform_name
from botocore.compat import formatdate
from botocore.utils import is_json_value_header, parse_to_aware_datetime
from moto.core.errors import ErrorShape, get_error_model
from moto.core.model import (
ListShape,
MapShape,
OperationModel,
ServiceModel,
Shape,
StructureShape,
)
from moto.core.utils import MISSING, get_value
Serialized = MutableMapping[str, Any]
class ResponseDict(TypedDict):
body: str
headers: MutableMapping[str, str]
status_code: int
class SerializationContext:
def __init__(self, request_id: Optional[str] = None) -> None:
self.request_id = request_id or "request-id"
class TimestampSerializer:
TIMESTAMP_FORMAT_ISO8601 = "iso8601"
TIMESTAMP_FORMAT_ISO8601_ZEROED = "iso8601_zeroed"
TIMESTAMP_FORMAT_RFC822 = "rfc822"
TIMESTAMP_FORMAT_UNIX = "unixtimestamp"
ISO8601 = "%Y-%m-%dT%H:%M:%SZ"
ISO8601_MICRO = "%Y-%m-%dT%H:%M:%S.%fZ"
ISO8601_MICRO_ZEROED = "%Y-%m-%dT%H:%M:%S.000Z"
def __init__(self, default_format: str) -> None:
self.default_format = default_format
def serialize(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
timestamp_format = shape.serialization.get(
"timestampFormat", self.default_format
)
serialized_value = self._convert_timestamp_to_str(value, timestamp_format)
serialized[key] = serialized_value
def _timestamp_iso8601(self, value: datetime) -> str:
if value.microsecond > 0:
timestamp_format = self.ISO8601_MICRO
else:
timestamp_format = self.ISO8601
return value.strftime(timestamp_format)
def _timestamp_iso8601_zeroed(self, value: datetime) -> str:
return value.strftime(self.ISO8601_MICRO_ZEROED)
@staticmethod
def _timestamp_unixtimestamp(value: datetime) -> float:
return int(calendar.timegm(value.timetuple()))
def _timestamp_rfc822(self, value: Union[datetime, float]) -> str:
if isinstance(value, datetime):
value = self._timestamp_unixtimestamp(value)
return formatdate(value, usegmt=True)
def _convert_timestamp_to_str(
self, value: Union[int, str, datetime], timestamp_format: str
) -> str:
timestamp_format = timestamp_format.lower()
converter = getattr(self, f"_timestamp_{timestamp_format}")
datetime_obj = parse_to_aware_datetime(value) # type: ignore
final_value = converter(datetime_obj)
return final_value
class HeaderSerializer:
# https://smithy.io/2.0/spec/http-bindings.html#httpheader-serialization-rules
DEFAULT_ENCODING = "utf-8"
DEFAULT_TIMESTAMP_FORMAT = TimestampSerializer.TIMESTAMP_FORMAT_RFC822
def __init__(self, **kwargs: Mapping[str, Any]) -> None:
super().__init__(**kwargs)
self._timestamp_serializer = TimestampSerializer(self.DEFAULT_TIMESTAMP_FORMAT)
def serialize(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
method = getattr(
self, f"_serialize_type_{shape.type_name}", self._default_serialize
)
method(serialized, value, shape, key)
@staticmethod
def _default_serialize(
serialized: Serialized, value: Any, _: Shape, key: str
) -> None:
serialized[key] = str(value)
def _serialize_type_boolean(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
boolean_value = "true" if value else "false"
self._default_serialize(serialized, boolean_value, shape, key)
def _serialize_type_list(
self, serialized: Serialized, value: Any, shape: ListShape, key: str
) -> None:
list_value = ",".join(value)
self._default_serialize(serialized, list_value, shape, key)
def _serialize_type_map(
self, serialized: Serialized, value: Any, shape: MapShape, _: str
) -> None:
header_prefix = shape.serialization.get("name", "")
for key, val in value.items():
full_key = header_prefix + key
self._default_serialize(serialized, val, shape, full_key)
def _serialize_type_string(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
string_value = value
if is_json_value_header(shape):
json_value = json.dumps(value, separators=(",", ":"))
string_value = self._base64(json_value)
self._default_serialize(serialized, string_value, shape, key)
def _serialize_type_timestamp(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
wrapper = {}
self._timestamp_serializer.serialize(wrapper, value, shape, "timestamp")
self._default_serialize(serialized, wrapper["timestamp"], shape, key)
def _base64(self, value: Union[str, bytes]) -> str:
if isinstance(value, str):
value = value.encode(self.DEFAULT_ENCODING)
return base64.b64encode(value).strip().decode(self.DEFAULT_ENCODING)
class ResponseSerializer:
CONTENT_TYPE = "text"
DEFAULT_ENCODING = "utf-8"
DEFAULT_RESPONSE_CODE = 200
DEFAULT_ERROR_RESPONSE_CODE = 400
# From the spec, the default timestamp format if not specified is iso8601.
DEFAULT_TIMESTAMP_FORMAT = TimestampSerializer.TIMESTAMP_FORMAT_ISO8601
# Clients can change this to a different MutableMapping (i.e. OrderedDict) if they want.
# This is used in the compliance test to match the hash ordering used in the tests.
# NOTE: This is no longer necessary because dicts post 3.6 are ordered:
# https://stackoverflow.com/questions/39980323/are-dictionaries-ordered-in-python-3-6
MAP_TYPE = dict
def __init__(
self,
operation_model: OperationModel,
context: Optional[SerializationContext] = None,
pretty_print: Optional[bool] = False,
value_picker: Any = None,
) -> None:
self.operation_model = operation_model
self.service_model = operation_model.service_model
self.context = context or SerializationContext()
self.pretty_print = pretty_print
if value_picker is None:
value_picker = DefaultAttributePicker()
self._value_picker = value_picker
self._timestamp_serializer = TimestampSerializer(self.DEFAULT_TIMESTAMP_FORMAT)
self.operation_name = str(operation_model.name)
self.path = [self.operation_name]
def _create_default_response(self) -> ResponseDict:
response_dict: ResponseDict = {
"body": "",
"headers": {},
"status_code": self.DEFAULT_RESPONSE_CODE,
}
return response_dict
def serialize(self, result: Any) -> ResponseDict:
resp = self._create_default_response()
if self._is_error_result(result):
resp = self._serialize_error(resp, result)
else:
resp = self._serialize_result(resp, result)
return resp
def _serialize_error(
self,
resp: ResponseDict,
error: Exception,
) -> ResponseDict:
error_shape = get_error_model(error, self.service_model)
serialized_error = self.MAP_TYPE()
self._serialize_error_metadata(serialized_error, error, error_shape)
return self._serialized_error_to_response(
resp, error, error_shape, serialized_error
)
def _serialize_result(self, resp: ResponseDict, result: Any) -> ResponseDict:
output_shape = self.operation_model.output_shape
serialized_result = self.MAP_TYPE()
if output_shape is not None:
assert isinstance(output_shape, StructureShape) # mypy hint
self._serialize(serialized_result, result, output_shape, "")
return self._serialized_result_to_response(
resp, result, output_shape, serialized_result
)
def _serialized_error_to_response(
self,
resp: ResponseDict,
error: Exception,
shape: ErrorShape,
serialized_error: MutableMapping[str, Any],
) -> ResponseDict:
raise NotImplementedError("Must be implemented in subclass.")
def _serialized_result_to_response(
self,
resp: ResponseDict,
result: Any,
shape: Optional[StructureShape],
serialized_result: MutableMapping[str, Any],
) -> ResponseDict:
raise NotImplementedError("Must be implemented in subclass.")
def _serialize_error_metadata(
self,
serialized: Serialized,
error: Exception,
shape: ErrorShape,
) -> None:
raise NotImplementedError("Must be implemented in subclass.")
def _serialize_body(self, body: Any) -> str:
raise NotImplementedError("Must be implemented in subclass.")
# Some extra utility methods subclasses can use.
@staticmethod
def _is_error_result(result: object) -> bool:
return isinstance(result, Exception)
def _base64(self, value: Union[str, bytes]) -> str:
if isinstance(value, str):
value = value.encode(self.DEFAULT_ENCODING)
return base64.b64encode(value).strip().decode(self.DEFAULT_ENCODING)
def get_value(self, value: Any, key: str, shape: Shape) -> Any:
context = AttributePickerContext(
obj=value,
key=key,
shape=shape,
operation_model=self.operation_model,
service_model=self.operation_model.service_model,
key_path=".".join(self.path),
)
return self._value_picker(context)
#
# Default serializers for the various model Shape types.
# These can be overridden in subclasses to provide protocol-specific implementations.
#
def _serialize(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
method = getattr(
self, f"_serialize_type_{shape.type_name}", self._default_serialize
)
if not key:
self.path.append(shape.name)
else:
self.path.append(key)
method(serialized, value, shape, key)
self.path.pop()
def _default_serialize(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
serialization_key = self.get_serialized_name(shape, key)
serialized[serialization_key] = value
def _serialize_type_structure(
self, serialized: Serialized, value: Any, shape: StructureShape, key: str
) -> None:
if value is None:
return
if key:
wrapper: Any = self.MAP_TYPE()
else:
wrapper = serialized
for member_key, member_shape in shape.members.items():
member_shape.parent = shape # type: ignore[attr-defined]
self._serialize_structure_member(wrapper, value, member_shape, member_key)
if key:
self._default_serialize(serialized, wrapper, shape, key)
def _serialize_structure_member(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
member_value = self.get_value(value, key, shape)
if member_value is not None:
self._serialize(serialized, member_value, shape, key)
def _serialize_type_map(
self, serialized: Serialized, value: Any, shape: MapShape, key: str
) -> None:
key_shape = shape.key
assert isinstance(key_shape, Shape)
value_shape = shape.value
assert isinstance(value_shape, Shape)
map_list = []
for k, v in value.items():
wrapper = {"__current__": {}}
self._serialize(wrapper["__current__"], k, key_shape, "key")
self._serialize(wrapper["__current__"], v, value_shape, "value")
map_list.append(wrapper["__current__"])
if shape.is_flattened:
self._default_serialize(serialized, map_list, shape, key)
else:
self._default_serialize(serialized, {"entry": map_list}, shape, key)
def _serialize_type_timestamp(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
value_wrapper = {}
value_key = "timestamp"
self._timestamp_serializer.serialize(value_wrapper, value, shape, value_key)
self._default_serialize(serialized, value_wrapper[value_key], shape, key)
def _serialize_type_blob(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
blob_value = self._base64(value)
self._default_serialize(serialized, blob_value, shape, key)
def _serialize_type_integer(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
integer_value = int(value)
self._default_serialize(serialized, integer_value, shape, key)
_serialize_type_long = _serialize_type_integer
def _serialize_type_float(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
integer_value = float(value)
self._default_serialize(serialized, integer_value, shape, key)
_serialize_type_double = _serialize_type_float
def get_serialized_name(self, shape: Shape, default_name: str) -> str:
return shape.serialization.get("name", default_name)
class BaseJSONSerializer(ResponseSerializer):
APPLICATION_AMZ_JSON = "application/x-amz-json-{version}"
DEFAULT_TIMESTAMP_FORMAT = "unixtimestamp"
def _serialized_result_to_response(
self,
resp: ResponseDict,
result: Any,
shape: Optional[StructureShape],
serialized_result: MutableMapping[str, Any],
) -> ResponseDict:
resp["body"] = self._serialize_body(serialized_result)
resp["headers"]["Content-Type"] = self._get_protocol_specific_content_type()
return resp
def _serialized_error_to_response(
self,
resp: ResponseDict,
error: Exception,
shape: ErrorShape,
serialized_error: MutableMapping[str, Any],
) -> ResponseDict:
resp["body"] = self._serialize_body(serialized_error)
status_code = shape.metadata.get("error", {}).get(
"httpStatusCode", self.DEFAULT_ERROR_RESPONSE_CODE
)
resp["status_code"] = status_code
error_code = self._get_protocol_specific_error_code(shape)
resp["headers"]["X-Amzn-Errortype"] = error_code
resp["headers"]["Content-Type"] = self._get_protocol_specific_content_type()
self._serialize_query_compatible_error_to_response(resp, shape)
return resp
def _serialize_query_compatible_error_to_response(
self, resp: ResponseDict, shape: ErrorShape
) -> None:
if "awsQueryCompatible" not in self.service_model.metadata:
return
fault = "Sender" if shape.is_sender_fault else "Receiver"
resp["headers"]["x-amzn-query-error"] = f"{shape.error_code};{fault}"
def _get_protocol_specific_content_type(self) -> str:
content_type = self.CONTENT_TYPE
service_model = self.operation_model.service_model
protocol = service_model.protocol
if protocol == "json":
json_version = service_model.metadata.get("jsonVersion", "1.0")
content_type = self.APPLICATION_AMZ_JSON.format(version=json_version)
return content_type
def _get_protocol_specific_error_code(
self,
error: ErrorShape,
) -> str:
# https://smithy.io/2.0/aws/protocols/aws-json-1_1-protocol.html#operation-error-serialization
service_metadata = self.operation_model.service_model.metadata
json_version = service_metadata.get("jsonVersion")
error_code = error.name
prefix = (
error.namespace
or service_metadata.get("errorNamespace")
or service_metadata.get("targetPrefix")
)
if json_version == "1.0" and prefix is not None:
error_code = prefix + "#" + error_code
return error_code
def _serialize_error_metadata(
self,
serialized: Serialized,
error: Exception,
shape: ErrorShape,
) -> None:
error_code = self._get_protocol_specific_error_code(shape)
serialized["__type"] = error_code
message = getattr(error, "message", None) or str(error)
if shape is not None:
self._serialize(serialized, error, shape, "")
if message:
serialized["Message"] = message
def _serialize_body(self, body: Mapping[str, Any]) -> str:
body_encoded = json.dumps(body, indent=4 if self.pretty_print else None)
return body_encoded
def _serialize_type_map(
self, serialized: Serialized, value: Any, shape: MapShape, key: str
) -> None:
map_obj = self.MAP_TYPE()
self._default_serialize(serialized, map_obj, shape, key)
for sub_key, sub_value in value.items():
assert isinstance(shape.value, Shape) # mypy hint
self._serialize(map_obj, sub_value, shape.value, sub_key)
def _serialize_type_list(
self, serialized: Serialized, value: Any, shape: ListShape, key: str
) -> None:
list_obj = []
for list_item in value:
wrapper = {}
# The JSON list serialization is the only case where we aren't
# setting a key on a dict. We handle this by using
# a __current__ key on a wrapper dict to serialize each
# list item before appending it to the serialized list.
assert isinstance(shape.member, Shape) # mypy hint
item_key = shape.member.name
self._serialize(wrapper, list_item, shape.member, item_key)
if item_key in wrapper:
list_obj.append(wrapper[item_key])
else:
list_obj.append(list_item)
self._default_serialize(serialized, list_obj, shape, key)
def _serialize_type_structure(
self, serialized: Serialized, value: Any, shape: StructureShape, key: str
) -> None:
if shape.is_document_type:
serialized[key] = value
return
super()._serialize_type_structure(serialized, value, shape, key)
class BaseXMLSerializer(ResponseSerializer):
CONTENT_TYPE = "text/xml"
def _serialize_namespace_attribute(self, serialized: Serialized) -> None:
if (
self.CONTENT_TYPE == "text/xml"
and "xmlNamespace" in self.operation_model.metadata
):
namespace = self.operation_model.metadata["xmlNamespace"]
serialized["@xmlns"] = namespace
def _serialized_error_to_response(
self,
resp: ResponseDict,
error: Exception,
shape: ErrorShape,
serialized_error: MutableMapping[str, Any],
) -> ResponseDict:
error_wrapper = {
"ErrorResponse": {
"Error": serialized_error,
"RequestId": self.context.request_id,
}
}
self._serialize_namespace_attribute(error_wrapper["ErrorResponse"])
resp["body"] = self._serialize_body(error_wrapper)
status_code = shape.metadata.get("error", {}).get(
"httpStatusCode", self.DEFAULT_ERROR_RESPONSE_CODE
)
resp["status_code"] = status_code
resp["headers"]["Content-Type"] = self.CONTENT_TYPE
return resp
def _serialized_result_to_response(
self,
resp: ResponseDict,
result: Any,
shape: Optional[StructureShape],
serialized_result: MutableMapping[str, Any],
) -> ResponseDict:
result_key = f"{self.operation_model.name}Result"
result_wrapper = {
result_key: serialized_result,
}
self._serialize_namespace_attribute(result_wrapper[result_key])
resp["body"] = self._serialize_body(result_wrapper)
resp["headers"]["Content-Type"] = self.CONTENT_TYPE
return resp
def _serialize_error_metadata(
self,
serialized: Serialized,
error: Exception,
shape: ErrorShape,
) -> None:
serialized["Type"] = "Sender" if shape.is_sender_fault else "Receiver"
serialized["Code"] = shape.error_code
message = getattr(error, "message", None)
if shape.query_compatible_error_message:
message = shape.query_compatible_error_message
if message is not None:
serialized["Message"] = message
# Serialize any error model attributes.
self._serialize(serialized, error, shape, "")
def _serialize_body(self, body: Serialized) -> str:
body_encoded = xmltodict.unparse(
body,
full_document=False,
short_empty_elements=True,
pretty=self.pretty_print,
)
return body_encoded
#
# https://smithy.io/2.0/aws/protocols/aws-query-protocol.html#xml-shape-serialization
#
def _serialize_type_boolean(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
# We're slightly more permissive here than we should be because the
# moto backends are not consistent in how they store boolean values.
# TODO: This should eventually be turned into a strict `is True` check.
boolean_conditions = [
(value is True),
(str(value).lower() == "true"),
]
boolean_value = "true" if any(boolean_conditions) else "false"
self._default_serialize(serialized, boolean_value, shape, key)
def _serialize_type_integer(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
integer_value = int(value)
self._default_serialize(serialized, integer_value, shape, key)
def _serialize_type_list(
self, serialized: Serialized, value: Any, shape: ListShape, key: str
) -> None:
assert isinstance(shape.member, Shape) # mypy hinting
list_obj = []
for list_item in value:
wrapper = {}
self._serialize(wrapper, list_item, shape.member, shape.member.name)
if wrapper:
item_key = self.get_serialized_name(shape.member, shape.member.name)
value = wrapper[item_key]
if value != {}:
list_obj.append(value)
if not list_obj: # empty list serialized as "" in XML
self._default_serialize(serialized, "", shape, key)
return
if shape.is_flattened:
self._default_serialize(serialized, list_obj, shape.member, key)
else:
items_name = self.get_serialized_name(shape.member, "member")
self._default_serialize(serialized, {items_name: list_obj}, shape, key)
_serialize_type_long = _serialize_type_integer
def _serialize_type_string(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
string_value = str(value)
self._default_serialize(serialized, string_value, shape, key)
class BaseRestSerializer(ResponseSerializer):
EMPTY_BODY: Serialized = ResponseSerializer.MAP_TYPE()
REQUIRES_EMPTY_BODY = False
def _serialized_result_to_response(
self,
resp: ResponseDict,
result: Any,
shape: Optional[StructureShape],
serialized_result: MutableMapping[str, Any],
) -> ResponseDict:
if "payload" in serialized_result:
# Payload trumps all and is delivered as-is.
resp["body"] = serialized_result["payload"]
else:
if not serialized_result["body"]:
if self.REQUIRES_EMPTY_BODY:
resp["body"] = self._serialize_body(self.EMPTY_BODY)
else:
resp = super()._serialized_result_to_response(
resp, result, shape, serialized_result.get("body", {})
)
if "headers" in serialized_result:
resp["headers"].update(serialized_result["headers"])
resp["headers"]["Content-Type"] = self.CONTENT_TYPE
return resp
def _serialize_result(self, resp: ResponseDict, result: Any) -> ResponseDict:
output_shape = self.operation_model.output_shape
serialized_result = {
"body": {},
"headers": {},
}
if output_shape is not None:
assert isinstance(output_shape, StructureShape)
self._serialize(serialized_result, result, output_shape, "")
payload_member = output_shape.serialization.get("payload")
if payload_member is not None:
payload_shape = output_shape.members[payload_member]
payload_value = self.get_value(result, payload_member, payload_shape)
self._serialize_payload(serialized_result, payload_value, payload_shape)
return self._serialized_result_to_response(
resp, result, output_shape, serialized_result
)
def _serialize_payload(
self,
serialized: Serialized,
payload: Any,
payload_shape: Shape,
) -> None:
if payload_shape.type_name in ["blob", "string"]:
# If it's streaming, then the body is just the value of the payload.
serialized["payload"] = payload
else:
# If there's a payload member, we serialize only that one member to the body.
serialized["body"] = self.MAP_TYPE()
self._serialize(serialized["body"], payload, payload_shape, "")
def _serialize_structure_member(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
if shape.is_not_bound_to_body:
if shape.is_http_header_trait and "headers" in serialized:
member_value = self.get_value(value, key, shape)
if member_value is not None:
key_name = self.get_serialized_name(shape, key)
header_serializer = HeaderSerializer()
header_serializer.serialize(
serialized["headers"], member_value, shape, key_name
)
elif "body" in serialized:
if not serialized["body"]:
serialized["body"] = self.MAP_TYPE()
# we're at the top-level structure
super()._serialize_structure_member(serialized["body"], value, shape, key)
else:
# we're in nested structure
super()._serialize_structure_member(serialized, value, shape, key)
class RestXMLSerializer(BaseRestSerializer, BaseXMLSerializer):
DEFAULT_TIMESTAMP_FORMAT = TimestampSerializer.TIMESTAMP_FORMAT_ISO8601
class RestJSONSerializer(BaseRestSerializer, BaseJSONSerializer):
CONTENT_TYPE = "application/json"
REQUIRES_EMPTY_BODY = True
class JSONSerializer(BaseJSONSerializer):
pass
class QuerySerializer(BaseXMLSerializer):
def _serialized_error_to_response(
self,
resp: ResponseDict,
error: Exception,
shape: ErrorShape,
serialized_error: MutableMapping[str, Any],
) -> ResponseDict:
error_wrapper = {
"ErrorResponse": {
"Error": serialized_error,
"RequestId": self.context.request_id,
}
}
self._serialize_namespace_attribute(error_wrapper["ErrorResponse"])
resp["body"] = self._serialize_body(error_wrapper)
status_code = shape.metadata.get("error", {}).get(
"httpStatusCode", self.DEFAULT_ERROR_RESPONSE_CODE
)
resp["status_code"] = status_code
resp["headers"]["Content-Type"] = self.CONTENT_TYPE
return resp
def _serialized_result_to_response(
self,
resp: ResponseDict,
result: Any,
shape: Optional[StructureShape],
serialized_result: MutableMapping[str, Any],
) -> ResponseDict:
response_key = f"{self.operation_model.name}Response"
response_wrapper = {response_key: {}}
if shape is not None:
result_key = shape.serialization.get("resultWrapper", f"{shape.name}Result")
response_wrapper[response_key][result_key] = serialized_result
response_wrapper[response_key]["ResponseMetadata"] = {
"RequestId": self.context.request_id
}
self._serialize_namespace_attribute(response_wrapper[response_key])
resp["body"] = self._serialize_body(response_wrapper)
resp["headers"]["Content-Type"] = self.CONTENT_TYPE
return resp
def _serialize_type_map(
self, serialized: Serialized, value: Any, shape: MapShape, key: str
) -> None:
key_shape = shape.key
assert isinstance(key_shape, Shape)
value_shape = shape.value
assert isinstance(value_shape, Shape)
map_list = []
for k, v in value.items():
# Query protocol does not serialize null values
if v is None:
continue
wrapper = {"__current__": {}}
self._serialize(wrapper["__current__"], k, key_shape, "key")
self._serialize(wrapper["__current__"], v, value_shape, "value")
map_list.append(wrapper["__current__"])
if shape.is_flattened:
self._default_serialize(serialized, map_list, shape, key)
else:
self._default_serialize(serialized, {"entry": map_list}, shape, key)
class QueryJSONSerializer(QuerySerializer):
"""Specialized case for query protocol requests that contain ContentType=JSON parameter."""
CONTENT_TYPE = "application/json"
def _serialized_error_to_response(
self,
resp: ResponseDict,
error: Exception,
shape: ErrorShape,
serialized_error: MutableMapping[str, Any],
) -> ResponseDict:
error_wrapper = {
"Error": serialized_error,
"RequestId": self.context.request_id,
}
resp["body"] = self._serialize_body(error_wrapper)
status_code = shape.metadata.get("error", {}).get(
"httpStatusCode", self.DEFAULT_ERROR_RESPONSE_CODE
)
resp["status_code"] = status_code
resp["headers"]["Content-Type"] = self.CONTENT_TYPE
return resp
def _serialize_body(self, body: Mapping[str, Any]) -> str:
body_encoded = json.dumps(body, indent=4 if self.pretty_print else None)
return body_encoded
def _serialize_type_boolean(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
# We're slightly more permissive here than we should be because the
# moto backends are not consistent in how they store boolean values.
# TODO: This should eventually be turned into a strict `is True` check.
boolean_value = True if value in [True, "True", "true"] else False
self._default_serialize(serialized, boolean_value, shape, key)
def _serialize_type_list(
self, serialized: Serialized, value: Any, shape: ListShape, key: str
) -> None:
list_obj = []
serialized[key] = list_obj
for list_item in value:
wrapper = {}
assert isinstance(shape.member, Shape) # mypy hint
item_key = shape.member.name
self._serialize(wrapper, list_item, shape.member, item_key)
if item_key in wrapper:
list_obj.append(wrapper[item_key])
else:
list_obj.append(list_item)
class EC2Serializer(QuerySerializer):
DEFAULT_TIMESTAMP_FORMAT = TimestampSerializer.TIMESTAMP_FORMAT_ISO8601_ZEROED
def _serialize_body(self, body: Mapping[str, Any]) -> str:
body_serialized = xmltodict.unparse(
body,
full_document=True,
pretty=self.pretty_print,
short_empty_elements=True,
)
return body_serialized
def _serialize_error_metadata(
self,
serialized: MutableMapping[str, Any],
error: Exception,
shape: ErrorShape,
) -> None:
serialized["Code"] = shape.error_code
message = getattr(error, "message", None)
if message is not None:
serialized["Message"] = message
# Serialize any error model attributes.
self._serialize(serialized, error, shape, "")
def _serialized_error_to_response(
self,
resp: ResponseDict,
error: Exception,
shape: ErrorShape,
serialized_error: MutableMapping[str, Any],
) -> ResponseDict:
error_wrapper = {
"Response": {
"Errors": [{"Error": serialized_error}],
"RequestID": self.context.request_id,
}
}
self._serialize_namespace_attribute(error_wrapper["Response"])
resp["body"] = self._serialize_body(error_wrapper)
status_code = shape.metadata.get("error", {}).get(
"httpStatusCode", self.DEFAULT_ERROR_RESPONSE_CODE
)
resp["status_code"] = status_code
resp["headers"]["Content-Type"] = self.CONTENT_TYPE
return resp
def _serialized_result_to_response(
self,
resp: ResponseDict,
result: Any,
shape: StructureShape,
serialized_result: MutableMapping[str, Any],
) -> ResponseDict:
response_key = f"{self.operation_model.name}Response"
result_wrapper = {
response_key: serialized_result,
}
result_wrapper[response_key]["requestId"] = self.context.request_id
self._serialize_namespace_attribute(result_wrapper[response_key])
resp["body"] = self._serialize_body(result_wrapper)
resp["headers"]["Content-Type"] = self.CONTENT_TYPE
return resp
DoublePassEncoding = namedtuple(
"DoublePassEncoding", ["char", "marker", "escape_sequence"]
)
class DoublePassEncoder:
"""Facilitates double pass encoding of special characters in a string
by replacing them with markers in one pass and then replacing the markers
with escape sequences in a second pass."""
def __init__(self, encodings: list[DoublePassEncoding]) -> None:
self.encodings = encodings
def mark(self, value: str) -> str:
for item in self.encodings:
value = value.replace(item.char, item.marker)
return value
def escape(self, value: str) -> str:
for item in self.encodings:
value = value.replace(item.marker, item.escape_sequence)
return value
class SqsQuerySerializer(QuerySerializer):
"""
Special handling of SQS Query protocol responses:
* support aws.protocols#awsQueryCompatible trait after switch to JSON protocol
* escape HTML entities within XML tag text
"""
def __init__(self, *args: Any, **kwargs: Any) -> None:
super().__init__(*args, **kwargs)
self.encoder = DoublePassEncoder(
[
DoublePassEncoding(
char="\r",
marker="__CARRIAGE_RETURN_MARKER__",
escape_sequence="
",
),
DoublePassEncoding(
char='"', marker="__DOUBLE_QUOTE_MARKER__", escape_sequence="""
),
]
)
def _default_serialize(
self, serialized: Serialized, value: Any, shape: Shape, key: str
) -> None:
if isinstance(value, str):
value = self.encoder.mark(value)
super()._default_serialize(serialized, value, shape, key)
def _serialize_body(self, body: Serialized) -> str:
body_encoded = super()._serialize_body(body)
body_escaped = self.encoder.escape(body_encoded)
return body_escaped
def get_serialized_name(self, shape: Shape, default_name: str) -> str:
serialized_name = super().get_serialized_name(shape, default_name)
if self.service_model.is_query_compatible:
serialized_name = shape.serialization.get(
"locationNameForQueryCompatibility", serialized_name
)
return serialized_name
SERIALIZERS = {
"ec2": EC2Serializer,
"json": JSONSerializer,
"query": QuerySerializer,
"query-json": QueryJSONSerializer,
"rest-json": RestJSONSerializer,
"rest-xml": RestXMLSerializer,
}
SERVICE_SPECIFIC_SERIALIZERS = {
"sqs": {
"query": SqsQuerySerializer,
}
}
def get_serializer_class(service_name: str, protocol: str) -> type[ResponseSerializer]:
if service_name in SERVICE_SPECIFIC_SERIALIZERS:
if protocol in SERVICE_SPECIFIC_SERIALIZERS[service_name]:
return SERVICE_SPECIFIC_SERIALIZERS[service_name][protocol]
return SERIALIZERS[protocol]
@dataclass
class AttributePickerContext:
obj: Any
key: str
shape: Shape
operation_model: OperationModel | None = None
service_model: ServiceModel | None = None
key_path: str = ""
class DefaultAttributePicker:
def __call__(self, context: AttributePickerContext) -> Any:
return get_value(context.obj, context.key, None)
class AttributePicker(DefaultAttributePicker):
"""Uses alias providers to find the value of an attribute in a Python object"""
def __init__(
self,
alias_providers: list[type[AttributeAliasProvider]] | None = None,
response_transformers: dict[str, Callable[[Any], Any]] | None = None,
) -> None:
self.alias_providers = (
alias_providers if alias_providers is not None else DEFAULT_ALIAS_PROVIDERS
)
self.response_transformers = (
response_transformers if response_transformers is not None else {}
)
def __call__(self, context: AttributePickerContext) -> Any:
obj = context.obj
for possible_key in self.get_possible_keys(context):
value = get_value(obj, possible_key, MISSING)
if value is not MISSING:
break
else:
value = None
key_path = f"{context.key_path}.{context.key}"
for transform_path, transform in self.response_transformers.items():
if key_path.endswith(transform_path):
value = transform(value)
break
return value
def get_possible_keys(self, context: AttributePickerContext) -> Generator[str]:
key = context.key
for alias_provider_cls in self.alias_providers:
alias_provider = alias_provider_cls(context)
if alias_provider.has_alias(key):
alias = alias_provider.get_alias(key)
yield alias
class XFormedAttributePicker(AttributePicker):
"""Can be injected into a ResponseSerializer to aid in plucking AWS model
attributes specified in `camelCase` or `PascalCase` from Python objects
with standard `snake_case` attribute names.
For a model attribute named `DBInstanceIdentifier`, this class will check
for the following attributes on the provided object:
* `DBInstanceIdentifier`
* `db_instance_identifier`
If the provided object is a class named `DBInstance`, this class will also
check for the following attribute on the provided object:
* `identifier`
``botocore.xform_name`` is used to transform the attribute name.
"""
def get_possible_keys(self, context: AttributePickerContext) -> Generator[str]:
for possible_key in super().get_possible_keys(context):
yield possible_key
yield xform_name(possible_key)
class AttributeAliasProvider(abc.ABC):
"""Abstract base class for providing attribute key aliases."""
def __init__(self, context: AttributePickerContext) -> None:
self.context = context
@abc.abstractmethod
def has_alias(self, key: str) -> bool:
"""Check if a key alias exists for the given context."""
raise NotImplementedError()
@abc.abstractmethod
def get_alias(self, key: str) -> str:
"""Get the key alias for the given context."""
raise NotImplementedError()
class ExplicitAlias(AttributeAliasProvider):
"""Provides a key alias explicitly defined in the source object's Meta class."""
def has_alias(self, key: str) -> bool:
obj = self.context.obj
if not hasattr(obj, "Meta"):
return False
if not hasattr(obj.Meta, "serialization_aliases"):
return False
return key in obj.Meta.serialization_aliases
def get_alias(self, key: str) -> str:
return self.context.obj.Meta.serialization_aliases[key]
class NoAlias(AttributeAliasProvider):
"""Provides the key as is, without any aliasing."""
def has_alias(self, key: str) -> bool:
return True
def get_alias(self, key: str) -> str:
return key
class ModelAlias(AttributeAliasProvider):
"""Provides a key alias based on the botocore model's serialization name."""
def has_alias(self, key: str) -> bool:
shape = self.context.shape
if shape is not None:
serialization_key = shape.serialization.get("name", key)
if serialization_key != key:
return True
return False
def get_alias(self, key: str) -> Any:
return self.context.shape.serialization["name"]
class ShapePrefixAlias(AttributeAliasProvider):
"""Provides a shortened key alias if key is prefixed with the model name.
Example: `DBInstanceIdentifier` becomes `Identifier` if the model name is `DBInstance`.
"""
def has_alias(self, key: str) -> bool:
shape = self.context.shape
if shape is not None:
if hasattr(shape, "parent"):
if key.lower().startswith(shape.parent.name.lower()):
return True
return False
def get_alias(self, key: str) -> Any:
shape = self.context.shape
assert hasattr(shape, "parent")
assert isinstance(shape.parent, Shape) # mypy hint
return key[len(shape.parent.name) :]
class ClassPrefixAlias(AttributeAliasProvider):
"""Provides a shortened key alias if key is prefixed with the source object's class name.
Example: `DBInstanceIdentifier` becomes `Identifier` if the class name is `DBInstance`.
"""
def has_alias(self, key: str) -> bool:
obj = self.context.obj
if hasattr(obj, "__class__"):
class_name = obj.__class__.__name__
if key.lower().startswith(class_name.lower()):
return True
return False
def get_alias(self, key: str) -> Any:
class_name = self.context.obj.__class__.__name__
short_key = key[len(class_name) :]
return short_key
class ShapeNameAlias(AttributeAliasProvider):
"""Provides a key alias based on the shape's name if it differs from the key."""
def has_alias(self, key: str) -> bool:
shape = self.context.shape
if shape is not None:
if shape.type_name in ["list", "structure"]:
if key != shape.name:
return True
return False
def get_alias(self, key: str) -> Any:
return self.context.shape.name
# Ordering is important here, as the first alias provider that matches will be used.
# We want to try the most specific alias providers first, and fall back to the more generic ones.
DEFAULT_ALIAS_PROVIDERS = [
ExplicitAlias,
ShapeNameAlias,
NoAlias,
ShapePrefixAlias,
ClassPrefixAlias,
ModelAlias,
]
# Response transformers can be used to modify the value of a key in the response.
def never_return(_: Any) -> None:
"""
A utility function that is used to ensure that certain attributes are never returned
in the response. This is useful for attributes that should not be exposed or are not
relevant in the context of the response.
"""
return None
def return_if_not_empty(value: Any) -> Any:
"""
A utility function that returns the value if it is not empty (i.e., not None, "", {}, or []),
otherwise returns None. This is useful for attributes that should only be included in the
response if they have a meaningful value.
"""
return value if value not in [None, "", {}, []] else None
def url_encode(value: Any) -> Any:
"""A utility function that url encodes a value before inclusion in a response."""
from urllib.parse import quote
return quote(value) if isinstance(value, str) else value
|