|
1 |
| -## Using the AWS SDK from Lambda functions. |
| 1 | +Interacting with AWS Services |
| 2 | +============================= |
| 3 | + |
| 4 | +The node.js and Python stacks include SDKs to interact with other AWS services. |
| 5 | +For Java you will need to include any such SDK in the JAR file. |
| 6 | + |
| 7 | +## Credentials |
2 | 8 |
|
3 | 9 | Running Lambda functions outside of AWS means that we cannot automatically get
|
4 | 10 | access to other AWS resources based on Lambda subsuming the execution role
|
@@ -56,3 +62,284 @@ If you have an existing image with the same name registered with IronWorker,
|
56 | 62 | the environment variables will not simply be updated. You need to first delete
|
57 | 63 | the code from HUD and then publish the function again. This will unfortunately
|
58 | 64 | result in a new webhook URL for the function.
|
| 65 | + |
| 66 | +## Example: Using Lambda with IronWorker and Amazon Simple Notification Service |
| 67 | + |
| 68 | +Lambda's premise of server-less computing requires a few infrastructural pieces |
| 69 | +other than just the Docker image. First there needs to be a platform that can |
| 70 | +run these Docker images on demand. Second, we need some way to invoke the |
| 71 | +Lambda function based on an external event. |
| 72 | + |
| 73 | +In this example, we will look at how to use IronWorker and Amazon Simple |
| 74 | +Notification Service (SNS) to create a function that can search a given URL for |
| 75 | +a user-specified keyword. You can build upon this, coupled with some storage |
| 76 | +provider (like Amazon S3) to build a simple search engine. |
| 77 | + |
| 78 | +The concepts introduced here can be used with any infrastructure that let's you |
| 79 | +start a Docker container on some event. It is not tied to IronWorker. |
| 80 | + |
| 81 | +The code for this example is located [here](../examples/sns/sns.js). |
| 82 | + |
| 83 | +### Setup |
| 84 | + |
| 85 | +Make sure you have an [IronWorker](https://www.iron.io/platform/ironworker/) |
| 86 | +account. You can make one [here](https://www.iron.io/get-started/). You will |
| 87 | +need a [Docker Hub](https://hub.docker.com) account to publish the Lambda function. |
| 88 | + |
| 89 | +Also set up an [AWS |
| 90 | +account](http://docs.aws.amazon.com/sns/latest/dg/SNSBeforeYouBegin.html) and [create a SNS topic](http://docs.aws.amazon.com/sns/latest/dg/CreateTopic.html). Call this topic `sns-example`. Carefully note the region the topic was created in. The region is found in the topic ARN. |
| 91 | + |
| 92 | +You will also need credentials to use the AWS SDK. These credentials can be |
| 93 | +obtained from the IAM and are in the form of an Access Key and Secret. See the |
| 94 | +[AWS page](./aws.md) page for more information. |
| 95 | + |
| 96 | +### Function outline |
| 97 | + |
| 98 | +SNS can notify a variety of endpoints when a message is published to the topic. |
| 99 | +One of these is an HTTPS URL. IronWorker provides an HTTPS URL that runs an |
| 100 | +instance of the Docker image when the URL receives a POST. |
| 101 | + |
| 102 | +In this example, we will manually publish messages to SNS, which will trigger |
| 103 | +the webhook, our Lambda function will fetch the URL passed in the message, |
| 104 | +search for the keyword in the response, and print out the count. |
| 105 | + |
| 106 | +Here is the beginning of the function: |
| 107 | + |
| 108 | +```js |
| 109 | +var http = require('http'); |
| 110 | +var AWS = require('aws-sdk'); |
| 111 | +AWS.config.region = 'us-west-1'; |
| 112 | + |
| 113 | +function searchString(context, text, key) { |
| 114 | + // Global and Ignore case flags. |
| 115 | + var regex = new RegExp(key, 'gi'); |
| 116 | + |
| 117 | + var results = []; |
| 118 | + var m; |
| 119 | + while ((m = regex.exec(text)) != null) { |
| 120 | + results.push(m); |
| 121 | + } |
| 122 | + |
| 123 | + console.log("Found", results.length, "instances of", key); |
| 124 | + context.succeed(); |
| 125 | +} |
| 126 | + |
| 127 | +function searchBody(context, res, key) { |
| 128 | + if (res.statusCode === 200) { |
| 129 | + var body = ""; |
| 130 | + res.on('data', function(chunk) { body += chunk.toString(); }); |
| 131 | + res.on('end', function() { searchString(context, body, key); }); |
| 132 | + } else { |
| 133 | + context.fail("Non-200 status code " + res.statusCode + " fetching '" + message.url + "'. Aborting."); |
| 134 | + } |
| 135 | +} |
| 136 | +``` |
| 137 | + |
| 138 | +Here we set up the various functions that will implement our Lambda function's |
| 139 | +logic. Set the AWS region to the region in the SNS topic ARN, otherwise our |
| 140 | +function will fail. |
| 141 | + |
| 142 | +The `searchBody` function takes a node `http.ClientResponse` and gathers the |
| 143 | +body data, then calls `searchString` to perform the regular expression match. |
| 144 | +Finally each function invokes the `context.fail()` or `context.succeed()` |
| 145 | +functions as appropriate. This is important, otherwise our function won't |
| 146 | +terminate until it times out, even if execution was done. |
| 147 | + |
| 148 | +#### Handling SNS event types. |
| 149 | + |
| 150 | +SNS events send the payload as a JSON message to our webhook. These are passed |
| 151 | +on to the Lambda function in the handler's `event` parameter. Each SNS message |
| 152 | +contains a `Type` field. We are interested in two types - `Notification` and |
| 153 | +`SubscriptionConfirmation`. The former is used to deliver published messages. |
| 154 | + |
| 155 | +Before SNS can start sending messages to the subscriber, the subscriber has to |
| 156 | +confirm the subscription. This is to prevent abuse. The |
| 157 | +`SubscriptionConfirmation` type is used for this. Our function will have to |
| 158 | +deal with both. |
| 159 | + |
| 160 | +```js |
| 161 | +exports.handler = function(event, context) { |
| 162 | + if (event.Type == 'Notification') { |
| 163 | + // ... |
| 164 | + } |
| 165 | + else if (event.Type == 'SubscriptionConfirmation') { |
| 166 | + // ... |
| 167 | + } else { |
| 168 | + console.log("unknown event.Type", event.Type); |
| 169 | + context.fail(); |
| 170 | + } |
| 171 | +}; |
| 172 | +``` |
| 173 | + |
| 174 | +We can use the SDK to confirm the subscription. |
| 175 | + |
| 176 | +```js |
| 177 | +var sns = new AWS.SNS(); |
| 178 | +var params = { |
| 179 | + Token: event.Token, |
| 180 | + TopicArn: event.TopicArn, |
| 181 | +}; |
| 182 | +sns.confirmSubscription(params, function(err, data) { |
| 183 | + if (err) { |
| 184 | + console.log(err, err.stack); |
| 185 | + context.fail(err); |
| 186 | + } else { |
| 187 | + console.log("Confirmed subscription", data); |
| 188 | + console.log("Ready to process events."); |
| 189 | + context.done(); |
| 190 | + } |
| 191 | +}); |
| 192 | +``` |
| 193 | + |
| 194 | +The `Token` is unique and has to be sent to SNS to indicate that we are a valid |
| 195 | +subscriber that the message was intended for. Once we confirm the subscription, |
| 196 | +this run of the Lambda function is done and we can stop (`context.done()`). |
| 197 | +SNS is now ready to run this Lambda function when we publish to the topic. |
| 198 | + |
| 199 | +Finally we come to the event type we expect to receive most often -- |
| 200 | +`Notification`. In this case, we try to grab the url and keyword from the |
| 201 | +message and run our earlier `searchBody()` function on it. |
| 202 | + |
| 203 | +```js |
| 204 | +try { |
| 205 | + var message = JSON.parse(event.Message); |
| 206 | + if (typeof message.url == "string" && typeof message.keyword == "string") { |
| 207 | + http.get(message.url, function(res) { searchBody(context, res, message.keyword); }) |
| 208 | + .on('error', function(e) { |
| 209 | + context.fail(e); |
| 210 | + }); |
| 211 | + } else { |
| 212 | + context.fail("Invalid message " + event.Message); |
| 213 | + } |
| 214 | +} catch(e) { |
| 215 | + context.fail(e); |
| 216 | +} |
| 217 | +``` |
| 218 | + |
| 219 | +### Trying it out |
| 220 | + |
| 221 | +With this function ready, we can Dockerize it and publish it to actually try it |
| 222 | +out with SNS. |
| 223 | + |
| 224 | +```sh |
| 225 | +ironcli lambda create-function -function-name <Docker Hub username>/sns-example -runtime |
| 226 | +nodejs -handler sns.handler sns.js |
| 227 | +``` |
| 228 | + |
| 229 | +This will create a local docker image. The `publish-function` command will |
| 230 | +upload this to Docker Hub and register it with IronWorker. |
| 231 | + |
| 232 | +FIXME(nikhil): AWS credentials bit. |
| 233 | + |
| 234 | +To be able to use the AWS SDK, you'll also need to set two environment |
| 235 | +variables. The values must be your AWS credentials. |
| 236 | + |
| 237 | +```sh |
| 238 | +AWS_ACCESS_KEY_ID=<access key> |
| 239 | +AWS_SECRET_ACCESS_KEY=<secret key> |
| 240 | + |
| 241 | +ironcli publish-function -function-name <Docker Hub username>/sns-example:latest |
| 242 | +``` |
| 243 | + |
| 244 | +Visit the published function's code page in the [IronWorker control |
| 245 | +panel](https://hud.iron.io). You should see a cloaked field called "Webhook |
| 246 | +URL". Copy this URL. |
| 247 | + |
| 248 | +In the AWS SNS control panel, visit the `sns-example` topic. Click "Create |
| 249 | +Subscription". Select the subscription type as HTTPS and paste the webhook URL. |
| 250 | +Once you save this, the IronWorker task should have been launched and then |
| 251 | +finished successfully with a "Confirmed subscription" message. |
| 252 | + |
| 253 | +Now you can click the blue "Publish to topic" button on the AWS SNS control |
| 254 | +panel. Select the message format as JSON and the contents as (for example): |
| 255 | + |
| 256 | +```js |
| 257 | +{ |
| 258 | + "default": "{\"url\": \"http://www.econrates.com/reality/schul.html\", \"keyword\": \"blackbird\"}" |
| 259 | +} |
| 260 | +``` |
| 261 | + |
| 262 | +SNS will send the string in the `"default"` key to all subscribers. You should |
| 263 | +be able to see that the IronWorker task has been run again. If everything went |
| 264 | +well, it should have printed out a summary and exited successfully. |
| 265 | + |
| 266 | +That's it, a simple, notification based, Lambda function. |
| 267 | + |
| 268 | +## Example: Reading and writing to S3 Bucket |
| 269 | + |
| 270 | +This example demonstrates modifying S3 buckets and using the included |
| 271 | +ImageMagick tools in a node.js function. Our function will fetch an image |
| 272 | +stored in a key specified by the event, resize it to a width of 1024px and save |
| 273 | +it to another key. |
| 274 | + |
| 275 | +The code for this example is located [here](../examples/s3/example.js). |
| 276 | + |
| 277 | +The event will look like: |
| 278 | + |
| 279 | +```js |
| 280 | +{ |
| 281 | + "bucket": "iron-lambda-demo-images", |
| 282 | + "srcKey": "waterfall.jpg", |
| 283 | + "dstKey": "waterfall-1024.jpg" |
| 284 | +} |
| 285 | +``` |
| 286 | + |
| 287 | +The setup, imports and SDK initialization. |
| 288 | + |
| 289 | +```js |
| 290 | +var im = require('imagemagick'); |
| 291 | +var fs = require('fs'); |
| 292 | +var AWS = require('aws-sdk'); |
| 293 | + |
| 294 | +exports.run = function(event, context) { |
| 295 | + var bucketName = event['bucket'] |
| 296 | + var srcImageKey = event['srcKey'] |
| 297 | + var dstImageKey = event['dstKey'] |
| 298 | + |
| 299 | + var s3 = new AWS.S3(); |
| 300 | +} |
| 301 | +``` |
| 302 | + |
| 303 | +First we retrieve the source and write it to a local file so ImageMagick can |
| 304 | +work with it. |
| 305 | + |
| 306 | +```js |
| 307 | +s3.getObject({ |
| 308 | + Bucket: bucketName, |
| 309 | + Key: srcImageKey |
| 310 | + }, function (err, data) { |
| 311 | + |
| 312 | + if (err) throw err; |
| 313 | + |
| 314 | + var fileSrc = '/tmp/image-src.dat'; |
| 315 | + var fileDst = '/tmp/image-dst.dat' |
| 316 | + fs.writeFileSync(fileSrc, data.Body) |
| 317 | + |
| 318 | +}); |
| 319 | +``` |
| 320 | + |
| 321 | +The actual resizing involves using the identify function to get the current |
| 322 | +size (we only resize if the image is wider than 1024px), then doing the actual |
| 323 | +conversion to `fileDst`. Finally we upload to S3. |
| 324 | + |
| 325 | +```js |
| 326 | +im.identify(fileSrc, function(err, features) { |
| 327 | + resizeIfRequired(err, features, fileSrc, fileDst, function(err, resized) { |
| 328 | + if (err) throw err; |
| 329 | + if (resized) { |
| 330 | + s3.putObject({ |
| 331 | + Bucket:bucketName, |
| 332 | + Key: dstImageKey, |
| 333 | + Body: fs.createReadStream(fileDst), |
| 334 | + ContentType: 'image/jpeg', |
| 335 | + ACL: 'public-read', |
| 336 | + }, function (err, data) { |
| 337 | + if (err) throw err; |
| 338 | + context.done() |
| 339 | + }); |
| 340 | + } else { |
| 341 | + context.done(); |
| 342 | + } |
| 343 | + }); |
| 344 | +}); |
| 345 | +``` |
0 commit comments