AwsLambda.Host 1.2.0

dotnet add package AwsLambda.Host --version 1.2.0
                    
NuGet\Install-Package AwsLambda.Host -Version 1.2.0
                    
This command is intended to be used within the Package Manager Console in Visual Studio, as it uses the NuGet module's version of Install-Package.
<PackageReference Include="AwsLambda.Host" Version="1.2.0" />
                    
For projects that support PackageReference, copy this XML node into the project file to reference the package.
<PackageVersion Include="AwsLambda.Host" Version="1.2.0" />
                    
Directory.Packages.props
<PackageReference Include="AwsLambda.Host" />
                    
Project file
For projects that support Central Package Management (CPM), copy this XML node into the solution Directory.Packages.props file to version the package.
paket add AwsLambda.Host --version 1.2.0
                    
#r "nuget: AwsLambda.Host, 1.2.0"
                    
#r directive can be used in F# Interactive and Polyglot Notebooks. Copy this into the interactive tool or source code of the script to reference the package.
#:package AwsLambda.Host@1.2.0
                    
#:package directive can be used in C# file-based apps starting in .NET 10 preview 4. Copy this into a .cs file before any lines of code to reference the package.
#addin nuget:?package=AwsLambda.Host&version=1.2.0
                    
Install as a Cake Addin
#tool nuget:?package=AwsLambda.Host&version=1.2.0
                    
Install as a Cake Tool

AwsLambda.Host

Core framework for building AWS Lambda functions with dependency injection, middleware, and source generation.

Overview

A modern .NET framework for building AWS Lambda functions using familiar ASP.NET Core patterns. The core runtime provides:

  • Dependency Injection: Built-in service container for managing application dependencies
  • Middleware Pipeline: Request/response processing similar to ASP.NET Core middleware
  • Compile-time Code Generation: Source generators reduce reflection overhead and improve startup performance
  • Native AOT Support: Full compatibility with ahead-of-time compilation for minimal cold starts and reduced package size
  • Lambda-Optimized Design: Event handling, cold start reduction, and efficient resource utilization tailored to AWS Lambda constraints

Installation

Install the NuGet package:

dotnet add package AwsLambda.Host

Ensure your project uses C# 11 or later:


<PropertyGroup>
  <LangVersion>11</LangVersion>
  
</PropertyGroup>

Quick Start

Create a simple Lambda handler:

using AwsLambda.Host.Builder;
using Microsoft.Extensions.Hosting;

var builder = LambdaApplication.CreateBuilder();
var lambda = builder.Build();

// The [Event] attribute marks the parameter that receives the deserialized Lambda event
lambda.MapHandler(([Event] string input) => $"Hello {input}!");

await lambda.RunAsync();

The [Event] attribute tells the framework which parameter receives the deserialized event. You can also inject dependencies:

lambda.MapHandler(([Event] Order order, IOrderService service) =>
    service.Process(order)
);

Add middleware for cross-cutting concerns:

lambda.UseMiddleware(async (context, next) =>
{
    Console.WriteLine("Before handler");
    await next(context);
    Console.WriteLine("After handler");
});

Use OnInit() for setup and OnShutdown() for cleanup:

// Service can be injected into the Init handler
lambda.OnInit(ICache cache =>
{
    // Runs once at startup - perfect for setting up resources
    cache.Warm();
});

// Handlers can also control if the Init phase should be continued or not
lambda.OnInit(async (services, token) =>
{
    // Returns false to abort startup
    return true;
});

// Runs once at shutdown - cleanup resources
lambda.OnShutdown(async (services, token) =>
{
    // ...
});

// Service can be injected into the shutdown handler too handler
lambda.OnShutdown(ITelemetryService telemetryService =>
{
    // Runs once at shutdown - great for cleaning up resources
    telemetryService.ForceFlush();
});

Key Features

  • Source Generators – Compile-time code generation eliminates reflection; zero runtime overhead
  • Interceptors – Handler parameters resolved at compile time, not runtime
  • Dependency Injection – Built-in scoped lifetime management per invocation
  • Middleware Pipeline – Familiar ASP.NET Core-style middleware for cross-cutting concerns
  • AOT Ready – Full support for .NET Native AOT compilation
  • Lambda Lifecycle – Explicit control over Init, Invocation, and Shutdown phases
  • Automatic Cancellation – Cancellation tokens respect Lambda timeout with configurable buffer

Core Concepts

Handlers & Middleware

Register your Lambda handler with the builder. The framework uses source generation to analyze your handler signature:

  • The [Event] attribute marks the input parameter type
  • The return type determines the response type
  • Source generation handles serialization/deserialization automatically

Handlers can inject dependencies alongside the event:

lambda.MapHandler(([Event] Order order, IOrderService service) =>
    service.Process(order)  // Return type automatically serialized to JSON
);

Middleware wraps the handler for cross-cutting concerns. Add as many middlewares as needed—they compose into a pipeline:

lambda.UseMiddleware(async (context, next) =>
{
    // Pre-handler logic
    await next(context);
    // Post-handler logic
});

lambda.UseMiddleware(async (context, next) =>
{
    // Another middleware layer
    await next(context);
});

Lambda Lifecycle

The framework manages initialization and shutdown phases automatically. Add as many callbacks as needed—they execute in order and then all awaited:

  • OnInit – Runs once when the function initializes; ideal for setting up resources like database connections
  • OnShutdown – Runs once before Lambda terminates; cleanup and resource release

Both run asynchronously and should be kept as short as possible to minimize startup/shutdown time.

lambda.OnInit(async (services, token) =>
{
    // One-time setup (runs once, reused across invocations)
    return true; // or false to abort startup
});

lambda.OnShutdown(async (services, token) =>
{
    // Cleanup before shutdown
});

Dependency Injection

Register services in the builder; they're available in handlers, middleware, and lifecycle methods:

builder.Services.AddSingleton<ICache, MemoryCache>();      // Reused across invocations
builder.Services.AddScoped<IRepository, Repository>();    // New per invocation

Each invocation receives its own scope—scoped services are isolated per request. OnInit() and OnShutdown() handlers receive their own scopes as well. You can also request the ILambdaHostContext or CancellationToken in any handler, and they're automatically injected.

Source Generation & Interceptors

The framework uses C# source generators and compile-time interceptors to:

  • Analyze handler signatures at compile time
  • Generate optimized dependency injection code
  • Resolve handler parameters without reflection

Result: Zero runtime reflection, zero performance cost.

AOT Support

To use .NET Native AOT, define a JSON serializer context and annotate with types to serialize:

using System.Text.Json.Serialization;

[JsonSerializable(typeof(string))]
public partial class SerializerContext : JsonSerializerContext;

Register the serializer context with the application:

using AwsLambda.Host;

var builder = LambdaApplication.CreateBuilder();

builder.Services.AddLambdaSerializerWithContext<SerializerContext>();

var lambda = builder.Build();

The AddLambdaSerializerWithContext<TContext>() method registers a source-generated JSON serializer that uses your context for all Lambda event and response serialization, providing compile-time serialization metadata and eliminating runtime reflection.

Enable AOT in your project file:

<PublishAot>true</PublishAot>
<PublishTrimmed>true</PublishTrimmed>
<TrimMode>full</TrimMode>
<JsonSerializerIsReflectionEnabledByDefault>false</JsonSerializerIsReflectionEnabledByDefault>

See AOT documentation for details.

Configuration

The framework supports configuration through LambdaHostOptions:

builder.Services.ConfigureLambdaHostOptions(options =>
{
    options.InitTimeout = TimeSpan.FromSeconds(10);
    options.InvocationCancellationBuffer = TimeSpan.FromSeconds(5);
    options.ShutdownDuration = ShutdownDuration.ExternalExtensions;
    options.ShutdownDurationBuffer = TimeSpan.FromMilliseconds(100);
    options.ClearLambdaOutputFormatting = true;
});

Available options include timeout control, shutdown duration, output formatting, and JSON serialization customization. The framework automatically registers DefaultLambdaHostJsonSerializer which uses JsonSerializerOptions and JsonWriterOptions for all Lambda serialization. See the configuration guide for details.

Other Packages

Additional packages in the aws-lambda-host framework for abstractions, observability, and event source handling.

Package NuGet Downloads
AwsLambda.Host NuGet Downloads
AwsLambda.Host.Abstractions NuGet Downloads
AwsLambda.Host.OpenTelemetry NuGet Downloads
AwsLambda.Host.Envelopes.Sqs NuGet Downloads
AwsLambda.Host.Envelopes.ApiGateway NuGet Downloads
AwsLambda.Host.Envelopes.Sns NuGet Downloads
AwsLambda.Host.Envelopes.Kinesis NuGet Downloads
AwsLambda.Host.Envelopes.KinesisFirehose NuGet Downloads
AwsLambda.Host.Envelopes.Kafka NuGet Downloads
AwsLambda.Host.Envelopes.CloudWatchLogs NuGet Downloads
AwsLambda.Host.Envelopes.Alb NuGet Downloads

License

This project is licensed under the MIT License. See LICENSE for details.

Product Compatible and additional computed target framework versions.
.NET net8.0 is compatible.  net8.0-android was computed.  net8.0-browser was computed.  net8.0-ios was computed.  net8.0-maccatalyst was computed.  net8.0-macos was computed.  net8.0-tvos was computed.  net8.0-windows was computed.  net9.0 is compatible.  net9.0-android was computed.  net9.0-browser was computed.  net9.0-ios was computed.  net9.0-maccatalyst was computed.  net9.0-macos was computed.  net9.0-tvos was computed.  net9.0-windows was computed.  net10.0 is compatible.  net10.0-android was computed.  net10.0-browser was computed.  net10.0-ios was computed.  net10.0-maccatalyst was computed.  net10.0-macos was computed.  net10.0-tvos was computed.  net10.0-windows was computed. 
Compatible target framework(s)
Included target framework(s) (in package)
Learn more about Target Frameworks and .NET Standard.

NuGet packages (1)

Showing the top 1 NuGet packages that depend on AwsLambda.Host:

Package Downloads
AlexaVoxCraft.Lambda.Host

Lambda hosting and middleware integration for Alexa skills using MediatR and AlexaVoxCraft.

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last Updated
1.2.0 0 11/29/2025
1.1.0 111 11/26/2025
1.0.1-beta.4 119 11/26/2025
1.0.1-beta.3 131 11/24/2025
1.0.1-beta.2 120 11/24/2025
1.0.1-beta.1 133 11/24/2025
1.0.0 300 11/24/2025
1.0.0-beta.3 118 11/24/2025
1.0.0-beta.2 94 11/15/2025
1.0.0-beta.1 89 11/15/2025
0.1.3 148 11/10/2025
0.1.2 142 11/10/2025
0.0.7-alpha.3 144 11/9/2025
0.0.7-alpha.2 84 11/9/2025
0.0.7-alpha.1 80 11/9/2025
0.0.6-alpha.1 134 11/6/2025
0.0.5-alpha.1 130 11/6/2025
0.0.4-alpha.3 138 11/2/2025
0.0.4-alpha.2 138 11/2/2025
0.0.4-alpha.1 139 11/2/2025
0.0.3-alpha.1 58 11/1/2025
0.0.2-alpha.10 130 10/30/2025
0.0.2-alpha.9 134 10/30/2025
0.0.2-alpha.8 132 10/30/2025
0.0.2-alpha.7 134 10/30/2025
0.0.2-alpha.6 129 10/30/2025
0.0.2-alpha.5 127 10/30/2025
0.0.2-alpha.3 130 10/30/2025
0.0.2-alpha.2 135 10/30/2025
0.0.2-alpha.1 140 10/29/2025
0.0.1-alpha.7 117 10/26/2025
0.0.1-alpha.5 74 10/24/2025
0.0.1-alpha.4 125 10/24/2025