forked from aws-powertools/powertools-lambda-python
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy paths3_batch_operation_event.py
241 lines (192 loc) · 8.42 KB
/
s3_batch_operation_event.py
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
import warnings
from dataclasses import dataclass, field
from typing import Any, Dict, Iterator, List, Literal, Optional, Tuple
from urllib.parse import unquote_plus
from aws_lambda_powertools.utilities.data_classes.common import DictWrapper
# list of valid result code. Used both in S3BatchOperationResponse and S3BatchOperationResponseRecord
VALID_RESULT_CODES: Tuple[str, str, str] = ("Succeeded", "TemporaryFailure", "PermanentFailure")
RESULT_CODE_TYPE = Literal["Succeeded", "TemporaryFailure", "PermanentFailure"]
@dataclass(repr=False, order=False)
class S3BatchOperationResponseRecord:
task_id: str
result_code: RESULT_CODE_TYPE
result_string: Optional[str] = None
def asdict(self) -> Dict[str, Any]:
if self.result_code not in VALID_RESULT_CODES:
warnings.warn(
stacklevel=2,
message=f"The resultCode {self.result_code} is not valid. "
f"Choose from {', '.join(map(repr, VALID_RESULT_CODES))}.",
)
return {
"taskId": self.task_id,
"resultCode": self.result_code,
"resultString": self.result_string,
}
@dataclass(repr=False, order=False)
class S3BatchOperationResponse:
"""S3 Batch Operations response object
Documentation:
--------------
- https://docs.aws.amazon.com/lambda/latest/dg/services-s3-batch.html
- https://docs.aws.amazon.com/AmazonS3/latest/userguide/batch-ops-invoke-lambda.html#batch-ops-invoke-lambda-custom-functions
- https://docs.aws.amazon.com/AmazonS3/latest/API/API_control_LambdaInvokeOperation.html#AmazonS3-Type-control_LambdaInvokeOperation-InvocationSchemaVersion
Parameters
----------
invocation_schema_version : str
Specifies the schema version for the payload that Batch Operations sends when invoking
an AWS Lambda function., either '1.0' or '2.0'. This must be copied from the event.
invocation_id : str
The identifier of the invocation request. This must be copied from the event.
treat_missing_keys_as : Literal["Succeeded", "TemporaryFailure", "PermanentFailure"]
Undocumented parameter, defaults to "Succeeded"
results : List[S3BatchOperationResult]
Results of each S3 Batch Operations task,
optional parameter at start. Can be added later using `add_result` function.
Examples
--------
**S3 Batch Operations**
```python
import boto3
from botocore.exceptions import ClientError
from aws_lambda_powertools.utilities.data_classes import (
S3BatchOperationEvent,
S3BatchOperationResponse,
event_source
)
from aws_lambda_powertools.utilities.typing import LambdaContext
@event_source(data_class=S3BatchOperationEvent)
def lambda_handler(event: S3BatchOperationEvent, context: LambdaContext):
response = S3BatchOperationResponse(
event.invocation_schema_version,
event.invocation_id,
"PermanentFailure"
)
result = None
task = event.task
src_key: str = task.s3_key
src_bucket: str = task.s3_bucket
s3 = boto3.client("s3", region_name='us-east-1')
try:
dest_bucket, dest_key = do_some_work(s3, src_bucket, src_key)
result = task.build_task_batch_response("Succeeded", f"s3://{dest_bucket}/{dest_key}")
except ClientError as e:
error_code = e.response['Error']['Code']
error_message = e.response['Error']['Message']
if error_code == 'RequestTimeout':
result = task.build_task_batch_response("TemporaryFailure", "Timeout - trying again")
else:
result = task.build_task_batch_response("PermanentFailure", f"{error_code}: {error_message}")
except Exception as e:
result = task.build_task_batch_response("PermanentFailure", str(e))
finally:
response.add_result(result)
return response.asdict()
```
"""
invocation_schema_version: str
invocation_id: str
treat_missing_keys_as: RESULT_CODE_TYPE = "Succeeded"
results: List[S3BatchOperationResponseRecord] = field(default_factory=list)
def __post_init__(self):
if self.treat_missing_keys_as not in VALID_RESULT_CODES:
warnings.warn(
stacklevel=2,
message=f"The value {self.treat_missing_keys_as} is not valid for treat_missing_keys_as, "
f"Choose from {', '.join(map(repr, VALID_RESULT_CODES))}.",
)
def add_result(self, result: S3BatchOperationResponseRecord):
self.results.append(result)
def asdict(self) -> Dict:
result_count = len(self.results)
if result_count != 1:
raise ValueError(f"Response must have exactly one result, but got {result_count}")
return {
"invocationSchemaVersion": self.invocation_schema_version,
"treatMissingKeysAs": self.treat_missing_keys_as,
"invocationId": self.invocation_id,
"results": [result.asdict() for result in self.results],
}
class S3BatchOperationJob(DictWrapper):
@property
def get_id(self) -> str:
# Note: this name conflicts with existing python builtins
return self["id"]
@property
def user_arguments(self) -> Dict[str, str]:
"""Get user arguments provided for this job (only for invocation schema 2.0)"""
return self.get("userArguments") or {}
class S3BatchOperationTask(DictWrapper):
@property
def task_id(self) -> str:
"""Get the task id"""
return self["taskId"]
@property
def s3_key(self) -> str:
"""Get the object key using unquote_plus"""
return unquote_plus(self["s3Key"])
@property
def s3_version_id(self) -> Optional[str]:
"""Object version if bucket is versioning-enabled, otherwise null"""
return self.get("s3VersionId")
@property
def s3_bucket_arn(self) -> Optional[str]:
"""Get the s3 bucket arn (present only for invocationSchemaVersion '1.0')"""
return self.get("s3BucketArn")
@property
def s3_bucket(self) -> str:
"""
Get the s3 bucket, either from 's3Bucket' property (invocationSchemaVersion '2.0')
or from 's3BucketArn' (invocationSchemaVersion '1.0')
"""
if self.s3_bucket_arn:
return self.s3_bucket_arn.split(":::")[-1]
return self["s3Bucket"]
def build_task_batch_response(
self,
result_code: Literal["Succeeded", "TemporaryFailure", "PermanentFailure"] = "Succeeded",
result_string: str = "",
) -> S3BatchOperationResponseRecord:
"""Create a S3BatchOperationResponseRecord directly using the task_id and given values
Parameters
----------
result_code : Literal["Succeeded", "TemporaryFailure", "PermanentFailure"] = "Succeeded"
task result, supported value: "Succeeded", "TemporaryFailure", "PermanentFailure"
result_string : str
string to identify in the report
"""
return S3BatchOperationResponseRecord(
task_id=self.task_id,
result_code=result_code,
result_string=result_string,
)
class S3BatchOperationEvent(DictWrapper):
"""Amazon S3BatchOperation Event
Documentation:
--------------
- https://docs.aws.amazon.com/AmazonS3/latest/userguide/batch-ops-invoke-lambda.html
"""
@property
def invocation_id(self) -> str:
"""Get the identifier of the invocation request"""
return self["invocationId"]
@property
def invocation_schema_version(self) -> Literal["1.0", "2.0"]:
"""
Get the schema version for the payload that Batch Operations sends when invoking an
AWS Lambda function. Either '1.0' or '2.0'.
"""
return self["invocationSchemaVersion"]
@property
def tasks(self) -> Iterator[S3BatchOperationTask]:
"""Get s3 batch operation tasks"""
for task in self["tasks"]:
yield S3BatchOperationTask(task)
@property
def task(self) -> S3BatchOperationTask:
"""Get the first s3 batch operation task"""
return next(self.tasks)
@property
def job(self) -> S3BatchOperationJob:
"""Get the s3 batch operation job"""
return S3BatchOperationJob(self["job"])