AsyncMediator.SourceGenerator 3.1.2

dotnet add package AsyncMediator.SourceGenerator --version 3.1.2
                    
NuGet\Install-Package AsyncMediator.SourceGenerator -Version 3.1.2
                    
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="AsyncMediator.SourceGenerator" Version="3.1.2">
  <PrivateAssets>all</PrivateAssets>
  <IncludeAssets>runtime; build; native; contentfiles; analyzers</IncludeAssets>
</PackageReference>
                    
For projects that support PackageReference, copy this XML node into the project file to reference the package.
<PackageVersion Include="AsyncMediator.SourceGenerator" Version="3.1.2" />
                    
Directory.Packages.props
<PackageReference Include="AsyncMediator.SourceGenerator">
  <PrivateAssets>all</PrivateAssets>
  <IncludeAssets>runtime; build; native; contentfiles; analyzers</IncludeAssets>
</PackageReference>
                    
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 AsyncMediator.SourceGenerator --version 3.1.2
                    
#r "nuget: AsyncMediator.SourceGenerator, 3.1.2"
                    
#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 AsyncMediator.SourceGenerator@3.1.2
                    
#: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=AsyncMediator.SourceGenerator&version=3.1.2
                    
Install as a Cake Addin
#tool nuget:?package=AsyncMediator.SourceGenerator&version=3.1.2
                    
Install as a Cake Tool

AsyncMediator

NuGet NuGet License: MIT

A lightweight, high-performance mediator for .NET 9/10 with compile-time handler discovery.

Highlights

  • Zero-config setup - Source generator discovers handlers at compile time
  • Zero runtime dependencies - Core library has no external packages
  • Safe event deferral - Events only fire after successful command execution
  • Pipeline behaviors - Add logging, validation, caching without touching handlers
  • Built-in validation - CommandHandler<T> base class with Validate() + DoHandle() flow
  • High performance - ~163ns command dispatch, minimal allocations

Installation

dotnet add package AsyncMediator
dotnet add package AsyncMediator.SourceGenerator

Recommended: Always install both packages. The source generator eliminates manual handler registration and catches missing handlers at compile time.

Quick Start

1. Register in Program.cs

builder.Services.AddAsyncMediator();

That's it. All handlers are discovered automatically.

2. Create a Command

public record CreateOrderCommand(Guid CustomerId, List<OrderItem> Items) : ICommand;

3. Create a Handler

public class CreateOrderHandler(IMediator mediator, IOrderRepository repo)
    : CommandHandler<CreateOrderCommand>(mediator)
{
    protected override Task Validate(ValidationContext ctx, CancellationToken ct)
    {
        if (Command.Items.Count == 0)
            ctx.AddError(nameof(Command.Items), "Order must have items");
        return Task.CompletedTask;
    }

    protected override async Task<ICommandWorkflowResult> DoHandle(ValidationContext ctx, CancellationToken ct)
    {
        var order = await repo.Create(Command.CustomerId, Command.Items, ct);
        Mediator.DeferEvent(new OrderCreatedEvent(order.Id));
        return CommandWorkflowResult.Ok();
    }
}

4. Send Commands

var result = await mediator.Send(new CreateOrderCommand(customerId, items), ct);
if (result.Success)
    // Order created, events fired

Core Concepts

Commands

Commands change state. Handlers return ICommandWorkflowResult with validation support.

public record CreateOrderCommand(Guid CustomerId) : ICommand;

Queries

Queries read data without side effects.

// With criteria
public class OrderQuery(IOrderRepository repo) : IQuery<OrderSearchCriteria, List<Order>>
{
    public Task<List<Order>> Query(OrderSearchCriteria c, CancellationToken ct) =>
        repo.Search(c.CustomerId, ct);
}

var orders = await mediator.Query<OrderSearchCriteria, List<Order>>(criteria, ct);

// Without criteria
public class AllOrdersQuery(IOrderRepository repo) : ILookupQuery<List<Order>>
{
    public Task<List<Order>> Query(CancellationToken ct) => repo.GetAll(ct);
}

var orders = await mediator.LoadList<List<Order>>(ct);

Events

Events fire after successful command execution. They're automatically skipped if validation fails or an exception occurs.

public record OrderCreatedEvent(Guid OrderId) : IDomainEvent;

// Defer in handler
Mediator.DeferEvent(new OrderCreatedEvent(order.Id));

// Handle elsewhere
public class SendEmailHandler : IEventHandler<OrderCreatedEvent>
{
    public Task Handle(OrderCreatedEvent e, CancellationToken ct) =>
        emailService.SendConfirmation(e.OrderId, ct);
}

Pipeline Behaviors

Add cross-cutting concerns without modifying handlers:

builder.Services.AddAsyncMediator(cfg => cfg
    .AddOpenGenericBehavior(typeof(LoggingBehavior<,>))
    .AddOpenGenericBehavior(typeof(ValidationBehavior<,>)));
public class LoggingBehavior<TRequest, TResponse> : IPipelineBehavior<TRequest, TResponse>
{
    public async Task<TResponse> Handle(TRequest request, RequestHandlerDelegate<TResponse> next, CancellationToken ct)
    {
        Console.WriteLine($"Handling {typeof(TRequest).Name}");
        var response = await next();
        Console.WriteLine($"Handled {typeof(TRequest).Name}");
        return response;
    }
}

Performance

Operation Latency Memory
Send command ~163 ns ~488 B
Query ~105 ns ~248 B
Defer event ~575 ns 0 B

Pipeline behaviors add zero overhead when not registered.

When to Use

Good fit:

  • CQRS architectures
  • Domain-driven design with domain events
  • Clean architecture / vertical slices
  • Applications requiring testability

Not a fit:

  • Simple CRUD (direct repository access is clearer)
  • Event sourcing (use specialized frameworks)
  • Real-time streaming (use message brokers)

Documentation

Resource Description
Working Demo Run it locally and see the flow
Architecture Design decisions and internals
Pipeline Behaviors Logging, validation, unit of work examples
Migration Guide Upgrading from v2.x

Advanced Topics

<details> <summary><strong>Returning data from commands</strong></summary>

var result = CommandWorkflowResult.Ok();
result.SetResult(order);
return result;

// Caller
var order = result.Result<Order>();

</details>

<details> <summary><strong>TransactionScope (opt-in)</strong></summary>

public class TransferHandler(IMediator mediator) : CommandHandler<TransferCommand>(mediator)
{
    protected override bool UseTransactionScope => true;
}

</details>

<details> <summary><strong>Excluding handlers from discovery</strong></summary>

[ExcludeFromMediator]
public class DraftHandler : CommandHandler<MyCommand> { ... }

</details>

<details> <summary><strong>Manual registration (without source generator)</strong></summary>

services.AddScoped<IMediator>(sp => new Mediator(
    type => sp.GetServices(type),
    type => sp.GetRequiredService(type)));

services.AddTransient<ICommandHandler<CreateOrderCommand>, CreateOrderHandler>();

</details>

Contributing

Found a bug or have a feature request? Open an issue.

License

MIT

There are no supported framework assets in this package.

Learn more about Target Frameworks and .NET Standard.

This package has no dependencies.

NuGet packages

This package is not used by any NuGet packages.

GitHub repositories

This package is not used by any popular GitHub repositories.

Version Downloads Last Updated
3.1.2 98 12/28/2025
3.1.1 91 12/28/2025