Add events target integration for sqs queue (#3815)

This commit is contained in:
Anton Grübel 2021-03-30 15:13:10 +02:00 committed by GitHub
parent 4f34439170
commit 9c89c24caf
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
4 changed files with 239 additions and 43 deletions

View File

@ -100,7 +100,10 @@ class Rule(CloudFormationModel):
if not self._validate_event(event): if not self._validate_event(event):
return return
# for now only CW Log groups are supported # supported targets
# - CloudWatch Log Group
# - EventBridge Archive
# - SQS Queue (not FIFO)
for target in self.targets: for target in self.targets:
arn = self._parse_arn(target["Arn"]) arn = self._parse_arn(target["Arn"])
@ -111,6 +114,8 @@ class Rule(CloudFormationModel):
archive_arn = self._parse_arn(input_template["archive-arn"]) archive_arn = self._parse_arn(input_template["archive-arn"])
self._send_to_events_archive(archive_arn.resource_id, event) self._send_to_events_archive(archive_arn.resource_id, event)
elif arn.service == "sqs":
self._send_to_sqs_queue(arn.resource_id, event)
else: else:
raise NotImplementedError("Expr not defined for {0}".format(type(self))) raise NotImplementedError("Expr not defined for {0}".format(type(self)))
@ -185,6 +190,18 @@ class Rule(CloudFormationModel):
if archive.uuid == archive_uuid: if archive.uuid == archive_uuid:
archive.events.append(event) archive.events.append(event)
def _send_to_sqs_queue(self, resource_id, event):
from moto.sqs import sqs_backends
event_copy = copy.deepcopy(event)
event_copy["time"] = iso_8601_datetime_without_milliseconds(
datetime.utcfromtimestamp(event_copy["time"])
)
sqs_backends[self.region_name].send_message(
queue_name=resource_id, message_body=json.dumps(event_copy)
)
def get_cfn_attribute(self, attribute_name): def get_cfn_attribute(self, attribute_name):
from moto.cloudformation.exceptions import UnformattedGetAttTemplateException from moto.cloudformation.exceptions import UnformattedGetAttTemplateException
@ -709,14 +726,30 @@ class EventsBackend(BaseBackend):
self.rules_order.append(new_rule.name) self.rules_order.append(new_rule.name)
return new_rule return new_rule
def put_targets(self, name, targets): def put_targets(self, name, event_bus_name, targets):
# super simple ARN check
invalid_arn = next(
(
target["Arn"]
for target in targets
if not re.match(r"arn:[\d\w:\-/]*", target["Arn"])
),
None,
)
if invalid_arn:
raise ValidationException(
"Parameter {} is not valid. "
"Reason: Provided Arn is not in correct format.".format(invalid_arn)
)
rule = self.rules.get(name) rule = self.rules.get(name)
if rule: if not rule:
rule.put_targets(targets) raise ResourceNotFoundException(
return True "Rule {0} does not exist on EventBus {1}.".format(name, event_bus_name)
)
return False rule.put_targets(targets)
def put_events(self, events): def put_events(self, events):
num_events = len(events) num_events = len(events)
@ -788,18 +821,16 @@ class EventsBackend(BaseBackend):
return entries return entries
def remove_targets(self, name, ids): def remove_targets(self, name, event_bus_name, ids):
rule = self.rules.get(name) rule = self.rules.get(name)
if rule: if not rule:
rule.remove_targets(ids) raise ResourceNotFoundException(
return {"FailedEntries": [], "FailedEntryCount": 0} "Rule {0} does not exist on EventBus {1}.".format(name, event_bus_name)
else:
raise JsonRESTError(
"ResourceNotFoundException",
"An entity that you specified does not exist",
) )
rule.remove_targets(ids)
def test_event_pattern(self): def test_event_pattern(self):
raise NotImplementedError() raise NotImplementedError()
@ -955,6 +986,7 @@ class EventsBackend(BaseBackend):
) )
self.put_targets( self.put_targets(
rule.name, rule.name,
rule.event_bus_name,
[ [
{ {
"Id": rule.name, "Id": rule.name,

View File

@ -207,18 +207,10 @@ class EventsHandler(BaseResponse):
def put_targets(self): def put_targets(self):
rule_name = self._get_param("Rule") rule_name = self._get_param("Rule")
event_bus_name = self._get_param("EventBusName", "default")
targets = self._get_param("Targets") targets = self._get_param("Targets")
if not rule_name: self.events_backend.put_targets(rule_name, event_bus_name, targets)
return self.error("ValidationException", "Parameter Rule is required.")
if not targets:
return self.error("ValidationException", "Parameter Targets is required.")
if not self.events_backend.put_targets(rule_name, targets):
return self.error(
"ResourceNotFoundException", "Rule " + rule_name + " does not exist."
)
return ( return (
json.dumps({"FailedEntryCount": 0, "FailedEntries": []}), json.dumps({"FailedEntryCount": 0, "FailedEntries": []}),
@ -227,18 +219,10 @@ class EventsHandler(BaseResponse):
def remove_targets(self): def remove_targets(self):
rule_name = self._get_param("Rule") rule_name = self._get_param("Rule")
event_bus_name = self._get_param("EventBusName", "default")
ids = self._get_param("Ids") ids = self._get_param("Ids")
if not rule_name: self.events_backend.remove_targets(rule_name, event_bus_name, ids)
return self.error("ValidationException", "Parameter Rule is required.")
if not ids:
return self.error("ValidationException", "Parameter Ids is required.")
if not self.events_backend.remove_targets(rule_name, ids):
return self.error(
"ResourceNotFoundException", "Rule " + rule_name + " does not exist."
)
return ( return (
json.dumps({"FailedEntryCount": 0, "FailedEntries": []}), json.dumps({"FailedEntryCount": 0, "FailedEntries": []}),

View File

@ -301,14 +301,21 @@ def test_update_rule_with_targets():
@mock_events @mock_events
def test_remove_targets_errors(): def test_remove_targets_error_unknown_rule():
client = boto3.client("events", "us-east-1") # given
client = boto3.client("events", "eu-central-1")
client.remove_targets.when.called_with( # when
Rule="non-existent", Ids=["Id12345678"] with pytest.raises(ClientError) as e:
).should.throw( client.remove_targets(Rule="unknown", Ids=["something"])
client.exceptions.ResourceNotFoundException,
"An entity that you specified does not exist", # then
ex = e.value
ex.operation_name.should.equal("RemoveTargets")
ex.response["ResponseMetadata"]["HTTPStatusCode"].should.equal(400)
ex.response["Error"]["Code"].should.contain("ResourceNotFoundException")
ex.response["Error"]["Message"].should.equal(
"Rule unknown does not exist on EventBus default."
) )
@ -328,7 +335,7 @@ def test_put_targets():
targets_before = len(targets) targets_before = len(targets)
assert targets_before == 0 assert targets_before == 0
targets_data = [{"Arn": "test_arn", "Id": "test_id"}] targets_data = [{"Arn": "arn:aws:s3:::test-arn", "Id": "test_id"}]
resp = client.put_targets(Rule=rule_name, Targets=targets_data) resp = client.put_targets(Rule=rule_name, Targets=targets_data)
assert resp["FailedEntryCount"] == 0 assert resp["FailedEntryCount"] == 0
assert len(resp["FailedEntries"]) == 0 assert len(resp["FailedEntries"]) == 0
@ -337,10 +344,63 @@ def test_put_targets():
targets_after = len(targets) targets_after = len(targets)
assert targets_before + 1 == targets_after assert targets_before + 1 == targets_after
assert targets[0]["Arn"] == "test_arn" assert targets[0]["Arn"] == "arn:aws:s3:::test-arn"
assert targets[0]["Id"] == "test_id" assert targets[0]["Id"] == "test_id"
@mock_events
def test_put_targets_error_invalid_arn():
# given
client = boto3.client("events", "eu-central-1")
rule_name = "test-rule"
client.put_rule(
Name=rule_name,
EventPattern=json.dumps({"account": [ACCOUNT_ID]}),
State="ENABLED",
)
# when
with pytest.raises(ClientError) as e:
client.put_targets(
Rule=rule_name,
Targets=[
{"Id": "s3", "Arn": "arn:aws:s3:::test-bucket"},
{"Id": "s3", "Arn": "test-bucket"},
],
)
# then
ex = e.value
ex.operation_name.should.equal("PutTargets")
ex.response["ResponseMetadata"]["HTTPStatusCode"].should.equal(400)
ex.response["Error"]["Code"].should.contain("ValidationException")
ex.response["Error"]["Message"].should.equal(
"Parameter test-bucket is not valid. "
"Reason: Provided Arn is not in correct format."
)
@mock_events
def test_put_targets_error_unknown_rule():
# given
client = boto3.client("events", "eu-central-1")
# when
with pytest.raises(ClientError) as e:
client.put_targets(
Rule="unknown", Targets=[{"Id": "s3", "Arn": "arn:aws:s3:::test-bucket"}]
)
# then
ex = e.value
ex.operation_name.should.equal("PutTargets")
ex.response["ResponseMetadata"]["HTTPStatusCode"].should.equal(400)
ex.response["Error"]["Code"].should.contain("ResourceNotFoundException")
ex.response["Error"]["Message"].should.equal(
"Rule unknown does not exist on EventBus default."
)
@mock_events @mock_events
def test_permissions(): def test_permissions():
client = boto3.client("events", "eu-central-1") client = boto3.client("events", "eu-central-1")

View File

@ -0,0 +1,120 @@
import json
from datetime import datetime
import boto3
import sure # noqa
from moto import mock_events, mock_sqs, mock_logs
from moto.core import ACCOUNT_ID
from moto.core.utils import iso_8601_datetime_without_milliseconds
@mock_events
@mock_logs
def test_send_to_cw_log_group():
# given
client_events = boto3.client("events", "eu-central-1")
client_logs = boto3.client("logs", region_name="eu-central-1")
log_group_name = "/test-group"
rule_name = "test-rule"
client_logs.create_log_group(logGroupName=log_group_name)
client_events.put_rule(
Name=rule_name,
EventPattern=json.dumps({"account": [ACCOUNT_ID]}),
State="ENABLED",
)
client_events.put_targets(
Rule=rule_name,
Targets=[
{
"Id": "logs",
"Arn": "arn:aws:logs:eu-central-1:{0}:log-group:{1}".format(
ACCOUNT_ID, log_group_name
),
}
],
)
# when
event_time = datetime(2021, 1, 1, 12, 23, 34)
client_events.put_events(
Entries=[
{
"Time": event_time,
"Source": "source",
"DetailType": "type",
"Detail": json.dumps({"key": "value"}),
}
],
)
# then
response = client_logs.filter_log_events(logGroupName=log_group_name)
response["events"].should.have.length_of(1)
event = response["events"][0]
event["logStreamName"].should_not.be.empty
event["timestamp"].should.be.a(float)
event["ingestionTime"].should.be.a(int)
event["eventId"].should_not.be.empty
message = json.loads(event["message"])
message["version"].should.equal("0")
message["id"].should_not.be.empty
message["detail-type"].should.equal("type")
message["source"].should.equal("source")
message["time"].should.equal(iso_8601_datetime_without_milliseconds(event_time))
message["region"].should.equal("eu-central-1")
message["resources"].should.be.empty
message["detail"].should.equal({"key": "value"})
@mock_events
@mock_sqs
def test_send_to_sqs_queue():
# given
client_events = boto3.client("events", "eu-central-1")
client_sqs = boto3.client("sqs", region_name="eu-central-1")
rule_name = "test-rule"
queue_url = client_sqs.create_queue(QueueName="test-queue")["QueueUrl"]
queue_arn = client_sqs.get_queue_attributes(
QueueUrl=queue_url, AttributeNames=["QueueArn"]
)["Attributes"]["QueueArn"]
client_events.put_rule(
Name=rule_name,
EventPattern=json.dumps({"account": [ACCOUNT_ID]}),
State="ENABLED",
)
client_events.put_targets(
Rule=rule_name, Targets=[{"Id": "sqs", "Arn": queue_arn}],
)
# when
event_time = datetime(2021, 1, 1, 12, 23, 34)
client_events.put_events(
Entries=[
{
"Time": event_time,
"Source": "source",
"DetailType": "type",
"Detail": json.dumps({"key": "value"}),
}
],
)
# then
response = client_sqs.receive_message(QueueUrl=queue_url)
response["Messages"].should.have.length_of(1)
message = response["Messages"][0]
message["MessageId"].should_not.be.empty
message["ReceiptHandle"].should_not.be.empty
message["MD5OfBody"].should_not.be.empty
body = json.loads(message["Body"])
body["version"].should.equal("0")
body["id"].should_not.be.empty
body["detail-type"].should.equal("type")
body["source"].should.equal("source")
body["time"].should.equal(iso_8601_datetime_without_milliseconds(event_time))
body["region"].should.equal("eu-central-1")
body["resources"].should.be.empty
body["detail"].should.equal({"key": "value"})