DotNetCore.CAP 10.0.2-preview-287480508

CAP Logo

CAP                     中文

Docs & Dashboard AppVeyor NuGet NuGet Preview Member project of .NET Core Community GitHub license

CAP is a .NET library that provides a lightweight, easy-to-use, and efficient solution for distributed transactions and event bus integration.

When building SOA or Microservice-based systems, services often need to be integrated via events. However, simply using a message queue cannot guarantee reliability. CAP leverages a local message table, integrated with your current database, to solve exceptions that can occur during distributed system communications. This ensures that event messages are never lost.

You can also use CAP as a standalone EventBus. It offers a simplified approach to event publishing and subscribing without requiring you to inherit or implement any specific interfaces.

Key Features

  • Core Functionality

    • Distributed Transactions: Guarantees data consistency across microservices using a local message table (Outbox Pattern).
    • Event Bus: High-performance, lightweight event bus for decoupled communication.
    • Guaranteed Delivery: Ensures messages are never lost, with automatic retries for failed messages.
  • Advanced Messaging

    • Delayed Messages: Native support for publishing messages with a delay, without relying on message queue features.
    • Flexible Subscriptions: Supports attribute-based, wildcard (*, #), and partial topic subscriptions.
    • Consumer Groups & Fan-Out: Easily implement competing consumer or fan-out patterns for load balancing or broadcasting.
    • Parallel & Serial Processing: Configure consumers for high-throughput parallel processing or ordered sequential execution.
    • Backpressure Mechanism: Automatically manages processing speed to prevent memory overload (OOM) under high load.
  • Extensibility & Integration

    • Pluggable Architecture: Supports a wide range of message queues (RabbitMQ, Kafka, Azure Service Bus, etc.) and databases (SQL Server, PostgreSQL, MongoDB, etc.).
    • Heterogeneous Systems: Provides mechanisms to integrate with non-CAP or legacy systems.
    • Customizable Filters & Serialization: Intercept the processing pipeline with custom filters and support various serialization formats.
  • Monitoring & Observability

    • Real-time Dashboard: A built-in web dashboard to monitor messages, view status, and manually retry.
    • Service Discovery: Integrates with Consul and Kubernetes for node discovery in a distributed environment.
    • OpenTelemetry Support: Built-in instrumentation for distributed tracing, providing end-to-end visibility.

Architecture Overview

CAP Architecture

CAP implements the Outbox Pattern as described in the eShop on .NET ebook.

Getting Started

1. Installation

Install the main CAP package into your project using NuGet.

PM> Install-Package DotNetCore.CAP

Next, install the desired transport and storage providers.

Transports (Message Queues):

PM> Install-Package DotNetCore.CAP.Kafka
PM> Install-Package DotNetCore.CAP.RabbitMQ
PM> Install-Package DotNetCore.CAP.AzureServiceBus
PM> Install-Package DotNetCore.CAP.AmazonSQS
PM> Install-Package DotNetCore.CAP.NATS
PM> Install-Package DotNetCore.CAP.RedisStreams
PM> Install-Package DotNetCore.CAP.Pulsar

Storage (Databases):

The event log table will be integrated into the database you select.

PM> Install-Package DotNetCore.CAP.SqlServer
PM> Install-Package DotNetCore.CAP.MySql
PM> Install-Package DotNetCore.CAP.PostgreSql
PM> Install-Package DotNetCore.CAP.MongoDB     // Requires MongoDB 4.0+ cluster

2. Configuration

Configure CAP in your Startup.cs or Program.cs.

public void ConfigureServices(IServiceCollection services)
{
    // If you are using EF as the ORM
    services.AddDbContext<AppDbContext>(); 
    
    // If you are using MongoDB
    services.AddSingleton<IMongoClient>(new MongoClient("..."));

    services.AddCap(x =>
    {
        // Using Entity Framework
        // CAP can auto-discover the connection string
        x.UseEntityFramework<AppDbContext>();

        // Using ADO.NET
        x.UseSqlServer("Your ConnectionString");
        x.UseMySql("Your ConnectionString");
        x.UsePostgreSql("Your ConnectionString");

        // Using MongoDB (requires a 4.0+ cluster)
        x.UseMongoDB("Your ConnectionString");

        // Choose your message transport
        x.UseRabbitMQ("HostName");
        x.UseKafka("ConnectionString");
        x.UseAzureServiceBus("ConnectionString");
        x.UseAmazonSQS(options => { /* ... */ });
        x.UseNATS("ConnectionString");
        x.UsePulsar("ConnectionString");
        x.UseRedisStreams("ConnectionString");
    });
}

3. Publish Messages

Inject ICapPublisher into your controller or service to publish events. As of version 7.0, you can also publish delayed messages.

public class PublishController : Controller
{
    private readonly ICapPublisher _capBus;

    public PublishController(ICapPublisher capPublisher)
    {
        _capBus = capPublisher;
    }

    [Route("~/adonet/transaction")]
    public IActionResult AdonetWithTransaction()
    {
        using (var connection = new MySqlConnection(ConnectionString))
        {
            // Start a transaction with auto-commit enabled
            using (var transaction = connection.BeginTransaction(_capBus, autoCommit: true))
            {
                // Your business logic...
                _capBus.Publish("xxx.services.show.time", DateTime.Now);
            }
        }
        return Ok();
    }

    [Route("~/ef/transaction")]
    public IActionResult EntityFrameworkWithTransaction([FromServices] AppDbContext dbContext)
    {
        using (var trans = dbContext.Database.BeginTransaction(_capBus, autoCommit: true))
        {
            // Your business logic...
            _capBus.Publish("xxx.services.show.time", DateTime.Now);
        }
        return Ok();
    }

    [Route("~/publish/delay")]
    public async Task<IActionResult> PublishWithDelay()
    {
        // Publish a message with a 30-second delay
        await _capBus.PublishDelayAsync(TimeSpan.FromSeconds(30), "xxx.services.show.time", DateTime.Now);
        return Ok();
    }
}

4. Subscribe to Messages

In a Controller Action

Add the [CapSubscribe] attribute to a controller action to subscribe to a topic.

public class SubscriptionController : Controller
{
    [CapSubscribe("xxx.services.show.time")]
    public void CheckReceivedMessage(DateTime messageTime)
    {
        Console.WriteLine($"Message received: {messageTime}");
    }
}

In a Business Logic Service

If your subscriber is not in a controller, the class must implement the ICapSubscribe interface.

namespace BusinessCode.Service
{
    public interface ISubscriberService
    {
        void CheckReceivedMessage(DateTime datetime);
    }

    public class SubscriberService : ISubscriberService, ICapSubscribe
    {
        [CapSubscribe("xxx.services.show.time")]
        public void CheckReceivedMessage(DateTime datetime)
        {
            // Handle the message
        }
    }
}

Remember to register your service in Startup.cs:

public void ConfigureServices(IServiceCollection services)
{
    services.AddTransient<ISubscriberService, SubscriberService>();

    services.AddCap(x =>
    {
        // ...
    });
}

Asynchronous Subscriptions

For async operations, your subscription method should return a Task and can accept a CancellationToken.

public class AsyncSubscriber : ICapSubscribe
{
    [CapSubscribe("topic.name")]
    public async Task ProcessAsync(Message message, CancellationToken cancellationToken)
    {
        await SomeOperationAsync(message, cancellationToken);
    }
}

Partial Topic Subscriptions

Group topic subscriptions by defining a partial topic on the class level. The final topic will be a combination of the class-level and method-level topics. In this example, the Create method subscribes to customers.create.

[CapSubscribe("customers")]
public class CustomersSubscriberService : ICapSubscribe
{
    [CapSubscribe("create", isPartial: true)]
    public void Create(Customer customer)
    {
        // ...
    }
}

Subscription Groups

Subscription groups are similar to consumer groups in Kafka. They allow you to load-balance message processing across multiple instances of a service.

By default, CAP uses the assembly name as the group name. If multiple subscribers in the same group subscribe to the same topic, only one will receive the message (competing consumers). If they are in different groups, all will receive the message (fan-out).

You can specify a group directly in the attribute:

[CapSubscribe("xxx.services.show.time", Group = "group1")]
public void ShowTime1(DateTime datetime)
{
    // ...
}

[CapSubscribe("xxx.services.show.time", Group = "group2")]
public void ShowTime2(DateTime datetime)
{
    // ...
}

You can also set a default group name in the configuration:

services.AddCap(x =>
{
    x.DefaultGroup = "my-default-group";  
});

Azure Service Bus Emulator Support

The Azure Service Bus Emulator uses separate ports for AMQP messaging (5672) and the HTTP Admin API (5300). Because CAP uses a single connection string for both the ServiceBusClient (AMQP) and the ServiceBusAdministrationClient (HTTP), it cannot target both ports simultaneously.

To work around this, set AutoProvision to false to skip automatic creation of topics, subscriptions, and rules via the Admin API. You must pre-create the required entities in the emulator's configuration instead.

services.AddCap(x =>
{
    x.UseAzureServiceBus(opt =>
    {
        opt.ConnectionString = "Endpoint=sb://localhost;SharedAccessKeyName=RootManageSharedAccessKey;SharedAccessKey=SAS_KEY_VALUE;UseDevelopmentEmulator=true;";
        opt.AutoProvision = false;
    });
});

Note: When AutoProvision is false, topics, subscriptions, and subscription filter rules must already exist before the application starts. This option is also useful when entities are managed externally (e.g., via Infrastructure as Code).

Dashboard

CAP provides a real-time dashboard to view sent and received messages and their status.

PM> Install-Package DotNetCore.CAP.Dashboard

The dashboard is accessible by default at http://localhost:xxx/cap. You can customize the path via options: x.UseDashboard(opt => { opt.PathMatch = "/my-cap"; });.

For distributed environments, the dashboard supports service discovery to view data from all nodes.

Contribute

We welcome contributions! Participating in discussions, reporting issues, and submitting pull requests are all great ways to help. Please read our contributing guidelines (we can create this file if it doesn't exist) to get started.

License

CAP is licensed under the MIT License.

Showing the top 20 packages that depend on DotNetCore.CAP.

Packages Downloads
DotNetCore.CAP.Dashboard
Distributed transaction solution in micro-service base on eventually consistency, also an eventbus with Outbox pattern.
17
DotNetCore.CAP.Dashboard
Distributed transaction solution in micro-service base on eventually consistency, also an eventbus with Outbox pattern.
16
DotNetCore.CAP.Dashboard
Distributed transaction solution in micro-service base on eventually consistency, also an eventbus with Outbox pattern.
15
DotNetCore.CAP.Dashboard
Distributed transaction solution in micro-service base on eventually consistency, also an eventbus with Outbox pattern.
14

Version Downloads Last updated
10.0.2-preview-287480508 4 2/15/2026
10.0.2-preview-285901803 6 1/29/2026
10.0.1 7 1/12/2026
10.0.0 8 12/1/2025
10.0.0-preview-280318356 8 11/24/2025
8.4.1 7 10/27/2025
8.4.0 9 9/8/2025
8.4.0-preview-271338004 11 8/25/2025
8.4.0-preview-270476069 10 8/26/2025
8.4.0-preview-270285676 14 8/26/2025
8.3.5 4 6/15/2025
8.3.5-preview-262164550 4 6/16/2025
8.3.4 3 6/16/2025
8.3.3 6 6/16/2025
8.3.3-preview-255432523 3 6/16/2025
8.3.3-preview-254219859 4 6/16/2025
8.3.2 3 6/16/2025
8.3.2-preview-248100009 3 6/16/2025
8.3.1 4 6/16/2025
8.3.1-preview-247022046 4 6/16/2025
8.3.0 3 6/16/2025
8.3.0-preview-243613753 3 6/16/2025
8.2.0 3 6/16/2025
8.2.0-preview-234883029 3 6/10/2025
8.2.0-preview-233720681 4 6/16/2025
8.1.2 2 6/16/2025
8.1.1 3 6/16/2025
8.1.1-preview-230008876 3 6/16/2025
8.1.0 3 6/16/2025
8.1.0-preview-226548602 3 6/16/2025
8.1.0-preview-225165712 4 6/16/2025
8.0.1 3 6/16/2025
8.0.0 3 6/16/2025
8.0.0-preview-218723843 4 6/16/2025
8.0.0-preview-218688659 3 6/16/2025
7.2.3-preview-217562936 4 6/16/2025
7.2.3-preview-217174309 3 6/16/2025
7.2.3-preview-216527974 2 6/16/2025
7.2.2 3 6/16/2025
7.2.1 2 6/16/2025
7.2.0 3 6/16/2025
7.2.0-preview-207226127 3 6/17/2025
7.2.0-preview-207205557 3 6/16/2025
7.2.0-preview-204044155 4 6/17/2025
7.1.4 3 6/16/2025
7.1.3 2 6/16/2025
7.1.3-preview-200912175 2 6/16/2025
7.1.3-preview-200730887 3 6/16/2025
7.1.2 2 6/16/2025
7.1.2-preview-198398083 3 6/16/2025
7.1.1 2 6/16/2025
7.1.1-preview-197551401 3 6/16/2025
7.1.1-preview-196764828 4 6/16/2025
7.1.1-preview-196761499 3 6/16/2025
7.1.0 4 6/16/2025
7.1.0-preview-194230942 3 6/16/2025
7.1.0-preview-193202380 5 6/14/2025
7.0.3 3 6/17/2025
7.0.2 4 6/16/2025
7.0.2-preview-189692844 4 6/16/2025
7.0.1 3 6/16/2025
7.0.0 3 6/16/2025
7.0.0-preview-186133345 3 6/16/2025
7.0.0-preview-185881699 2 6/16/2025
7.0.0-preview-185533510 2 6/16/2025
7.0.0-preview-185469232 3 6/16/2025
7.0.0-preview-185451687 3 6/16/2025
6.2.1 11 6/16/2025
6.2.1-preview-180716003 11 6/16/2025
6.2.0 14 6/7/2025
6.1.1 12 6/16/2025
6.1.1-preview-176300030 10 6/13/2025
6.1.1-preview-175769056 11 6/16/2025
6.1.0 10 6/16/2025
6.1.0-preview-165373954 11 6/16/2025
6.1.0-preview-163077268 16 6/16/2025
6.1.0-preview-162971117 11 6/16/2025
6.0.1 11 6/16/2025
6.0.0 12 6/16/2025
6.0.0-preview-153999281 12 6/16/2025
5.2.0 11 6/17/2025
5.2.0-preview-152861792 13 6/16/2025
5.2.0-preview-150458135 16 6/16/2025
5.1.4 14 6/16/2025
5.1.4-preview-147174683 11 6/16/2025
5.1.3 15 6/16/2025
5.1.3-preview-144669387 14 6/16/2025
5.1.3-preview-144222698 11 6/16/2025
5.1.2 14 6/17/2025
5.1.2-preview-143176668 11 6/16/2025
5.1.1 12 6/16/2025
5.1.1-preview-141622241 13 6/16/2025
5.1.1-preview-140603701 15 6/16/2025
5.1.0 11 6/12/2025
5.1.0-preview-138879827 14 6/16/2025
5.0.3 12 6/16/2025
5.0.2 11 6/17/2025
5.0.2-preview-136262472 25 6/16/2025
5.0.2-preview-136113481 11 6/16/2025
5.0.2-preview-135224594 13 6/16/2025
5.0.2-preview-134636747 12 6/16/2025
5.0.1 12 6/16/2025
5.0.1-preview-133783177 12 6/16/2025
5.0.0 12 6/16/2025
5.0.0-preview-132888327 12 6/16/2025
5.0.0-preview-132124922 10 6/16/2025
5.0.0-preview-131679580 10 6/16/2025
5.0.0-preview-126609691 11 6/16/2025
3.1.2 12 6/16/2025
3.1.2-preview-121943182 11 6/8/2025
3.1.2-preview-120665033 10 6/17/2025
3.1.2-preview-120490779 12 6/8/2025
3.1.2-preview-119453473 11 6/16/2025
3.1.1 13 6/16/2025
3.1.1-preview-115802637 12 6/16/2025
3.1.0 11 6/16/2025
3.1.0-preview-114160390 13 6/16/2025
3.1.0-preview-112969177 12 6/16/2025
3.1.0-preview-112250362 12 6/16/2025
3.1.0-preview-111117527 11 6/16/2025
3.1.0-preview-108719052 11 6/16/2025
3.0.4 10 6/16/2025
3.0.4-preview-106413158 14 6/16/2025
3.0.4-preview-103991021 11 6/10/2025
3.0.4-preview-102596937 14 6/10/2025
3.0.4-preview-102593320 11 6/16/2025
3.0.3 12 6/17/2025
3.0.3-preview-98619331 11 6/16/2025
3.0.2 12 6/16/2025
3.0.2-preview-97503759 16 6/11/2025
3.0.1 11 6/16/2025
3.0.1-preview-95233114 13 6/16/2025
3.0.1-preview-94915444 11 6/16/2025
3.0.0 9 6/16/2025
3.0.0-preview-93361469 12 6/16/2025
3.0.0-preview-92995853 12 6/16/2025
3.0.0-preview-92907246 11 6/16/2025
2.6.0 11 6/16/2025
2.6.0-preview-82454970 12 6/16/2025
2.6.0-preview-82001197 11 6/16/2025
2.6.0-preview-80821564 12 6/16/2025
2.6.0-preview-79432176 12 6/16/2025
2.5.1 12 6/16/2025
2.5.1-preview-75824665 11 6/16/2025
2.5.1-preview-73792921 13 6/16/2025
2.5.1-preview-73031417 14 6/16/2025
2.5.0 14 6/16/2025
2.5.0-preview-69219007 11 6/16/2025
2.5.0-preview-69210974 13 6/16/2025
2.5.0-preview-68640186 10 6/16/2025
2.5.0-preview-67093158 13 6/11/2025
2.4.2 12 6/16/2025
2.4.2-preview-62147279 18 6/16/2025
2.4.1 12 6/16/2025
2.4.0 12 6/8/2025
2.4.0-preview-58415569 12 6/16/2025
2.4.0-preview-58238865 12 6/16/2025
2.3.1 14 6/16/2025
2.3.1-preview-57307518 13 6/16/2025
2.3.1-preview-53660607 12 6/16/2025
2.3.1-preview-53320926 13 6/13/2025
2.3.0 13 6/16/2025
2.2.6-preview-50057154 14 6/16/2025
2.2.6-preview-50053657 12 6/16/2025
2.2.6-preview-49112414 13 6/16/2025
2.2.5 11 6/16/2025
2.2.5-preview-45566217 14 6/16/2025
2.2.5-preview-45139132 14 6/16/2025
2.2.4 13 6/9/2025
2.2.3-preview-43309801 13 6/16/2025
2.2.2 17 6/16/2025
2.2.2-preview-40816597 27 6/16/2025
2.2.1 12 6/16/2025
2.2.0 13 6/16/2025
2.2.0-preview-40294348 13 6/16/2025
2.2.0-preview-38490295 12 6/16/2025
2.2.0-preview-37969809 11 6/16/2025
2.2.0-preview-37943663 12 6/16/2025
2.1.4 14 6/16/2025
2.1.4-preview-34848409 13 6/16/2025
2.1.4-preview-34825232 13 6/16/2025
2.1.4-preview-33704197 13 6/16/2025
2.1.3 14 6/16/2025
2.1.3-preview-33358922 12 6/16/2025
2.1.3-preview-33191223 11 6/16/2025
2.1.3-preview-31198104 11 6/16/2025
2.1.2 12 6/16/2025
2.1.2-preview-30288174 11 6/16/2025
2.1.2-preview-30286136 13 6/15/2025
2.1.2-preview-29226626 11 6/16/2025
2.1.2-preview-28879945 11 6/16/2025
2.1.2-preview-28782089 15 6/16/2025
2.1.1 12 6/16/2025
2.1.1-preview-28628301 12 6/16/2025
2.1.1-preview-28414190 13 6/16/2025
2.1.0 13 6/16/2025
2.1.0-preview-26231671 11 6/16/2025
2.1.0-preview-25885614 10 6/16/2025
2.0.2 12 6/16/2025
2.0.1 11 6/16/2025
2.0.1-preview-21560113 12 6/16/2025
2.0.1-preview-21392243 13 6/16/2025
2.0.0 13 6/16/2025
2.0.0-preview-20091963 10 6/16/2025
2.0.0-preview-19793485 13 6/16/2025
1.2.0-preview-00019208119 12 6/16/2025
1.1.1-preview-00018720262 12 6/16/2025
1.1.0 14 6/16/2025
1.1.0-preview-00018359725 14 6/16/2025
1.1.0-preview-00018287510 11 6/16/2025
1.1.0-preview-00018199934 11 6/16/2025
1.1.0-preview-00017833331 12 6/15/2025
1.1.0-preview-00017748473 12 6/16/2025
1.0.1 14 6/16/2025
1.0.1-preview-00017636063 11 6/16/2025
1.0.1-preview-00017490435 12 6/16/2025
1.0.1-preview-00017285652 13 6/16/2025
1.0.0 13 6/16/2025
0.1.0-ci-00016390477 11 6/16/2025
0.1.0-ci-00016261636 11 6/16/2025
0.1.0-ci-00016020116 12 6/16/2025
0.1.0-ci-00016011622 11 6/16/2025
0.1.0-ci-00015583876 15 6/16/2025