Deploying FastAPI on AWS Lambda with Lambda Web Adapter

This example guides you through the process of developing API backends with FastAPI using Lambda Web Adapter.
The traditional AWS design using API Gateway and multiple Lambda functions can become unwieldy when managing many APIs.
Lambda Web Adapter simplifies the architecture, requiring only a single API Gateway route and one Lambda function.
Getting Started
Bootstrapping AWS CDK Environment
First, bootstrap your AWS CDK environment. If you’ve already done this, you can skip this step.
Run the following commands to install AWS CDK locally and bootstrap your environment:
npm i -D aws-cdknpx cdk bootstrap aws://<AWS_ACCOUNT_ID>/<AWS_REGION>
Initializing CDK Project
Create a directory for your CDK project and initialize it:
mkdir cdk && cd cdknpx cdk init app --language typescript
Installing FastAPI
Install FastAPI with the following commands:
python -m venv .venvsource .venv/bin/activatepip install "fastapi[standard]"mkdir srcpip freeze > ./src/requirements.txt
Building Backend
Defining APIs
Here’s an example FastAPI application:
from typing import Union
from fastapi import FastAPI
app = FastAPI()
@app.get("/")def read_root(): return {"Hello": "World"}
@app.get("/items/{item_id}")def read_item(item_id: int, q: Union[str, None] = None): return {"item_id": item_id, "q": q}
Start the FastAPI server with:
fastapi dev ./src/main.py
Test the API with your preferred tool:
curl "http://127.0.0.1:8000/"{"Hello":"World"}
curl "http://127.0.0.1:8000/items/1?q=keyword"{"item_id":1,"q":"keyword"}
Containerizing
To containerize the FastAPI backend, write the ./docker/Dockerfile
. This Dockerfile is designed to handle both development and production environments effectively.
- Base Image: We use
public.ecr.aws/docker/library/python:3.12-alpine
as our lightweight and secure base image (line 2). - Lambda Web Adapter: The Lambda Web Adapter is added for seamless AWS Lambda integration (line 22).
- Port Configuration: The backend listens on port 8080 by default for production to match the Lambda Web Adapter’s expected configuration (line 25).
For more details on Lambda Web Adapter usage, refer to its GitHub repository.
# Base image: Python 3.12 AlpineFROM public.ecr.aws/docker/library/python:3.12-alpine AS baseENV APP_ROOT=/code
# Copy requirements and install dependenciesCOPY ./src/requirements.txt $APP_ROOT/RUN pip install --no-cache-dir --upgrade -r $APP_ROOT/requirements.txt
# Development stageFROM base AS devENV ENV=devEXPOSE 8000CMD ["sh", "-c", "fastapi run $APP_ROOT/main.py --port 8000"]
# Production stageFROM baseENV ENV=prodEXPOSE 8080COPY ./src $APP_ROOT
# Copy Lambda Web AdapterCOPY --from=public.ecr.aws/awsguru/aws-lambda-adapter:0.8.4 /lambda-adapter /opt/extensions/lambda-adapter
# Run FastAPI backend on port 8080 for Lambda Web AdapterCMD ["sh", "-c", "fastapi run $APP_ROOT/main.py --port 8080"]
(Optional) Docker Compose
While this post does not include database usage, in real-world scenarios, you often work with databases such as DynamoDB, MySQL, or others. To facilitate local development and testing, we can set up Docker Compose.
- Build Context: Points to the project root (
../
) (line 4). - Build Target: Uses the development stage of the Dockerfile (
target: dev
) (line 6). - Ports Mapping: Maps the container’s port
8000
to the host’s port8000
for local access (line 8). - Volumes: Mounts the local
src
directory to the container’s/code
directory to enable hot-reloading of code during development (line 10).
services: api: build: context: ../ dockerfile: ./docker/Dockerfile-web target: dev ports: - "8000:8000" volumes: - ../src:/code
To start the backend service locally using Docker Compose, run the following commands:
cd dockerdocker compose up
When the service starts successfully, you should see logs similar to:
api-1 | INFO: Started server process [1]api-1 | INFO: Waiting for application startup.api-1 | INFO: Application startup complete.api-1 | INFO: Uvicorn running on http://0.0.0.0:8000 (Press CTRL+C to quit)
You can now access the API at http://127.0.0.1:8000
and test it as usual using tools like curl
, Postman, or a browser.
Deploying to AWS
Defining AWS Resources
To deploy the FastAPI backend to AWS, define the necessary resources using AWS CDK.
#!/usr/bin/env nodeimport 'source-map-support/register';import * as cdk from 'aws-cdk-lib';import { CdkStack } from '../lib/cdk-stack';
const app = new cdk.App();new CdkStack(app, 'App');
- Memory Size: Set
memorySize
to 512 MB or higher (line 20). This prevents potential timeouts caused by insufficient memory. - Platform Configuration: Use
Platform.LINUX_AMD64
(line 23) if you are using Apple Silicon. Without this, you may encounter the error:Error: fork/exec /opt/extensions/lambda-adapter: exec format error Extension.LaunchError
.
import * as cdk from 'aws-cdk-lib';import type { Construct } from 'constructs';import { LambdaRestApi } from 'aws-cdk-lib/aws-apigateway';import { DockerImageCode, DockerImageFunction, LoggingFormat,} from 'aws-cdk-lib/aws-lambda';import * as path from 'node:path';import { Platform } from 'aws-cdk-lib/aws-ecr-assets';
export class CdkStack extends cdk.Stack { constructor(scope: Construct, id: string, props?: cdk.StackProps) { super(scope, id, props);
// Dockerized Lambda Function const lambda = new DockerImageFunction(this, 'function', { functionName: 'fast-api-app-function', loggingFormat: LoggingFormat.JSON, memorySize: 512, // Larger memory to avoid timeout code: DockerImageCode.fromImageAsset(path.join(__dirname, '..', '..'), { file: path.join('docker', 'Dockerfile-web'), platform: Platform.LINUX_AMD64, // Required for Apple Silicon users exclude: ['*', '!src', '!docker'], }), });
// API Gateway REST API new LambdaRestApi(this, 'api', { handler: lambda, deploy: true, }); }}
Deploying the Stack
Navigate to your CDK project directory and run the following command to deploy:
cd cdknpx cdk deploy
During deployment, you may be prompted to confirm resource creation. Respond with y
to proceed:
Do you wish to deploy these changes (y/n)? yApp: deploying... [1/1]App: creating CloudFormation changeset...
✅ App
✨ Deployment time: 52.67s
Outputs:App.apiEndpoint9349E63C = https://xxxxxxxxxx.execute-api.ap-northeast-1.amazonaws.com/prod/Stack ARN:arn:aws:cloudformation:<AWS_REGION>:<AWS_ACCOUNT_ID>:stack/App/<UUID>
✨ Total time: 55.42s
The deployment will output the API Gateway endpoint, which you can use to test your API.
Testing APIs
Test the deployed APIs:
curl "https://<API_GATEWAY_ENDPOINT>/prod/"{"Hello":"World"}
curl "https://<API_GATEWAY_ENDPOINT>/prod/items/1?q=keyword"{"item_id":1,"q":"keyword"}