Skip to content

s3 example - thumbnail creator (#613) #621

New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Merged
merged 3 commits into from
Apr 1, 2023
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
32 changes: 32 additions & 0 deletions examples/basic-s3-thumbnail/Cargo.toml
Original file line number Diff line number Diff line change
@@ -0,0 +1,32 @@
[package]
name = "basic-s3-thumbnail"
version = "0.1.0"
edition = "2021"

# Starting in Rust 1.62 you can use `cargo add` to add dependencies
# to your project.
#
# If you're using an older Rust version,
# download cargo-edit(https://github.com/killercup/cargo-edit#installation)
# to install the `add` subcommand.
#
# Running `cargo add DEPENDENCY_NAME` will
# add the latest version of a dependency to the list,
# and it will keep the alphabetic ordering for you.

[dependencies]
aws_lambda_events = "0.7.2"
lambda_runtime = { path = "../../lambda-runtime" }
serde = "1"
tokio = { version = "1", features = ["macros"] }
tracing = { version = "0.1" }
tracing-subscriber = { version = "0.3", default-features = false, features = ["ansi", "fmt"] }
aws-config = "0.54.1"
aws-sdk-s3 = "0.24.0"
thumbnailer = "0.4.0"
mime = "0.3.16"
async-trait = "0.1.66"

[dev-dependencies]
mockall = "0.11.3"
tokio-test = "0.4.2"
16 changes: 16 additions & 0 deletions examples/basic-s3-thumbnail/README.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,16 @@
# AWS Lambda Function that uses S3

This example processes S3 events. If the event is a CREATE event,
it downloads the created file, generates a thumbnail from it
(it assumes that the file is an image) and uploads it to S3 into a bucket named
[original-bucket-name]-thumbs.

## Build & Deploy

1. Install [cargo-lambda](https://github.com/cargo-lambda/cargo-lambda#installation)
2. Build the function with `cargo lambda build --release`
3. Deploy the function to AWS Lambda with `cargo lambda deploy --iam-role YOUR_ROLE`

## Build for ARM 64

Build the function with `cargo lambda build --release --arm64`
248 changes: 248 additions & 0 deletions examples/basic-s3-thumbnail/src/main.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,248 @@
use std::io::Cursor;

use aws_lambda_events::{event::s3::S3Event, s3::S3EventRecord};
use aws_sdk_s3::Client as S3Client;
use lambda_runtime::{run, service_fn, Error, LambdaEvent};
use s3::{GetFile, PutFile};
use thumbnailer::{create_thumbnails, ThumbnailSize};

mod s3;

/**
This lambda handler
* listen to file creation events
* downloads the created file
* creates a thumbnail from it
* uploads the thumbnail to bucket "[original bucket name]-thumbs".

Make sure that
* the created png file has no strange characters in the name
* there is another bucket with "-thumbs" suffix in the name
* this lambda only gets event from png file creation
* this lambda has permission to put file into the "-thumbs" bucket
*/
pub(crate) async fn function_handler<T: PutFile + GetFile>(
event: LambdaEvent<S3Event>,
size: u32,
client: &T,
) -> Result<(), Error> {
let records = event.payload.records;

for record in records.into_iter() {
let (bucket, key) = match get_file_props(record) {
Ok(touple) => touple,
Err(msg) => {
tracing::info!("Record skipped with reason: {}", msg);
continue;
}
};

let image = match client.get_file(&bucket, &key).await {
Ok(vec) => vec,
Err(msg) => {
tracing::info!("Can not get file from S3: {}", msg);
continue;
}
};

let thumbnail = match get_thumbnail(image, size) {
Ok(vec) => vec,
Err(msg) => {
tracing::info!("Can not create thumbnail: {}", msg);
continue;
}
};

let mut thumbs_bucket = bucket.to_owned();
thumbs_bucket.push_str("-thumbs");

// It uploads the thumbnail into a bucket name suffixed with "-thumbs"
// So it needs file creation permission into that bucket

match client.put_file(&thumbs_bucket, &key, thumbnail).await {
Ok(msg) => tracing::info!(msg),
Err(msg) => tracing::info!("Can not upload thumbnail: {}", msg),
}
}

Ok(())
}

fn get_file_props(record: S3EventRecord) -> Result<(String, String), String> {
record
.event_name
.filter(|s| s.starts_with("ObjectCreated"))
.ok_or("Wrong event")?;

let bucket = record
.s3
.bucket
.name
.filter(|s| !s.is_empty())
.ok_or("No bucket name")?;

let key = record.s3.object.key.filter(|s| !s.is_empty()).ok_or("No object key")?;

Ok((bucket, key))
}

fn get_thumbnail(vec: Vec<u8>, size: u32) -> Result<Vec<u8>, String> {
let reader = Cursor::new(vec);
let mime = mime::IMAGE_PNG;
let sizes = [ThumbnailSize::Custom((size, size))];

let thumbnail = match create_thumbnails(reader, mime, sizes) {
Ok(mut thumbnails) => thumbnails.pop().ok_or("No thumbnail created")?,
Err(thumb_error) => return Err(thumb_error.to_string()),
};

let mut buf = Cursor::new(Vec::new());

match thumbnail.write_png(&mut buf) {
Ok(_) => Ok(buf.into_inner()),
Err(_) => Err("Unknown error when Thumbnail::write_png".to_string()),
}
}

#[tokio::main]
async fn main() -> Result<(), Error> {
// required to enable CloudWatch error logging by the runtime
tracing_subscriber::fmt()
.with_max_level(tracing::Level::INFO)
// disable printing the name of the module in every log line.
.with_target(false)
// this needs to be set to false, otherwise ANSI color codes will
// show up in a confusing manner in CloudWatch logs.
.with_ansi(false)
// disabling time is handy because CloudWatch will add the ingestion time.
.without_time()
.init();

let shared_config = aws_config::load_from_env().await;
let client = S3Client::new(&shared_config);
let client_ref = &client;

let func = service_fn(move |event| async move { function_handler(event, 128, client_ref).await });

run(func).await?;

Ok(())
}

#[cfg(test)]
mod tests {
use std::collections::HashMap;
use std::fs::File;
use std::io::BufReader;
use std::io::Read;

use super::*;
use async_trait::async_trait;
use aws_lambda_events::chrono::DateTime;
use aws_lambda_events::s3::S3Bucket;
use aws_lambda_events::s3::S3Entity;
use aws_lambda_events::s3::S3Object;
use aws_lambda_events::s3::S3RequestParameters;
use aws_lambda_events::s3::S3UserIdentity;
use aws_sdk_s3::error::GetObjectError;
use lambda_runtime::{Context, LambdaEvent};
use mockall::mock;
use s3::GetFile;
use s3::PutFile;

#[tokio::test]
async fn response_is_good() {
let mut context = Context::default();
context.request_id = "test-request-id".to_string();

let bucket = "test-bucket";
let key = "test-key";

mock! {
FakeS3Client {}

#[async_trait]
impl GetFile for FakeS3Client {
pub async fn get_file(&self, bucket: &str, key: &str) -> Result<Vec<u8>, GetObjectError>;
}
#[async_trait]
impl PutFile for FakeS3Client {
pub async fn put_file(&self, bucket: &str, key: &str, bytes: Vec<u8>) -> Result<String, String>;
}
}

let mut mock = MockFakeS3Client::new();

mock.expect_get_file()
.withf(|b: &str, k: &str| b.eq(bucket) && k.eq(key))
.returning(|_1, _2| Ok(get_file("testdata/image.png")));

mock.expect_put_file()
.withf(|bu: &str, ke: &str, by| {
let thumbnail = get_file("testdata/thumbnail.png");
return bu.eq("test-bucket-thumbs") && ke.eq(key) && by == &thumbnail;
})
.returning(|_1, _2, _3| Ok("Done".to_string()));

let payload = get_s3_event("ObjectCreated", bucket, key);
let event = LambdaEvent { payload, context };

let result = function_handler(event, 10, &mock).await.unwrap();

assert_eq!((), result);
}

fn get_file(name: &str) -> Vec<u8> {
let f = File::open(name);
let mut reader = BufReader::new(f.unwrap());
let mut buffer = Vec::new();

reader.read_to_end(&mut buffer).unwrap();

return buffer;
}

fn get_s3_event(event_name: &str, bucket_name: &str, object_key: &str) -> S3Event {
return S3Event {
records: (vec![get_s3_event_record(event_name, bucket_name, object_key)]),
};
}

fn get_s3_event_record(event_name: &str, bucket_name: &str, object_key: &str) -> S3EventRecord {
let s3_entity = S3Entity {
schema_version: (Some(String::default())),
configuration_id: (Some(String::default())),
bucket: (S3Bucket {
name: (Some(bucket_name.to_string())),
owner_identity: (S3UserIdentity {
principal_id: (Some(String::default())),
}),
arn: (Some(String::default())),
}),
object: (S3Object {
key: (Some(object_key.to_string())),
size: (Some(1)),
url_decoded_key: (Some(String::default())),
version_id: (Some(String::default())),
e_tag: (Some(String::default())),
sequencer: (Some(String::default())),
}),
};

return S3EventRecord {
event_version: (Some(String::default())),
event_source: (Some(String::default())),
aws_region: (Some(String::default())),
event_time: (DateTime::default()),
event_name: (Some(event_name.to_string())),
principal_id: (S3UserIdentity {
principal_id: (Some("X".to_string())),
}),
request_parameters: (S3RequestParameters {
source_ip_address: (Some(String::default())),
}),
response_elements: (HashMap::new()),
s3: (s3_entity),
};
}
}
49 changes: 49 additions & 0 deletions examples/basic-s3-thumbnail/src/s3.rs
Original file line number Diff line number Diff line change
@@ -0,0 +1,49 @@
use async_trait::async_trait;
use aws_sdk_s3::{error::GetObjectError, types::ByteStream, Client as S3Client};

#[async_trait]
pub trait GetFile {
async fn get_file(&self, bucket: &str, key: &str) -> Result<Vec<u8>, GetObjectError>;
}

#[async_trait]
pub trait PutFile {
async fn put_file(&self, bucket: &str, key: &str, bytes: Vec<u8>) -> Result<String, String>;
}

#[async_trait]
impl GetFile for S3Client {
async fn get_file(&self, bucket: &str, key: &str) -> Result<Vec<u8>, GetObjectError> {
tracing::info!("get file bucket {}, key {}", bucket, key);

let output = self.get_object().bucket(bucket).key(key).send().await;

return match output {
Ok(response) => {
let bytes = response.body.collect().await.unwrap().to_vec();
tracing::info!("Object is downloaded, size is {}", bytes.len());
Ok(bytes)
}
Err(err) => {
let service_err = err.into_service_error();
let meta = service_err.meta();
tracing::info!("Error from aws when downloding: {}", meta.to_string());
Err(service_err)
}
};
}
}

#[async_trait]
impl PutFile for S3Client {
async fn put_file(&self, bucket: &str, key: &str, vec: Vec<u8>) -> Result<String, String> {
tracing::info!("put file bucket {}, key {}", bucket, key);
let bytes = ByteStream::from(vec);
let result = self.put_object().bucket(bucket).key(key).body(bytes).send().await;

match result {
Ok(_) => Ok(format!("Uploaded a file with key {} into {}", key, bucket)),
Err(err) => Err(err.into_service_error().meta().message().unwrap().to_string()),
}
}
}
Binary file added examples/basic-s3-thumbnail/testdata/image.png
Loading
Sorry, something went wrong. Reload?
Sorry, we cannot display this file.
Sorry, this file is invalid so it cannot be displayed.
Binary file added examples/basic-s3-thumbnail/testdata/thumbnail.png
Loading
Sorry, something went wrong. Reload?
Sorry, we cannot display this file.
Sorry, this file is invalid so it cannot be displayed.