Skip to content

Commit 4daba70

Browse files
committed
AWS API Gateway with Amazon Lambda integrations support
1 parent 0b1b5de commit 4daba70

File tree

10 files changed

+501
-114
lines changed

10 files changed

+501
-114
lines changed

docs/integrations/aws.rst

+68
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,68 @@
1+
Amazon API Gateway
2+
==================
3+
4+
This section describes integration with `Amazon API Gateway <https://aws.amazon.com/api-gateway/>`__.
5+
6+
It is useful for:
7+
* `AWS Lambda integrations <https://docs.aws.amazon.com/apigateway/latest/developerguide/http-api-develop-integrations-lambda.html>`__ where Lambda functions handle events from API Gateway (Amazon API Gateway event format version 1.0 and 2.0).
8+
* `AWS Lambda function URLs <https://docs.aws.amazon.com/lambda/latest/dg/lambda-urls.html>`__ where Lambda functions handle events from dedicated HTTP(S) endpoint (Amazon API Gateway event format version 2.0).
9+
10+
ANY method
11+
----------
12+
13+
Amazon API Gateway defines special ``ANY`` method that catches all HTTP methods. It is specified as `x-amazon-apigateway-any-method <https://docs.aws.amazon.com/apigateway/latest/developerguide/api-gateway-swagger-extensions-any-method.html>`__ OpenAPI extension. You can use the extension by setting ``path_finder_cls`` to be ``APIGatewayPathFinder``:
14+
15+
.. code-block:: python
16+
:emphasize-lines: 1,4
17+
18+
from openapi_core.contrib.aws import APIGatewayPathFinder
19+
20+
config = Config(
21+
path_finder_cls=APIGatewayPathFinder,
22+
)
23+
openapi = OpenAPI.from_file_path('openapi.json', config=config)
24+
25+
Low level
26+
---------
27+
28+
The integration defines classes useful for low level integration.
29+
30+
Request
31+
^^^^^^^
32+
33+
Use ``APIGatewayEventV2OpenAPIRequest`` to create OpenAPI request from an API Gateway event (format version 2.0):
34+
35+
.. code-block:: python
36+
37+
from openapi_core.contrib.aws import APIGatewayEventV2OpenAPIRequest
38+
39+
def handler(event, context):
40+
openapi_request = APIGatewayEventV2OpenAPIRequest(event)
41+
result = openapi.unmarshal_request(openapi_request)
42+
return {
43+
"statusCode": 200,
44+
"body": "Hello world",
45+
}
46+
47+
If you use format version 1.0, then import and use ``APIGatewayEventOpenAPIRequest``.
48+
49+
Response
50+
^^^^^^^^
51+
52+
Use ``APIGatewayEventV2ResponseOpenAPIResponse`` to create OpenAPI response from API Gateway event (format version 2.0) response:
53+
54+
.. code-block:: python
55+
56+
from openapi_core.contrib.aws import APIGatewayEventV2ResponseOpenAPIResponse
57+
58+
def handler(event, context):
59+
openapi_request = APIGatewayEventV2OpenAPIRequest(event)
60+
response = {
61+
"statusCode": 200,
62+
"body": "Hello world",
63+
}
64+
openapi_response = APIGatewayEventV2ResponseOpenAPIResponse(response)
65+
result = openapi.unmarshal_response(openapi_request, openapi_response)
66+
return response
67+
68+
If you use format version 1.0, then import and use ``APIGatewayEventResponseOpenAPIResponse``.

docs/integrations/index.rst

+1
Original file line numberDiff line numberDiff line change
@@ -6,6 +6,7 @@ Openapi-core integrates with your popular libraries and frameworks. Each integra
66
.. toctree::
77
:maxdepth: 1
88

9+
aws
910
aiohttp
1011
bottle
1112
django

openapi_core/contrib/aws/__init__.py

Whitespace-only changes.

openapi_core/contrib/aws/datatypes.py

+82
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,82 @@
1+
from typing import Dict
2+
from typing import List
3+
from typing import Optional
4+
5+
from pydantic import Field
6+
from pydantic.dataclasses import dataclass
7+
8+
9+
class APIGatewayEventConfig:
10+
extra = "allow"
11+
12+
13+
@dataclass(config=APIGatewayEventConfig, frozen=True)
14+
class APIGatewayEvent:
15+
"""AWS API Gateway event"""
16+
17+
headers: Dict[str, str]
18+
19+
path: str
20+
httpMethod: str
21+
resource: str
22+
23+
queryStringParameters: Optional[Dict[str, str]] = None
24+
isBase64Encoded: Optional[bool] = None
25+
body: Optional[str] = None
26+
pathParameters: Optional[Dict[str, str]] = None
27+
stageVariables: Optional[Dict[str, str]] = None
28+
29+
multiValueHeaders: Optional[Dict[str, List[str]]] = None
30+
version: Optional[str] = "1.0"
31+
multiValueQueryStringParameters: Optional[Dict[str, List[str]]] = None
32+
33+
34+
@dataclass(config=APIGatewayEventConfig, frozen=True)
35+
class APIGatewayEventV2Http:
36+
"""AWS API Gateway event v2 HTTP"""
37+
method: str
38+
path: str
39+
40+
41+
@dataclass(config=APIGatewayEventConfig, frozen=True)
42+
class APIGatewayEventV2:
43+
"""AWS API Gateway event v2"""
44+
45+
headers: Dict[str, str]
46+
47+
version: str
48+
routeKey: str
49+
rawPath: str
50+
rawQueryString: str
51+
http: APIGatewayEventV2Http
52+
53+
queryStringParameters: Optional[Dict[str, str]] = None
54+
isBase64Encoded: Optional[bool] = None
55+
body: Optional[str] = None
56+
pathParameters: Optional[Dict[str, str]] = None
57+
stageVariables: Optional[Dict[str, str]] = None
58+
59+
cookies: Optional[List[str]] = None
60+
61+
62+
@dataclass(config=APIGatewayEventConfig, frozen=True)
63+
class APIGatewayEventResponse:
64+
"""AWS API Gateway event response"""
65+
66+
body: str
67+
isBase64Encoded: bool
68+
statusCode: int
69+
headers: Dict[str, str]
70+
multiValueHeaders: Dict[str, List[str]]
71+
72+
73+
@dataclass(config=APIGatewayEventConfig, frozen=True)
74+
class APIGatewayEventV2Response:
75+
"""AWS API Gateway event v2 response"""
76+
77+
body: str
78+
isBase64Encoded: bool = False
79+
statusCode: int = 200
80+
headers: Dict[str, str] = Field(
81+
default_factory=lambda: {"content-type": "application/json"}
82+
)

openapi_core/contrib/aws/finders.py

+18
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,18 @@
1+
from openapi_core.templating.paths.finders import APICallPathFinder
2+
from openapi_core.templating.paths.iterators import (
3+
CatchAllMethodOperationsIterator,
4+
)
5+
6+
7+
class APIGatewayPathFinder(APICallPathFinder):
8+
operations_iterator = CatchAllMethodOperationsIterator(
9+
"any",
10+
"x-amazon-apigateway-any-method",
11+
)
12+
13+
14+
class APIGatewayIntegrationPathFinder(APICallPathFinder):
15+
operations_iterator = CatchAllMethodOperationsIterator(
16+
"any",
17+
"x-amazon-apigateway-any-method",
18+
)

openapi_core/contrib/aws/requests.py

+151
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,151 @@
1+
from typing import Dict
2+
from typing import Optional
3+
4+
from werkzeug.datastructures import Headers
5+
from werkzeug.datastructures import ImmutableMultiDict
6+
7+
from openapi_core.contrib.aws.datatypes import APIGatewayEvent
8+
from openapi_core.contrib.aws.datatypes import APIGatewayEventV2
9+
from openapi_core.contrib.aws.types import APIGatewayEventPayload
10+
from openapi_core.datatypes import RequestParameters
11+
12+
13+
class APIGatewayEventOpenAPIRequest:
14+
"""
15+
Converts an API Gateway event payload to an OpenAPI request.
16+
17+
Designed to be used with API Gateway REST API specification exports for
18+
integrations that use event v1 payload. Uses API Gateway event v1 httpMethod
19+
and path data. Requires APIGatewayPathFinder to resolve ANY methods.
20+
"""
21+
22+
def __init__(self, payload: APIGatewayEventPayload):
23+
self.event = APIGatewayEvent(**payload)
24+
25+
self.parameters = RequestParameters(
26+
path=self.path_params,
27+
query=ImmutableMultiDict(self.query_params),
28+
header=Headers(self.event.headers),
29+
cookie=ImmutableMultiDict(),
30+
)
31+
32+
@property
33+
def path_params(self) -> Dict[str, str]:
34+
params = self.event.pathParameters
35+
if params is None:
36+
return {}
37+
return params
38+
39+
@property
40+
def query_params(self) -> Dict[str, str]:
41+
params = self.event.queryStringParameters
42+
if params is None:
43+
return {}
44+
return params
45+
46+
@property
47+
def proto(self) -> str:
48+
return self.event.headers.get("X-Forwarded-Proto", "https")
49+
50+
@property
51+
def host(self) -> str:
52+
return self.event.headers["Host"]
53+
54+
@property
55+
def host_url(self) -> str:
56+
return "://".join([self.proto, self.host])
57+
58+
@property
59+
def path(self) -> str:
60+
return self.event.path
61+
62+
@property
63+
def method(self) -> str:
64+
return self.event.httpMethod.lower()
65+
66+
@property
67+
def body(self) -> Optional[str]:
68+
return self.event.body
69+
70+
@property
71+
def mimetype(self) -> str:
72+
return self.event.headers.get("Content-Type", "")
73+
74+
75+
class APIGatewayEventV2OpenAPIRequest:
76+
"""
77+
Converts an API Gateway event v2 payload to an OpenAPI request.
78+
79+
Designed to be used with API Gateway HTTP API specification exports for
80+
integrations that use event v2 payload. Uses API Gateway event v2 routeKey
81+
and rawPath data. Requires APIGatewayPathFinder to resolve ANY methods.
82+
83+
.. note::
84+
API Gateway HTTP APIs don't support request validation
85+
"""
86+
87+
def __init__(self, payload: APIGatewayEventPayload):
88+
self.event = APIGatewayEventV2(**payload)
89+
90+
self.parameters = RequestParameters(
91+
path=self.path_params,
92+
query=ImmutableMultiDict(self.query_params),
93+
header=Headers(self.event.headers),
94+
cookie=ImmutableMultiDict(),
95+
)
96+
97+
@property
98+
def path_params(self) -> Dict[str, str]:
99+
if self.event.pathParameters is None:
100+
return {}
101+
return self.event.pathParameters
102+
103+
@property
104+
def query_params(self) -> Dict[str, str]:
105+
if self.event.queryStringParameters is None:
106+
return {}
107+
return self.event.queryStringParameters
108+
109+
@property
110+
def proto(self) -> str:
111+
return self.event.headers.get("x-forwarded-proto", "https")
112+
113+
@property
114+
def host(self) -> str:
115+
return self.event.headers["host"]
116+
117+
@property
118+
def host_url(self) -> str:
119+
return "://".join([self.proto, self.host])
120+
121+
@property
122+
def path(self) -> str:
123+
return self.event.rawPath
124+
125+
@property
126+
def method(self) -> str:
127+
return self.event.routeKey.split(" ")[0].lower()
128+
129+
@property
130+
def body(self) -> Optional[str]:
131+
return self.event.body
132+
133+
@property
134+
def mimetype(self) -> str:
135+
return self.event.headers.get("content-type", "")
136+
137+
138+
class APIGatewayEventV2HTTPOpenAPIRequest(APIGatewayEventV2OpenAPIRequest):
139+
"""
140+
Converts an API Gateway event v2 payload to an OpenAPI request.
141+
142+
Uses http integration path and method data.
143+
"""
144+
145+
@property
146+
def path(self) -> str:
147+
return self.event.http.path
148+
149+
@property
150+
def method(self) -> str:
151+
return self.event.http.method.lower()

0 commit comments

Comments
 (0)