Skip to content

Commit d1fb0b0

Browse files
committed
prepare for SAR deployment
1 parent 060f4d3 commit d1fb0b0

17 files changed

+220
-134
lines changed

LICENSE.txt

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
GPL v2, see https://github.com/jgm/pandoc/blob/master/COPYRIGHT

README-SAR.md

+11
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,11 @@
1+
# Pandoc Lambda Layer for Amazon Linux 2 AMIs
2+
3+
Static build of Pandoc for Amazon Linux 2, packaged as a Lambda layer.
4+
Bundles Pandoc 2.7.2.
5+
6+
This application provides a single output, `LayerVersion`, which points to a
7+
Lambda Layer ARN you can use with Lambda runtimes based on Amazon Linux 2 (such
8+
as the `nodejs10.x` runtime).
9+
10+
For an example of how to use the layer, check out
11+
<https://github.com/serverlesspub/pandoc-aws-lambda-binary/tree/master/example>

example/.gitignore

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
output.yaml

example/Makefile

+17
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,17 @@
1+
STACK_NAME ?= imagemagick-layer-example
2+
IMAGE_MAGICK_STACK_NAME ?= imagemagick-layer
3+
4+
IMAGEMAGICK_LAYER ?=$(shell aws cloudformation describe-stacks --stack-name $(IMAGE_MAGICK_STACK_NAME) --query Stacks[].Outputs[].OutputValue --output text)
5+
SOURCES=$(shell find src/)
6+
7+
clean:
8+
rm -rf build
9+
10+
output.yaml: template.yaml $(SOURCES)
11+
mkdir -p build
12+
aws cloudformation package --template-file $< --output-template-file $@ --s3-bucket $(DEPLOYMENT_BUCKET)
13+
14+
deploy: output.yaml
15+
aws cloudformation deploy --template-file $< --stack-name $(STACK_NAME) --capabilities CAPABILITY_IAM --parameter-overrides ImageMagickLayer=$(IMAGEMAGICK_LAYER)
16+
aws cloudformation describe-stacks --stack-name $(STACK_NAME) --query Stacks[].Outputs --output table
17+

example/src/child-process-promise.js

+26
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,26 @@
1+
/*global module, require, console, Promise */
2+
'use strict';
3+
const childProcess = require('child_process'),
4+
spawnPromise = function (command, argsarray, envOptions) {
5+
return new Promise((resolve, reject) => {
6+
console.log('executing', command, argsarray.join(' '));
7+
const childProc = childProcess.spawn(command, argsarray, envOptions || {env: process.env, cwd: process.cwd()}),
8+
resultBuffers = [];
9+
childProc.stdout.on('data', buffer => {
10+
console.log(buffer.toString());
11+
resultBuffers.push(buffer);
12+
});
13+
childProc.stderr.on('data', buffer => console.error(buffer.toString()));
14+
childProc.on('exit', (code, signal) => {
15+
console.log(`${command} completed with ${code}:${signal}`);
16+
if (code || signal) {
17+
reject(`${command} failed with ${code || signal}`);
18+
} else {
19+
resolve(Buffer.concat(resultBuffers).toString().trim());
20+
}
21+
});
22+
});
23+
};
24+
module.exports = {
25+
spawn: spawnPromise
26+
};

example/src/index.js

+30
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,30 @@
1+
2+
const s3Util = require('./s3-util'),
3+
childProcessPromise = require('./child-process-promise'),
4+
path = require('path'),
5+
os = require('os'),
6+
EXTENSION = process.env.EXTENSION,
7+
THUMB_WIDTH = process.env.THUMB_WIDTH,
8+
OUTPUT_BUCKET = process.env.OUTPUT_BUCKET,
9+
MIME_TYPE = process.env.MIME_TYPE;
10+
11+
exports.handler = function (eventObject, context) {
12+
const eventRecord = eventObject.Records && eventObject.Records[0],
13+
inputBucket = eventRecord.s3.bucket.name,
14+
key = eventRecord.s3.object.key,
15+
id = context.awsRequestId,
16+
resultKey = key.replace(/\.[^.]+$/, EXTENSION),
17+
workdir = os.tmpdir(),
18+
inputFile = path.join(workdir, id + path.extname(key)),
19+
outputFile = path.join(workdir, 'converted-' + id + EXTENSION);
20+
21+
22+
console.log('converting', inputBucket, key, 'using', inputFile);
23+
return s3Util.downloadFileFromS3(inputBucket, key, inputFile)
24+
.then(() => childProcessPromise.spawn(
25+
'/opt/bin/convert',
26+
[inputFile, '-resize', `${THUMB_WIDTH}x`, outputFile],
27+
{env: process.env, cwd: workdir}
28+
))
29+
.then(() => s3Util.uploadFileToS3(OUTPUT_BUCKET, resultKey, outputFile, MIME_TYPE));
30+
};

example/src/s3-util.js

+38
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,38 @@
1+
/*global module, require, Promise, console */
2+
3+
const aws = require('aws-sdk'),
4+
fs = require('fs'),
5+
s3 = new aws.S3(),
6+
downloadFileFromS3 = function (bucket, fileKey, filePath) {
7+
'use strict';
8+
console.log('downloading', bucket, fileKey, filePath);
9+
return new Promise(function (resolve, reject) {
10+
const file = fs.createWriteStream(filePath),
11+
stream = s3.getObject({
12+
Bucket: bucket,
13+
Key: fileKey
14+
}).createReadStream();
15+
stream.on('error', reject);
16+
file.on('error', reject);
17+
file.on('finish', function () {
18+
console.log('downloaded', bucket, fileKey);
19+
resolve(filePath);
20+
});
21+
stream.pipe(file);
22+
});
23+
}, uploadFileToS3 = function (bucket, fileKey, filePath, contentType) {
24+
'use strict';
25+
console.log('uploading', bucket, fileKey, filePath);
26+
return s3.upload({
27+
Bucket: bucket,
28+
Key: fileKey,
29+
Body: fs.createReadStream(filePath),
30+
ACL: 'private',
31+
ContentType: contentType
32+
}).promise();
33+
};
34+
35+
module.exports = {
36+
downloadFileFromS3: downloadFileFromS3,
37+
uploadFileToS3: uploadFileToS3
38+
};

example/template.yaml

+58
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,58 @@
1+
AWSTemplateFormatVersion: 2010-09-09
2+
Transform: AWS::Serverless-2016-10-31
3+
Description: >
4+
Example project demonstrating the usage of the ImageMagic Layer for AWS Linux 2 runtimes.
5+
6+
Parameters:
7+
ImageMagickLayer:
8+
Type: String
9+
ConversionFileType:
10+
Type: String
11+
Default: png
12+
ConversionMimeType:
13+
Type: String
14+
Default: image/png
15+
ThumbnailWidth:
16+
Type: Number
17+
Default: 500
18+
Resources:
19+
UploadBucket:
20+
Type: AWS::S3::Bucket
21+
22+
ResultsBucket:
23+
Type: AWS::S3::Bucket
24+
25+
ConvertFileFunction:
26+
Type: AWS::Serverless::Function
27+
Properties:
28+
Handler: index.handler
29+
Timeout: 180
30+
MemorySize: 1024
31+
Runtime: nodejs10.x
32+
CodeUri: src
33+
Layers:
34+
- !Ref ImageMagickLayer
35+
Policies:
36+
- S3CrudPolicy:
37+
BucketName: !Sub "${AWS::StackName}-*"
38+
Environment:
39+
Variables:
40+
OUTPUT_BUCKET: !Ref ResultsBucket
41+
EXTENSION: !Sub '.${ConversionFileType}'
42+
MIME_TYPE: !Ref ConversionMimeType
43+
THUMB_WIDTH: !Ref ThumbnailWidth
44+
Events:
45+
FileUpload:
46+
Type: S3
47+
Properties:
48+
Bucket: !Ref UploadBucket
49+
Events: s3:ObjectCreated:*
50+
51+
Outputs:
52+
UploadBucket:
53+
Description: "Upload S3 bucket"
54+
Value: !Ref UploadBucket
55+
ResultsBucket:
56+
Description: "Results S3 bucket"
57+
Value: !Ref ResultsBucket
58+

src/child-process-promise.js

-33
This file was deleted.

src/file-exists.js

-14
This file was deleted.

src/find-pandoc-binary.js

-13
This file was deleted.

src/make-executable.js

-15
This file was deleted.

src/pandoc.js

-17
This file was deleted.

src/unzip-embedded-executable.js

-9
This file was deleted.

template.yaml

+38
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,38 @@
1+
AWSTemplateFormatVersion: 2010-09-09
2+
Transform: AWS::Serverless-2016-10-31
3+
Description: >
4+
Static build of Pandoc for Amazon Linux 2
5+
6+
Check out https://github.com/serverlesspub/pandoc-aws-lambda-binary
7+
for more information.
8+
Resources:
9+
PandocLayer:
10+
Type: AWS::Serverless::LayerVersion
11+
Properties:
12+
LayerName: pandoc
13+
Description: Static build of Pandoc for Amazon Linux 2
14+
ContentUri: result/
15+
CompatibleRuntimes:
16+
- nodejs10.x
17+
LicenseInfo: https://github.com/jgm/pandoc/blob/master/COPYRIGHT
18+
RetentionPolicy: Retain
19+
20+
Outputs:
21+
LayerVersion:
22+
Description: Layer ARN Reference
23+
Value: !Ref PandocLayer
24+
25+
Metadata:
26+
AWS::ServerlessRepo::Application:
27+
Name: pandoc-lambda-layer
28+
Description: >
29+
Static build of Pandoc for Amazon Linux 2,
30+
packaged as a Lambda layer. Bundles Pandoc 2.7.2.
31+
Author: Gojko Adzic
32+
SpdxLicenseId: GPL-2.0
33+
LicenseUrl: LICENSE.txt
34+
ReadmeUrl: README-SAR.md
35+
Labels: ['layer', 'image', 'lambda', 'pandoc']
36+
HomePageUrl: https://github.com/serverlesspub/pandoc-aws-lambda-binary
37+
SemanticVersion: 1.0.0
38+
SourceCodeUrl: https://github.com/serverlesspub/pandoc-aws-lambda-binary

vendor/pandoc.gz

-21.5 MB
Binary file not shown.

vendor/rebuild.sh

-33
This file was deleted.

0 commit comments

Comments
 (0)