<unique-function-name>
import json
def lambda_handler(event, context):
upper_limit = int(event.get('upper_limit', 1000000))
primes = find_prime(upper_limit)
return {
'statusCode': 200,
'body': json.dumps({'message': f'Found {len(primes)} primes up to {upper_limit}.'})
}
def find_prime(n):
sieve = [True] * (n + 1)
sieve[0:2] = [False, False]
for current in range(2, int(n**0.5) + 1):
if sieve[current]:
sieve[current*current::current] = [False] * len(range(current*current, n+1, current))
return [i for i, v in enumerate(sieve) if v]
import json
import time
def lambda_handler(event, context):
# TODO implement
time.sleep(5);
return {
'statusCode': 200,
'body': json.dumps('Hello from Lambda!')
}
<blueprint-name>
<lambda-function-name>
Once the function is created, you should be redirected to the dashboard
Click on Test and give the test a name, leave the event json as default
Review the response
Event: the input that your Lambda function processes
Modify the test data and use a new name for the event
{
"key1": "Boracay",
"key2": "Palawan",
"key3": "Manila"
}
event.key3
or something similarManila
Create a new Lambda function with the following config
<lambda-blueprint-name>
<lambda-function-name>
<test-name>
- Paste in the following to the Event JSON field{
"key1": "Version Boracay",
"key2": "Version Palawan",
"key3": "Version Manila"
}
return event.key2
An alias refers to a particular version of a Lambda function and can be modified to point to different versions
Userâs interact with the function through the aliasâ Amazon Resource Name (ARN)
When a new version is deployed, you can adjust the alias to direct traffic to this version or, balance the load between the existing and new versions
Navigate to the Configuration tab of the Lambda functionâs dashboard and click Create alias
<alias-name>
1
return event.key3
version 2
and click PublishHTMLPageLambda
Node.js 20.x
as the runtimeindex.html
fileindex.mjs
fileHTMLPageLambda
folder and create a new file called index.html
<!DOCTYPE html>
<html lang="en">
<head>
<meta charset="UTF-8" />
<meta name="viewport" content="width=device-width, initial-scale=1.0" />
<title>Discover the Philippines</title>
<style>
body {
font-family: Arial, sans-serif;
margin: 20px;
background-color: #f0f8ff;
color: #333;
}
h1 {
color: #0073bb;
}
p {
line-height: 1.6;
}
.highlight {
color: #e67e22;
font-weight: bold;
}
</style>
</head>
<body>
<h1>Welcome to the Philippines</h1>
<p>
The Philippines is an archipelago comprising more than 7,000 islands,
known for its rich biodiversity, vibrant culture, and stunning landscapes.
</p>
<p>
<span class="highlight">Manila</span> is the capital city, while
<span class="highlight">Cebu</span> and
<span class="highlight">Davao</span> are major urban centers.
</p>
<p>
The country offers a wide range of tourist attractions, from pristine
beaches to historical landmarks.
</p>
</body>
</html>
mjs
Codeindex.mjs
fileimport * as fs from "node:fs";
// Read the HTML content from the file system
const html = fs.readFileSync("index.html", { encoding: "utf8" });
// Lambda function handler to return the HTML content
export const handler = async () => {
const response = {
statusCode: 200,
headers: {
"Content-Type": "text/html",
},
body: html,
};
return response;
};
Content-type
ensures the browser interprets it as a HTML doc and the Lambda functions handler returns the body as a HTTP response<lambda-function-name>
WELCOME_MESSAGE
: Hello from Lambda!ENVIRONMENT
: Developmentimport os
def lambda_handler(event, context):
# Retrieve environment variables
welcome_message = os.getenv('WELCOME_MESSAGE', 'Default Welcome Message')
environment = os.getenv('ENVIRONMENT', 'development')
# Return a response that includes the environment variables
return {
'statusCode': 200,
'body': {
'message': welcome_message,
'environment': environment
}
}
Test
hello-world
WELCOME_MESSAGE
: Hello round 2ENVIRONMENT
: England<dynamodb-table-name>
CityID
(string)Date
(string)Default settings
CityDataHandler
Node.js 20.x
as the runtimeimport { DynamoDB } from "@aws-sdk/client-dynamodb";
import { DynamoDBDocument } from "@aws-sdk/lib-dynamodb";
const dynamo = DynamoDBDocument.from(new DynamoDB());
/**
* This function handles HTTP requests to interact with a DynamoDB table.
* It supports GET, POST, PUT, and DELETE methods.
*/
export const handler = async (event) => {
console.log("Received event:", JSON.stringify(event, null, 2));
let responseBody;
let statusCode = 200; // Default status code for successful requests
const headers = {
"Content-Type": "application/json",
};
try {
// Determine the HTTP method and perform the corresponding action
switch (event.httpMethod) {
case "GET":
// For GET requests, scan the DynamoDB table and return the data
const scanParams = { TableName: event.queryStringParameters.TableName };
responseBody = await dynamo.scan(scanParams);
break;
case "POST":
// For POST requests, add a new item to the DynamoDB table
const postParams = JSON.parse(event.body);
responseBody = await dynamo.put(postParams);
break;
case "PUT":
// For PUT requests, update an existing item in the DynamoDB table
const putParams = JSON.parse(event.body);
responseBody = await dynamo.update(putParams);
break;
case "DELETE":
// For DELETE requests, delete an item from the DynamoDB table
const deleteParams = JSON.parse(event.body);
responseBody = await dynamo.delete(deleteParams);
break;
default:
// If an unsupported HTTP method is used, return an error
throw new Error(`Unsupported method "${event.httpMethod}"`);
}
} catch (err) {
// If an error occurs, return a 400 status code and the error message
statusCode = 400;
responseBody = { error: err.message };
}
// Convert the response body to a JSON string
return {
statusCode: statusCode.toString(), // Convert status code to string
body: JSON.stringify(responseBody),
headers,
};
};
GET_Event_Test
{
"httpMethod": "GET",
"queryStringParameters": {
"TableName": "PhilippinesCities"
},
"body": null
}
{
"httpMethod": "POST",
"queryStringParameters": null,
"body": "{\"TableName\": \"PhilippinesCities\", \"Item\": {\"CityID\": \"004\", \"Date\": \"2024-08-20\", \"CityName\": \"Iloilo City\", \"Population\": 457626, \"AverageTemperature\": 29.0, \"Area\": 113.62}}"
}
<lambda-function-name>
Python 3.12
import requests
def lambda_handler(event, context):
response = requests.get('https://jsonplaceholder.typicode.com/todos/1')
return response.json()
Test
hello-world
(leave the rest as default)<lambda-layer-name>
<Lambda-function-name>
Python 3.12
import boto3
import time
import random
logs_client = boto3.client('logs')
def lambda_handler(event, context):
log_group_name = 'TestLogGroup'
log_stream_name = 'TestLogStream'
# Create log group if it doesn't exist
try:
logs_client.create_log_group(logGroupName=log_group_name)
except logs_client.exceptions.ResourceAlreadyExistsException:
pass # Log group already exists
# Create log stream if it doesn't exist
try:
logs_client.create_log_stream(logGroupName=log_group_name, logStreamName=log_stream_name)
except logs_client.exceptions.ResourceAlreadyExistsException:
pass # Log stream already exists
# Sample data for log entries
http_methods = ['GET', 'POST', 'PUT', 'DELETE']
request_urls = [
'/home',
'/api/user',
'/login',
'/products',
'/checkout',
'/cart',
'/search?q=aws',
'/api/order/123',
'/api/product/567'
]
user_agents = [
'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/91.0.4472.124 Safari/537.36',
'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_15_7) AppleWebKit/605.1.15 (KHTML, like Gecko) Version/14.0.3 Safari/605.1.15',
'Mozilla/5.0 (iPhone; CPU iPhone OS 14_0 like Mac OS X) AppleWebKit/605.1.15 (KHTML, like Gecko) Version/14.0 Mobile/15A5341f Safari/604.1',
'Mozilla/5.0 (Linux; Android 10; SM-G973F) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/85.0.4183.81 Mobile Safari/537.36'
]
status_codes = [200, 201, 400, 401, 403, 404, 500]
# Create log events
log_events = []
for i in range(20):
log_event = {
'timestamp': int(time.time() * 1000),
'message': (
f"{random.choice(http_methods)} "
f"{random.choice(request_urls)} "
f"{random.choice(status_codes)} "
f"{random.choice(user_agents)}"
)
}
log_events.append(log_event)
# Put log events
logs_client.put_log_events(
logGroupName=log_group_name,
logStreamName=log_stream_name,
logEvents=log_events
)
return {
'statusCode': 200,
'body': 'Successfully created log events.'
}
<test-name>
<lambda-function-name>
Python 3.12
as the runtimeimport json
import gzip
import base64
def lambda_handler(event, context):
# Decode and decompress CloudWatch Logs data
decoded_data = base64.b64decode(event['awslogs']['data'])
decompressed_data = gzip.decompress(decoded_data)
log_data = json.loads(decompressed_data)
# Iterate through log events and filter for HTTP 500 status codes
for log_event in log_data['logEvents']:
message = log_event['message']
parts = message.split(' ')
if len(parts) >= 3 and parts[2] == '500':
print(f"Detected HTTP 500 request: {message}")
return f"Successfully processed {len(log_data['logEvents'])} log events."
This function processes the logs from CloudWatch Logs by decoding and decompressing the log data, then iterating through each log entry to check for HTTP 500 status codes. The function logs it to the console if a 500 status code is found.
<lambda-function-previously-created>
<db-instance-name>
<username>
<vpc-security-group-name>
<lambda-function-name>
Python 3.12
<test-event-name>
<lambda-function-name>
Python 3.12
import logging
import json
# Set up logging
logger = logging.getLogger()
logger.setLevel(logging.INFO)
# Custom exception class
class CustomError(Exception):
def __init__(self, message):
self.message = message
super().__init__(self.message)
def lambda_handler(event, context):
try:
# Simulating an error scenario
if 'trigger_error' in event and event['trigger_error']:
raise CustomError("This is a custom error message for simulation purposes.")
# Normal processing logic
return {
'statusCode': 200,
'body': json.dumps('Function executed successfully!')
}
except CustomError as e:
logger.error(f"Custom error occurred: {e.message}")
return {
'statusCode': 400,
'body': json.dumps(f"Error: {e.message}")
}
except Exception as e:
logger.error(f"An unexpected error occurred: {str(e)}")
return {
'statusCode': 500,
'body': json.dumps(f"Internal Server Error: {str(e)}")
}
{
"trigger_error": false
}
Function executed successfully!
{
"trigger_error": true
}
Error: This is a custom error message for simulation purposes.
def lambda_handler(event, context):
return {
'statusCode': 200,
'headers': {'Content-Type': 'application/json'},
'body': '{"message": "Hello from Lambda Function URL!"}'
}
{"message": "Hello from Lambda Function URL!"}
<queue-name>
<lambda-function-name>
Python 3.12
import json
def lambda_handler(event, context):
# Print the event received from SQS
print("Received event from SQS:")
print(json.dumps(event, separators=(',', ':')))
# Process each record in the event
for record in event['Records']:
body = record['body']
print(f"Processing message: {body}")
return {
'statusCode': 200,
'body': json.dumps('Messages processed successfully!')
}
Click + Add Trigger in the Function overview in Lambda
Configure the following trigger settings
{
"body": {
"order_type": ["express"]
}
}
Ensure the Configuration Triggers of the Lambda for the SQS state are Enabled
Send messages to the SQS Queue
{
"order_id": 5678,
"customer": "Jane Smith",
"order_type": "express"
}
{
"order_id": 91011,
"customer": "Alice Johnson",
"order_type": "standard"
}
Verify Lambda execution