Skip to content

Commit 513b0f4

Browse files
authored
Merge pull request #7 from nideveloper/master
Adding in The Scalable Webhook Pattern
2 parents e8afbdf + e3ed114 commit 513b0f4

17 files changed

+7212
-0
lines changed

README.md

+3
Original file line numberDiff line numberDiff line change
@@ -20,6 +20,9 @@ These patterns are from https://www.jeremydaly.com/serverless-microservice-patte
2020
#### [The Simple Webservice](/the-simple-webservice/README.md)
2121
![Architecture](https://raw.githubusercontent.com/cdk-patterns/serverless/master/the-simple-webservice/img/architecture.png)
2222

23+
#### [The Scalable Webhook](/the-scalable-webhook/README.md)
24+
![Architecture](https://raw.githubusercontent.com/cdk-patterns/serverless/master/the-scalable-webhook/img/arch.png)
25+
2326
## Pattern Usage
2427

2528
All Patterns (unless otherwise stated in their readme) should support the same commands so you can just run:

package-lock.json

+3
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

the-scalable-webhook/.gitignore

+8
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,8 @@
1+
*.js
2+
!jest.config.js
3+
*.d.ts
4+
node_modules
5+
6+
# CDK asset staging directory
7+
.cdk.staging
8+
cdk.out

the-scalable-webhook/.npmignore

+6
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,6 @@
1+
*.ts
2+
!*.d.ts
3+
4+
# CDK asset staging directory
5+
.cdk.staging
6+
cdk.out

the-scalable-webhook/README.md

+29
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,29 @@
1+
# The Scalable Webhook
2+
3+
This is an example CDK stack to deploy The Scalable Webhook stack described by Jeremy Daly here - https://www.jeremydaly.com/serverless-microservice-patterns-for-aws/#scalablewebhook
4+
5+
You would use this pattern when you have a non serverless resource like an RDS DB in direct contact with a serverless resource like a lambda. You need to make
6+
sure that your serverless resource doesn't scale up to an amount that it DOS attacks your non serverless resource.
7+
8+
This is done by putting a queue between them and having a lambda with a throttled concurrency policy pull items off the queue and communicate with your
9+
serverless resource at a rate it can handle.
10+
11+
![Architecture](https://raw.githubusercontent.com/cdk-patterns/serverless/master/the-scalable-webhook/img/arch.png)
12+
13+
<strong>NOTE:</strong> For this pattern in the cdk deployable construct I have swapped RDS for DynamoDB. <br /><br />Why? Because it is significantly cheaper/faster for developers to deploy and maintain, I also don't think we lose the essence of the pattern with this swap given we still do the pub/sub deduplication via SQS/Lambda and throttle the subscription lambda. RDS also introduces extra complexity in that it needs to be deployed in a VPC. I am slightly worried developers would get distracted by the extra RDS logic when the main point is the pattern. A real life implementation of this pattern could use RDS MySQL or it could be a call to an on-prem mainframe, the main purpose of the pattern is the throttling to not overload the scale-limited resource.
14+
15+
## How to test pattern
16+
17+
When you deploy this you will have an API Gateway where any url is routed through to the publish lambda. If you modify the url from / to say /hello this url will be sent as a message via sqs to a lambda
18+
which will insert "hello from /hello" into dynamodb as a message. You can track the progress of your message at every stage through cloudwatch as logs are printed, you can view the contents of
19+
dynamo in the console and the contents of sqs in the console. You should also notice that SQS can include duplicate messages but in those instances you don't get two identical records in DynamoDB as
20+
we used an id we generated in the message as the key
21+
22+
## Useful commands
23+
24+
* `npm run build` compile typescript to js
25+
* `npm run watch` watch for changes and compile
26+
* `npm run test` perform the jest unit tests
27+
* `npm run deploy` deploy this stack to your default AWS account/region
28+
* `cdk diff` compare deployed stack with current state
29+
* `cdk synth` emits the synthesized CloudFormation template
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,7 @@
1+
#!/usr/bin/env node
2+
import 'source-map-support/register';
3+
import * as cdk from '@aws-cdk/core';
4+
import { TheScalableWebhookStack } from '../lib/the-scalable-webhook-stack';
5+
6+
const app = new cdk.App();
7+
new TheScalableWebhookStack(app, 'TheScalableWebhookStack');

the-scalable-webhook/cdk.context.json

+4
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,4 @@
1+
{
2+
"@aws-cdk/core:enableStackNameDuplicates": "true",
3+
"aws-cdk:enableDiffNoFail": "true"
4+
}

the-scalable-webhook/cdk.json

+3
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,3 @@
1+
{
2+
"app": "npx ts-node bin/the-scalable-webhook.ts"
3+
}

the-scalable-webhook/img/arch.png

50.7 KB
Loading

the-scalable-webhook/jest.config.js

+9
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,9 @@
1+
module.exports = {
2+
"roots": [
3+
"<rootDir>/test"
4+
],
5+
testMatch: [ '**/*.test.ts'],
6+
"transform": {
7+
"^.+\\.tsx?$": "ts-jest"
8+
},
9+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,46 @@
1+
var AWS = require('aws-sdk');
2+
3+
exports.handler = async function(event:any) {
4+
console.log("request:", JSON.stringify(event, undefined, 2));
5+
6+
// Create an SQS service object
7+
var sqs = new AWS.SQS({apiVersion: '2012-11-05'});
8+
9+
var params = {
10+
DelaySeconds: 10,
11+
MessageAttributes: {
12+
MessageDeduplicationId: {
13+
DataType: "String",
14+
StringValue: event.path + new Date().getTime()
15+
}
16+
},
17+
MessageBody: "hello from "+event.path,
18+
QueueUrl: process.env.queueURL,
19+
};
20+
21+
let response;
22+
23+
await sqs.sendMessage(params, function(err:any, data:any) {
24+
if (err) {
25+
console.log("Error", err);
26+
response = sendRes(500, err)
27+
} else {
28+
console.log("Success", data.MessageId);
29+
response = sendRes(200, 'You have added a message to the queue! Message ID is '+data.MessageId)
30+
}
31+
}).promise();
32+
33+
// return response back to upstream caller
34+
return response;
35+
};
36+
37+
let sendRes = (status:number, body:string) => {
38+
var response = {
39+
statusCode: status,
40+
headers: {
41+
"Content-Type": "text/html"
42+
},
43+
body: body
44+
};
45+
return response;
46+
};
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,33 @@
1+
const { DynamoDB } = require('aws-sdk');
2+
3+
exports.handler = async function(event:any) {
4+
console.log("request:", JSON.stringify(event, undefined, 2));
5+
6+
let records: any[] = event.Records;
7+
// create AWS SDK clients
8+
const dynamo = new DynamoDB();
9+
10+
for(let index in records) {
11+
let payload = records[index].body;
12+
let id = records[index].messageAttributes.MessageDeduplicationId.stringValue
13+
console.log('received message ' + payload);
14+
15+
16+
var params = {
17+
TableName: process.env.tableName,
18+
Item: {
19+
'id' : {S: id},
20+
'message' : {S: payload}
21+
}
22+
};
23+
24+
// Call DynamoDB to add the item to the table
25+
await dynamo.putItem(params, function(err:any, data:any) {
26+
if (err) {
27+
console.log("Error", err);
28+
} else {
29+
console.log("Success", data);
30+
}
31+
}).promise();
32+
}
33+
};
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,72 @@
1+
import * as cdk from '@aws-cdk/core';
2+
import lambda = require('@aws-cdk/aws-lambda');
3+
import apigw = require('@aws-cdk/aws-apigateway');
4+
import sqs = require('@aws-cdk/aws-sqs');
5+
import { SqsEventSource } from '@aws-cdk/aws-lambda-event-sources';
6+
import dynamodb = require('@aws-cdk/aws-dynamodb');
7+
8+
export class TheScalableWebhookStack extends cdk.Stack {
9+
constructor(scope: cdk.Construct, id: string, props?: cdk.StackProps) {
10+
super(scope, id, props);
11+
12+
/**
13+
* Dynamo Setup
14+
* This is standing in for what is RDS on the diagram due to simpler/cheaper setup
15+
*/
16+
const table = new dynamodb.Table(this, 'Messages', {
17+
partitionKey: { name: 'id', type: dynamodb.AttributeType.STRING } //the key being id means we squash duplicate sqs messages
18+
});
19+
20+
/**
21+
* Queue Setup
22+
* SQS creation
23+
*/
24+
const queue = new sqs.Queue(this, 'RDSPublishQueue', {
25+
visibilityTimeout: cdk.Duration.seconds(300)
26+
});
27+
28+
/**
29+
* Lambdas
30+
* Both publisher and subscriber from pattern
31+
*/
32+
33+
// defines an AWS Lambda resource to publish to our queue
34+
const sqsPublishLambda = new lambda.Function(this, 'SQSPublishLambdaHandler', {
35+
runtime: lambda.Runtime.NODEJS_12_X, // execution environment
36+
code: lambda.Code.asset('lambdas/publish'), // code loaded from the "lambdas/publish" directory
37+
handler: 'lambda.handler', // file is "lambda", function is "handler"
38+
environment: {
39+
queueURL: queue.queueUrl
40+
}
41+
});
42+
43+
queue.grantSendMessages(sqsPublishLambda);
44+
45+
// defines an AWS Lambda resource to pull from our queue
46+
const sqsSubscribeLambda = new lambda.Function(this, 'SQSSubscribeLambdaHandler', {
47+
runtime: lambda.Runtime.NODEJS_12_X, // execution environment
48+
code: lambda.Code.asset('lambdas/subscribe'), // code loaded from the "lambdas/subscribe" directory
49+
handler: 'lambda.handler', // file is "lambda", function is "handler"
50+
reservedConcurrentExecutions: 2, // throttle lambda to 2 concurrent invocations
51+
environment: {
52+
queueURL: queue.queueUrl,
53+
tableName: table.tableName
54+
},
55+
});
56+
queue.grantConsumeMessages(sqsSubscribeLambda);
57+
sqsSubscribeLambda.addEventSource(new SqsEventSource(queue, {}));
58+
table.grantReadWriteData(sqsSubscribeLambda);
59+
60+
61+
/**
62+
* API Gateway Proxy
63+
* Used to expose the webhook through a URL
64+
*/
65+
66+
// defines an API Gateway REST API resource backed by our "sqsPublishLambda" function.
67+
new apigw.LambdaRestApi(this, 'Endpoint', {
68+
handler: sqsPublishLambda
69+
});
70+
71+
}
72+
}

0 commit comments

Comments
 (0)