moto/moto/core/utils.py

313 lines
10 KiB
Python
Raw Normal View History

import datetime
2013-02-24 03:26:46 +00:00
import inspect
2013-03-05 13:14:43 +00:00
import re
from botocore.exceptions import ClientError
2022-11-10 19:54:38 +00:00
from typing import Any, Optional, List, Callable, Dict
2021-07-26 06:40:39 +00:00
from urllib.parse import urlparse
2022-11-10 19:54:38 +00:00
from .common_types import TYPE_RESPONSE
2022-11-10 19:54:38 +00:00
def camelcase_to_underscores(argument: str) -> str:
2020-10-06 06:46:05 +00:00
"""Converts a camelcase param like theNewAttribute to the equivalent
2019-10-31 15:44:26 +00:00
python underscore variable like the_new_attribute"""
result = ""
2013-02-24 03:26:46 +00:00
prev_char_title = True
2017-12-28 03:58:24 +00:00
if not argument:
return argument
for index, char in enumerate(argument):
try:
next_char_title = argument[index + 1].istitle()
except IndexError:
next_char_title = True
upper_to_lower = char.istitle() and not next_char_title
lower_to_upper = char.istitle() and not prev_char_title
if index and (upper_to_lower or lower_to_upper):
# Only add underscore if char is capital, not first letter, and next
# char is not capital
2013-02-24 03:26:46 +00:00
result += "_"
prev_char_title = char.istitle()
if not char.isspace(): # Only add non-whitespace
result += char.lower()
return result
2022-11-10 19:54:38 +00:00
def underscores_to_camelcase(argument: str) -> str:
2020-10-06 06:46:05 +00:00
"""Converts a camelcase param like the_new_attribute to the equivalent
camelcase version like theNewAttribute. Note that the first letter is
2020-10-06 06:46:05 +00:00
NOT capitalized by this function"""
2019-10-31 15:44:26 +00:00
result = ""
previous_was_underscore = False
for char in argument:
2019-10-31 15:44:26 +00:00
if char != "_":
if previous_was_underscore:
result += char.upper()
else:
result += char
2019-10-31 15:44:26 +00:00
previous_was_underscore = char == "_"
return result
2022-11-10 19:54:38 +00:00
def pascal_to_camelcase(argument: str) -> str:
"""Converts a PascalCase param to the camelCase equivalent"""
return argument[0].lower() + argument[1:]
2022-11-10 19:54:38 +00:00
def camelcase_to_pascal(argument: str) -> str:
"""Converts a camelCase param to the PascalCase equivalent"""
return argument[0].upper() + argument[1:]
2022-11-10 19:54:38 +00:00
def method_names_from_class(clazz: object) -> List[str]:
2021-07-26 06:40:39 +00:00
predicate = inspect.isfunction
2014-08-26 17:25:50 +00:00
return [x[0] for x in inspect.getmembers(clazz, predicate=predicate)]
2013-02-24 16:06:42 +00:00
def convert_regex_to_flask_path(url_path: str) -> str:
2013-03-05 13:14:43 +00:00
"""
Converts a regex matching url to one that can be used with flask
"""
for token in ["$"]:
url_path = url_path.replace(token, "")
2022-11-10 19:54:38 +00:00
def caller(reg: Any) -> str:
2013-03-05 13:14:43 +00:00
match_name, match_pattern = reg.groups()
return '<regex("{0}"):{1}>'.format(match_pattern, match_name)
url_path = re.sub(r"\(\?P<(.*?)>(.*?)\)", caller, url_path)
if url_path.endswith("/?"):
# Flask does own handling of trailing slashes
url_path = url_path.rstrip("/?")
2013-03-05 13:14:43 +00:00
return url_path
class convert_to_flask_response(object):
2022-11-10 19:54:38 +00:00
def __init__(self, callback: Callable[..., Any]):
2013-03-05 13:14:43 +00:00
self.callback = callback
@property
2022-11-10 19:54:38 +00:00
def __name__(self) -> str:
2013-03-05 13:14:43 +00:00
# For instance methods, use class and method names. Otherwise
# use module and method name
if inspect.ismethod(self.callback):
2014-08-26 17:25:50 +00:00
outer = self.callback.__self__.__class__.__name__
2013-03-05 13:14:43 +00:00
else:
outer = self.callback.__module__
2013-10-04 00:34:13 +00:00
return "{0}.{1}".format(outer, self.callback.__name__)
2013-03-05 13:14:43 +00:00
2022-11-10 19:54:38 +00:00
def __call__(self, args: Any = None, **kwargs: Any) -> Any:
from flask import request, Response
from moto.moto_api import recorder
try:
recorder._record_request(request)
2021-11-29 14:35:43 +00:00
result = self.callback(request, request.url, dict(request.headers))
except ClientError as exc:
result = 400, {}, exc.response["Error"]["Message"]
2013-05-04 00:14:33 +00:00
# result is a status, headers, response tuple
2017-03-12 03:45:42 +00:00
if len(result) == 3:
status, headers, content = result
else:
status, headers, content = 200, {}, result
response = Response(response=content, status=status, headers=headers)
2019-10-31 15:44:26 +00:00
if request.method == "HEAD" and "content-length" in headers:
response.headers["Content-Length"] = headers["content-length"]
return response
2013-05-24 21:22:34 +00:00
2017-02-16 03:35:45 +00:00
class convert_flask_to_responses_response(object):
2022-11-10 19:54:38 +00:00
def __init__(self, callback: Callable[..., Any]):
2017-02-16 03:35:45 +00:00
self.callback = callback
@property
2022-11-10 19:54:38 +00:00
def __name__(self) -> str:
2017-02-16 03:35:45 +00:00
# For instance methods, use class and method names. Otherwise
# use module and method name
if inspect.ismethod(self.callback):
outer = self.callback.__self__.__class__.__name__
else:
outer = self.callback.__module__
return "{0}.{1}".format(outer, self.callback.__name__)
2022-11-10 19:54:38 +00:00
def __call__(self, request: Any, *args: Any, **kwargs: Any) -> TYPE_RESPONSE:
2017-02-17 03:51:04 +00:00
for key, val in request.headers.items():
2021-07-26 06:40:39 +00:00
if isinstance(val, bytes):
2017-02-17 03:51:04 +00:00
request.headers[key] = val.decode("utf-8")
2017-02-16 03:35:45 +00:00
result = self.callback(request, request.url, request.headers)
status, headers, response = result
return status, headers, response
2022-11-10 19:54:38 +00:00
def iso_8601_datetime_with_milliseconds(value: datetime.datetime) -> str:
return value.strftime("%Y-%m-%dT%H:%M:%S.%f")[:-3] + "Z"
2013-05-24 21:22:34 +00:00
# Even Python does not support nanoseconds, other languages like Go do (needed for Terraform)
2022-10-26 21:36:02 +00:00
def iso_8601_datetime_with_nanoseconds(value: datetime.datetime) -> str:
return value.strftime("%Y-%m-%dT%H:%M:%S.%f000Z")
2022-10-26 21:36:02 +00:00
def iso_8601_datetime_without_milliseconds(value: datetime.datetime) -> Optional[str]:
return value.strftime("%Y-%m-%dT%H:%M:%SZ") if value else None
2022-10-26 21:36:02 +00:00
def iso_8601_datetime_without_milliseconds_s3(
value: datetime.datetime,
) -> Optional[str]:
return value.strftime("%Y-%m-%dT%H:%M:%S.000Z") if value else None
2019-10-31 15:44:26 +00:00
RFC1123 = "%a, %d %b %Y %H:%M:%S GMT"
2022-11-10 19:54:38 +00:00
def rfc_1123_datetime(src: datetime.datetime) -> str:
return src.strftime(RFC1123)
2022-11-10 19:54:38 +00:00
def str_to_rfc_1123_datetime(value: str) -> datetime.datetime:
return datetime.datetime.strptime(value, RFC1123)
2022-11-10 19:54:38 +00:00
def unix_time(dt: Optional[datetime.datetime] = None) -> float:
dt = dt or datetime.datetime.utcnow()
epoch = datetime.datetime.utcfromtimestamp(0)
delta = dt - epoch
return (delta.days * 86400) + (delta.seconds + (delta.microseconds / 1e6))
2022-11-10 19:54:38 +00:00
def unix_time_millis(dt: Optional[datetime.datetime] = None) -> float:
return unix_time(dt) * 1000.0
def path_url(url: str) -> str:
parsed_url = urlparse(url)
path = parsed_url.path
if not path:
2019-10-31 15:44:26 +00:00
path = "/"
if parsed_url.query:
2019-10-31 15:44:26 +00:00
path = path + "?" + parsed_url.query
return path
2019-12-10 01:38:26 +00:00
def tags_from_query_string(
2022-11-10 19:54:38 +00:00
querystring_dict: Dict[str, Any],
prefix: str = "Tag",
key_suffix: str = "Key",
value_suffix: str = "Value",
) -> Dict[str, str]:
response_values = {}
for key in querystring_dict.keys():
if key.startswith(prefix) and key.endswith(key_suffix):
tag_index = key.replace(prefix + ".", "").replace("." + key_suffix, "")
2022-11-10 19:54:38 +00:00
tag_key = querystring_dict[
"{prefix}.{index}.{key_suffix}".format(
2022-03-10 14:39:59 +00:00
prefix=prefix, index=tag_index, key_suffix=key_suffix
2020-03-30 12:42:00 +00:00
)
2022-11-10 19:54:38 +00:00
][0]
tag_value_key = "{prefix}.{index}.{value_suffix}".format(
2022-03-10 14:39:59 +00:00
prefix=prefix, index=tag_index, value_suffix=value_suffix
)
if tag_value_key in querystring_dict:
2022-11-10 19:54:38 +00:00
response_values[tag_key] = querystring_dict[tag_value_key][0]
else:
response_values[tag_key] = None
return response_values
2022-11-10 19:54:38 +00:00
def tags_from_cloudformation_tags_list(
tags_list: List[Dict[str, str]]
) -> Dict[str, str]:
"""Return tags in dict form from cloudformation resource tags form (list of dicts)"""
tags = {}
for entry in tags_list:
key = entry["Key"]
value = entry["Value"]
tags[key] = value
return tags
2022-11-10 19:54:38 +00:00
def remap_nested_keys(root: Any, key_transform: Callable[[str], str]) -> Any:
"""This remap ("recursive map") function is used to traverse and
transform the dictionary keys of arbitrarily nested structures.
List comprehensions do not recurse, making it tedious to apply
transforms to all keys in a tree-like structure.
A common issue for `moto` is changing the casing of dict keys:
>>> remap_nested_keys({'KeyName': 'Value'}, camelcase_to_underscores)
{'key_name': 'Value'}
Args:
root: The target data to traverse. Supports iterables like
:class:`list`, :class:`tuple`, and :class:`dict`.
key_transform (callable): This function is called on every
dictionary key found in *root*.
"""
if isinstance(root, (list, tuple)):
return [remap_nested_keys(item, key_transform) for item in root]
if isinstance(root, dict):
return {
key_transform(k): remap_nested_keys(v, key_transform)
2021-07-26 06:40:39 +00:00
for k, v in root.items()
}
return root
2022-11-10 19:54:38 +00:00
def merge_dicts(
dict1: Dict[str, Any], dict2: Dict[str, Any], remove_nulls: bool = False
) -> None:
"""Given two arbitrarily nested dictionaries, merge the second dict into the first.
:param dict dict1: the dictionary to be updated.
:param dict dict2: a dictionary of keys/values to be merged into dict1.
:param bool remove_nulls: If true, updated values equal to None or an empty dictionary
will be removed from dict1.
"""
for key in dict2:
if isinstance(dict2[key], dict):
if key in dict1 and key in dict2:
merge_dicts(dict1[key], dict2[key], remove_nulls)
else:
dict1[key] = dict2[key]
if dict1[key] == {} and remove_nulls:
dict1.pop(key)
else:
dict1[key] = dict2[key]
if dict1[key] is None and remove_nulls:
dict1.pop(key)
2021-09-30 15:28:13 +00:00
2022-11-10 19:54:38 +00:00
def aws_api_matches(pattern: str, string: str) -> bool:
2021-11-16 12:24:14 +00:00
"""
2022-03-10 14:39:59 +00:00
AWS API can match a value based on a glob, or an exact match
2021-11-16 12:24:14 +00:00
"""
# use a negative lookback regex to match stars that are not prefixed with a backslash
# and replace all stars not prefixed w/ a backslash with '.*' to take this from "glob" to PCRE syntax
pattern, _ = re.subn(r"(?<!\\)\*", r".*", pattern)
2021-11-16 12:24:14 +00:00
# ? in the AWS glob form becomes .? in regex
# also, don't substitute it if it is prefixed w/ a backslash
pattern, _ = re.subn(r"(?<!\\)\?", r".?", pattern)
2021-09-30 15:28:13 +00:00
2021-11-16 12:24:14 +00:00
# aws api seems to anchor
anchored_pattern = f"^{pattern}$"
2021-09-30 15:28:13 +00:00
2021-11-16 12:24:14 +00:00
if re.match(anchored_pattern, str(string)):
2021-09-30 15:28:13 +00:00
return True
2021-11-16 12:24:14 +00:00
else:
return False
2021-12-24 21:02:45 +00:00
2022-11-10 19:54:38 +00:00
def extract_region_from_aws_authorization(string: str) -> Optional[str]:
auth = string or ""
region = re.sub(r".*Credential=[^/]+/[^/]+/([^/]+)/.*", r"\1", auth)
if region == auth:
return None
return region