EventSourcingDotNet.KurrentDB 1.3.0

There is a newer prerelease version of this package available.
See the version list below for details.
dotnet add package EventSourcingDotNet.KurrentDB --version 1.3.0
                    
NuGet\Install-Package EventSourcingDotNet.KurrentDB -Version 1.3.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="EventSourcingDotNet.KurrentDB" Version="1.3.0" />
                    
For projects that support PackageReference, copy this XML node into the project file to reference the package.
<PackageVersion Include="EventSourcingDotNet.KurrentDB" Version="1.3.0" />
                    
Directory.Packages.props
<PackageReference Include="EventSourcingDotNet.KurrentDB" />
                    
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 EventSourcingDotNet.KurrentDB --version 1.3.0
                    
#r "nuget: EventSourcingDotNet.KurrentDB, 1.3.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 EventSourcingDotNet.KurrentDB@1.3.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=EventSourcingDotNet.KurrentDB&version=1.3.0
                    
Install as a Cake Addin
#tool nuget:?package=EventSourcingDotNet.KurrentDB&version=1.3.0
                    
Install as a Cake Tool

EventSourcingDotNet

Event Sourcing made easy.

A storage agnostic library to implement event sourced systems.

Getting Started

Define your aggregate state and ID

Aggregate ID

Create a readonly ID record struct for each of your aggregates.

It must implement the IAggregateId interface to be accepted as an aggregate ID.

The static AggregateName property and the AsString() method are used to compose the stream name. You should not use dashes in your AggregateName because some providers, e.g. Event Store DB, will split the stream name at the first dash to provide a by-category stream.

public readonly record struct MyAggregateId(Guid Id) : IAggregateId
{
    public static string AggregateName => "myAggregate";

    public string AsString() => Id.ToString();
}
Composite Keys

The specific AggregateId for each event stream enables you to use composite keys as an aggregate id. This is the reason why it is necessary to declare the AggregateId type instead of using e.g. a GUID.

To define a composite key just put more than one property and compose the values in the AsString method:

public readonly CompositeAggregateId(Guid ParentId, Guid Id) : IAggregateId
{
    public static string AggregateName => "myAggregate";

    public string AsString() => $"{ParentId}-{Id}";
}

Aggregate State

If there is a need to verify some business logic rules to be verified before adding events, create a state record representing the current state of your aggregate.

It must implement the generic IAggregateState<TSelf, TAggregatId> interface to be accepted as an aggregate state. The generic type argument TAggregateId is the aggregate ID specified above. The generic type argument TState is the type itself

public sealed record MyAggregate : IAggregateState<MyAggregate, MyAggregateId>
{
    public int MyValue { get; init; }

    public MyAggregate ApplyEvent(IDomainEvent @event)
        => @event switch {
            // pattern match and handle events here
            _ => this
        }
}
Aggregate State Rules
  • The state record should be immutable.
    Some storage or snapshot providers, e.g. the In-Memory snapshot provider, may keep a reference to the latest version of the aggregate. Mutations of the aggregate state may lead to an inconsistent aggregate state.

  • The state record must provide a public parameterless constructor.
    To create a new instance of the aggregate the aggregate repository and the snapshot providers must be able to create a new instance of the state record so that it can rely on a defined initial state prior to replay the events.

Event validation

The IAggregateState<TSelf, TAggregateId> interface provides an additional Validate method allowing to implement logic whether an event should be fired, skipped or raise an error. The validation happens before the event is applied to the aggregate state and added to the uncommitted events. The default implementation always returns EventValidationResult.Fire.

public sealed record SomeState : IAggregateState<SomeState, SomeId>
{
    // Apply method removed for brevity

    public EventValidationResult Validate(IDomainEvent @event)
        => @event switch
        {
            // pattern match the events and validate against the current state here...
            _ => EventValidationResult.Fire;
        }
}

You can return the following validation results:

  • EventValidationResult.Fire
    The event will be applied to the aggregate state and added to the uncommitted events collection.

  • EventValidationResult.Skip
    The event will be skipped. It will not be applied to the aggregate state and not added to the uncommitted events collection.
    Use this validation result when the aggregate state will not be affected by the event and you want to avoid extra effect-less events in the event stream

  • EventValidationResult.Fail(Exception)
    The event cannot be applied in the current state of the aggregate or it would lead to an inconsistent state.
    The method takes an Exception parameter which expresses why this event cannot be applied.

Define your events

Create a record for each and every event happening on your aggregates. An event must implement the IDomainEvent interface to be accepted as a valid event.

Update Aggregate State

Aggregates are updated by getting the current version from the aggregate repository, adding some new events and then saving the aggregate back to the event store.

Avoid to run long running tasks after getting the aggregate from the repository and storing it back as it increases the risk of running into a concurrency issue.
All Event Store providers use optimistic concurrency checks to avoid update conflicts.

private readonly IAggregateRepository<SomeId, SomeState> _repository;

public async Task DoSomething(SomeRequest request)
{
    var aggregate = await _repository.GetByIdAsync(request.Id);

    aggregate = aggregate.AddEvent(new SomethingHappened());

    await _repository.SaveAsync(aggregate);
}

If it is not necessary to implement any logic between getting the event from the repository, adding events and storing it back, there is a shorthand extension method allowing to retrieve, update and save the aggregate in one statement:

IAggregateRepository<TAggregateId, TState>.UpdateAsync(TAggregateId aggregateId, params IDomainEvent[] events);

Configuration using Dependency Injection

The library uses Microsoft Dependency Injection. It provides a set of extension methods and builders to allow fluent dependency injection configuration. You can configure providers globally and/or by aggregate.

Single Aggregate Registration

Register an aggregate using In-Memory event storage provider:

You must add a reference to EventSourcingDotNet.InMemory package to use the In-Memory provider.

services.AddEventSourcing(builder => 
{
    builder.UseInMemoryEventStore();
    builder.AddAggregate<MyAggregateId, MyAggregateState>();
    builder.AddAggregate<MyOtherAggregateId, MyOtherAggregateState>();
}
Register an aggregate using KurrentDB storage provider:

You must add a reference to EventSourcingDotNet.KurrentDB package to use the KurrentDB Provider.

sevrices.AddEventSourcing(builder =>
{
    builder.UseKurrentDB("esdb://localhost:2113");
    builder.AddAggregate<MyAggregateId, MyAggregateState>();
}

All aggregates use the same event store configuration. At this time it is not possible to configure different configurations for individual aggregates.

Aggregate Registration using Assembly Scanning

It is possible to register all aggregates in one or more assemblies with the same provider configuration.
You can use the same aggregate builder methods to configure storage providers as described above.

There are two Builder methods to collect the aggregate types using assembly scanning:

  • Scan(params Type[] assemblyMarkerTypes)
  • Scan(params Assembly[] assemblies)
Example code to configure In-Memory Storage provider for all types found using assembly scanning:
services.AddEventSourcing(builder => 
{
    builder.UseInMemoryEventStore();
    builder.Scan(typeof(TypeInAssembly));
}

It is possible to scan the assembly for aggregate types and then override the configuration of individual aggregates.

services.AddEventSourcing(builder =>
{
    builder.UseInMemoryEventStore();
    builder.Scan(typeof(TypeInAssembly));
    builder.AddAggregate<MyAggregateId, MyAggregateType>();
}

Snapshot provider configuration

You can specify a snapshot provider for each single-aggregate or assembly scanning registration. Currently there is only an In-Memory snapshot provider available.

services.AddEventSourcing(builder => 
{
    builder.UseEventStore();
    builder.AddAggregate<MyAggregateId, MyAggregateState>()
        .UseInMemorySnapshotProvider();
}

Be careful when using the In-Memory snapshot provider. It keeps the current state of every aggregate in memory. Use it to avoid a full replay of all events when loading the aggregate from the repository when write performance is critical. It should not be used if there are many aggregates of the same type.

As shown in the example above it is possible to use a mix of event storage and snapshot providers.

Crypto Shredding

The Library has built-in support for crypto shredding.

Event property encryption requires an implementation of an IEncryptionKeyStore to store the encryption keys and a ICryptoProvider to provide a symmetric encryption. By default, the built-in crypto provider AesCryptoProvider is used to encrypt the values using AES algorithm and PKCS7 padding.

To encrypt a property in an event, it can be marked with an EncryptAttribute.

public sealed record MyEvent(
    [property: Encrypt] string MyValue)
    : IDomainEvent;

Or

public sealed record MyEvent: IDomainEvent
{
    [Encrypt]
    public string MyValue { get; init; }
}

Encrypted property names will be prefixed with a # to indicate an encrypted value. The value is encoded using Base64 encoding.

The event MyEvent shown above will be serialized as:

{
  "#myValue": "eyJpdiI6IjJ3YXE3OFRGTTRjNkovQXUvVHdDZWc9PSIsImN5cGhlciI6ImpKOW5jaXlNTkQ1WG9wanR1b3Qxc0E9PSJ9"
}

To use the file based encryption key provider register it using extenstion method:

IServiceCollection AddFileEncryptionKeyStore(
    this IServiceCollection services, 
    IConfigurationSection configurationSection);

The configuration section is bound to the configuration class EncryptionKeyStoreSettings

public sealed class EncryptionKeyStoreSettings
{
    public string? StoragePath { get; set; }
};

Supported Data Stores

Event Storage Providers

Snapshot Providers

  • In-Memory
Planned Snapshot Providers
  • Redis
  • A variety of No-SQL Document Databases

Encryption Key Store Providers

  • File Storage
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 was computed.  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 was computed.  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

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
1.3.1-pre.0.2 180 9/25/2025
1.3.1-pre.0.1 118 9/24/2025
1.3.0 240 8/28/2025
1.3.0-pre.0.1 119 8/21/2025
1.2.3-pre.0.4 171 8/28/2025
1.2.3-pre.0.2 267 8/25/2025
1.2.3-pre.0.1 261 8/25/2025
1.2.2 305 8/25/2025
1.2.2-pre.0.2 91 8/22/2025
1.2.2-pre.0.1 115 8/21/2025
1.2.1 152 8/21/2025
1.2.0 148 8/21/2025
1.2.0-pre.0.8 115 8/21/2025
1.2.0-pre.0.1 465 7/21/2025
1.1.0 221 7/16/2025
1.1.0-pre.0.1 129 7/16/2025
1.1.0-pre.0 123 7/16/2025