NetEvolve.Pulse.Dapr 0.10.11

Prefix Reserved
dotnet add package NetEvolve.Pulse.Dapr --version 0.10.11
                    
NuGet\Install-Package NetEvolve.Pulse.Dapr -Version 0.10.11
                    
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="NetEvolve.Pulse.Dapr" Version="0.10.11" />
                    
For projects that support PackageReference, copy this XML node into the project file to reference the package.
<PackageVersion Include="NetEvolve.Pulse.Dapr" Version="0.10.11" />
                    
Directory.Packages.props
<PackageReference Include="NetEvolve.Pulse.Dapr" />
                    
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 NetEvolve.Pulse.Dapr --version 0.10.11
                    
#r "nuget: NetEvolve.Pulse.Dapr, 0.10.11"
                    
#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 NetEvolve.Pulse.Dapr@0.10.11
                    
#: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=NetEvolve.Pulse.Dapr&version=0.10.11
                    
Install as a Cake Addin
#tool nuget:?package=NetEvolve.Pulse.Dapr&version=0.10.11
                    
Install as a Cake Tool

NetEvolve.Pulse.Dapr

NuGet Version NuGet Downloads License

Dapr pub/sub transport for the Pulse outbox pattern. Publishes outbox messages to Dapr topics via DaprClient, enabling reliable event delivery to any message broker supported by Dapr—Redis, Kafka, Azure Service Bus, RabbitMQ, and more—without changing application code.

Features

  • Dapr pub/sub: Publish outbox messages to any Dapr-supported message broker
  • CloudEvents: Payload is forwarded as CloudEvent data via DaprClient.PublishEventAsync
  • Health checks: Delegates to DaprClient.CheckHealthAsync for readiness probing
  • Configurable topic resolution: Map event types to topic names via a custom resolver function
  • Broker-agnostic: Switch brokers by changing the Dapr component configuration — no code changes required

Installation

NuGet Package Manager

Install-Package NetEvolve.Pulse.Dapr

.NET CLI

dotnet add package NetEvolve.Pulse.Dapr

PackageReference

<PackageReference Include="NetEvolve.Pulse.Dapr" Version="x.x.x" />

Quick Start

1. Add the Dapr client package

dotnet add package Dapr.AspNetCore

2. Register services

using Microsoft.Extensions.DependencyInjection;
using NetEvolve.Pulse;

var services = new ServiceCollection();

// DaprClient must be registered before UseDaprTransport
services.AddDaprClient();

services.AddPulse(config => config
    .AddOutbox(
        options => options.Schema = "pulse",
        processorOptions => processorOptions.BatchSize = 100)
    .UseDaprTransport(options =>
    {
        options.PubSubName = "pubsub"; // Dapr pub/sub component name
    }));

3. Store events via IEventOutbox

Use IEventOutbox to store events reliably. The outbox processor picks them up and publishes each one to the configured Dapr topic:

public class OrderService
{
    private readonly IEventOutbox _outbox;

    public OrderService(IEventOutbox outbox) => _outbox = outbox;

    public async Task CreateOrderAsync(CreateOrderRequest request, CancellationToken ct)
    {
        // ... business logic ...

        // Stored reliably; published via Dapr when the processor runs
        await _outbox.StoreAsync(new OrderCreatedEvent
        {
            OrderId = Guid.NewGuid(),
            CustomerId = request.CustomerId
        }, ct);
    }
}

Transaction Integration

For reliable at-least-once delivery guarantees, store outbox events within the same database transaction as your business data. Pair the Dapr transport with a persistence provider that supports transaction enlistment:

public class OrderService
{
    private readonly ApplicationDbContext _context;
    private readonly IEventOutbox _outbox;

    public OrderService(ApplicationDbContext context, IEventOutbox outbox)
    {
        _context = context;
        _outbox = outbox;
    }

    public async Task CreateOrderAsync(CreateOrderRequest request, CancellationToken ct)
    {
        // Begin transaction
        await using var transaction = await _context.Database.BeginTransactionAsync(ct);

        try
        {
            // Business operation
            var order = new Order { CustomerId = request.CustomerId, Total = request.Total };
            _context.Orders.Add(order);
            await _context.SaveChangesAsync(ct);

            // Store event in outbox (same transaction)
            await _outbox.StoreAsync(new OrderCreatedEvent
            {
                OrderId = order.Id,
                CustomerId = order.CustomerId
            }, ct);

            // Commit both business data and event atomically
            await transaction.CommitAsync(ct);
        }
        catch
        {
            // Rollback discards both business data AND the outbox event
            await transaction.RollbackAsync(ct);
            throw;
        }
    }
}

The Dapr transport only handles publishing. Transactional guarantees are provided by the persistence layer (e.g., NetEvolve.Pulse.EntityFramework or NetEvolve.Pulse.SqlServer).

Subscriber Integration

Dapr subscribers receive the published events as CloudEvents. Use Dapr.AspNetCore to subscribe to topics in ASP.NET Core:

// Program.cs — enable Dapr subscriber routing
app.MapSubscribeHandler();
// OrdersController.cs
using Dapr;
using Microsoft.AspNetCore.Mvc;

[ApiController]
[Route("[controller]")]
public class OrdersController : ControllerBase
{
    [Topic("pubsub", "OrderCreated")]
    [HttpPost("order-created")]
    public async Task<IActionResult> OnOrderCreated(
        [FromBody] OrderCreatedEvent evt,
        CancellationToken ct)
    {
        // Handle the event
        return Ok();
    }
}

Or use a declarative subscription component:

apiVersion: dapr.io/v1alpha1
kind: Subscription
metadata:
  name: order-created-subscription
spec:
  pubsubname: pubsub
  topic: OrderCreated
  route: /orders/order-created

Configuration

DaprMessageTransportOptions

Property Type Default Description
PubSubName string "pubsub" Name of the Dapr pub/sub component
TopicNameResolver Func<OutboxMessage, string> Simple class name Resolves the topic name from an outbox message

Topic Name Resolution

By default, the simple class name of the event type is used as the topic name. The assembly qualifier and namespace are stripped automatically.

EventType Resolved topic
MyApp.Events.OrderCreated, MyApp OrderCreated
MyApp.Events.PaymentProcessed, MyApp PaymentProcessed

Override the resolver for custom naming strategies:

.UseDaprTransport(options =>
{
    options.PubSubName = "servicebus-pubsub";
    options.TopicNameResolver = msg =>
    {
        // Use the full namespace-qualified type name as topic (without assembly)
        var typeName = msg.EventType;
        var commaIndex = typeName.IndexOf(',', StringComparison.Ordinal);
        return commaIndex > 0 ? typeName[..commaIndex] : typeName;
    };
});

Dapr Component Examples

Redis Streams (local development)

apiVersion: dapr.io/v1alpha1
kind: Component
metadata:
  name: pubsub
spec:
  type: pubsub.redis
  version: v1
  metadata:
    - name: redisHost
      value: "localhost:6379"
    - name: redisPassword
      value: ""

Azure Service Bus

apiVersion: dapr.io/v1alpha1
kind: Component
metadata:
  name: pubsub
spec:
  type: pubsub.azure.servicebus.topics
  version: v1
  metadata:
    - name: connectionString
      value: "Endpoint=sb://..."

RabbitMQ

apiVersion: dapr.io/v1alpha1
kind: Component
metadata:
  name: pubsub
spec:
  type: pubsub.rabbitmq
  version: v1
  metadata:
    - name: host
      value: "amqp://guest:guest@localhost:5672"

Broker Switching

Because all broker configuration lives in the Dapr component YAML, switching brokers requires no code changes:

// This registration never changes, regardless of the broker
services.AddPulse(config => config
    .AddOutbox()
    .UseDaprTransport(options => options.PubSubName = "pubsub"));

To switch from Redis to Azure Service Bus, update the component YAML and redeploy — application code stays identical.

How It Works

  1. Your application stores events in the outbox via IEventOutbox.StoreAsync within a database transaction.
  2. The Pulse background processor polls the outbox for pending messages.
  3. For each message, DaprMessageTransport deserializes the stored JSON payload and calls DaprClient.PublishEventAsync with the resolved pub/sub component name and topic.
  4. Dapr delivers the CloudEvent to subscribers on the configured broker.
  5. On success, the message is marked as processed; on failure, it remains pending for the next poll cycle.

Performance Considerations

Batch Processing

Configure batch size and polling interval based on your throughput requirements:

.AddOutbox(processorOptions: options =>
{
    options.BatchSize = 100;                         // Messages per poll cycle
    options.PollingInterval = TimeSpan.FromSeconds(1);
})

Singleton Transport

DaprMessageTransport is registered as a singleton. DaprClient is thread-safe and designed for concurrent use, so no additional synchronization is required.

Requirements

  • .NET 8.0, .NET 9.0, or .NET 10.0
  • Dapr runtime 1.13+
  • Dapr.AspNetCore (or Dapr.Client) with a registered DaprClient in the DI container
  • Microsoft.Extensions.DependencyInjection for service registration
  • Microsoft.Extensions.Hosting for the background processor

Documentation

For complete documentation, please visit the official documentation.

Contributing

Contributions are welcome! Please read the Contributing Guidelines before submitting a pull request.

Support

License

This project is licensed under the MIT License - see the LICENSE file for details.


Made with ❤️ by the NetEvolve Team

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

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
0.10.11 3 3/27/2026
0.10.5 47 3/27/2026
0.7.1 82 3/25/2026