SimpleTransit.Abstractions
1.0.6
dotnet add package SimpleTransit.Abstractions --version 1.0.6
NuGet\Install-Package SimpleTransit.Abstractions -Version 1.0.6
<PackageReference Include="SimpleTransit.Abstractions" Version="1.0.6" />
<PackageVersion Include="SimpleTransit.Abstractions" Version="1.0.6" />
<PackageReference Include="SimpleTransit.Abstractions" />
paket add SimpleTransit.Abstractions --version 1.0.6
#r "nuget: SimpleTransit.Abstractions, 1.0.6"
#:package SimpleTransit.Abstractions@1.0.6
#addin nuget:?package=SimpleTransit.Abstractions&version=1.0.6
#tool nuget:?package=SimpleTransit.Abstractions&version=1.0.6
SimpleTransit
A simple, lightweight implementation of an in-memory publisher/subscriber pattern for .NET applications. SimpleTransit provides a clean and efficient way to implement message-driven architectures using either direct notification handling or queued message processing.
Features
- Dual Messaging Patterns: Support for both immediate notifications and queued message processing
- Dependency Injection Integration: Seamless integration with Microsoft.Extensions.DependencyInjection
- ASP.NET Core Ready: Built-in support for HTTP context-aware scoping
- Type-Safe: Strongly-typed message handling with generic interfaces
- Minimal Dependencies: Lightweight with minimal external dependencies
- Multi-Target Support: Compatible with .NET 8.0 and .NET 9.0
Installation
SimpleTransit is available as NuGet packages:
Main Package
dotnet add package SimpleTransit
Abstractions Package (for shared contracts)
dotnet add package SimpleTransit.Abstractions
Quick Start
1. Configure Services
Add SimpleTransit to your dependency injection container:
var builder = WebApplication.CreateBuilder(args);
// Register SimpleTransit and automatically discover handlers/consumers
builder.Services.AddSimpleTransit(options =>
{
options.RegisterServicesFromAssemblyContaining<Program>();
});
var app = builder.Build();
2. Define Your Messages
// For notifications (direct handling)
public record PersonCreated(string FirstName, string LastName, string? City);
// For queued messages (implement IMessage)
public record ProductCreated(string Name, string Description, double Price) : IMessage;
3. Create Handlers
Notification Handler (Immediate Processing)
public class PersonCreatedNotificationHandler(ILogger<PersonCreatedNotificationHandler> logger) : INotificationHandler<PersonCreated>
{
public async Task HandleAsync(PersonCreated message, CancellationToken cancellationToken)
{
logger.LogInformation("Person created: {FirstName} {LastName} from {City}",
message.FirstName, message.LastName, message.City);
// Handle the notification immediately
await DoSomethingAsync(message);
}
}
Message Consumer (Queued background Processing)
public class ProductCreatedConsumer(ILogger<ProductCreatedConsumer> logger) : IConsumer<ProductCreated>
{
public async Task HandleAsync(ProductCreated message, CancellationToken cancellationToken)
{
logger.LogInformation("Processing product: {ProductName}...", message.Name);
// Simulate processing
await Task.Delay(1000, cancellationToken);
logger.LogInformation("Product processed: {ProductName}", message.Name);
}
}
4. Publish Messages
app.MapPost("/api/people", async (PersonCreated person, INotificationPublisher notificationPublisher) =>
{
// Publish notification (handled immediately)
await notificationPublisher.NotifyAsync(person);
return TypedResults.Ok();
});
app.MapPost("/api/products", async (ProductCreated product, IMessagePublisher messagePublisher) =>
{
// Publish message (queued for processing)
await messagePublisher.PublishAsync(product);
return TypedResults.Accepted();
});
Usage Patterns
Notifications vs Messages
SimpleTransit supports two distinct messaging patterns:
1. Notifications (Immediate Processing)
- Purpose: Immediate handling of events
- Interface:
INotificationHandler<T>
- Publisher:
INotificationPublisher
- Execution: Notifications are handled in the same context of the caller that invokes
NotifyAsync
- Use Cases: Logging, immediate side effects, real-time updates
2. Messages (Queued background Processing)
- Purpose: Reliable, background processing
- Interface:
IConsumer<T>
whereT : IMessage
- Publisher:
IMessagePublisher
- Execution: Asynchronous queue processing
- Use Cases: Long-running operations, batch processing, reliable delivery
Configuration Options
Manual Registration
builder.Services.AddSimpleTransit(options =>
{
// Mark that you have notification handlers
options.UseNotificationHandlers();
// Mark that you have message consumers
options.UseMessageConsumers();
});
// Manually register your handlers
builder.Services.AddTransient<INotificationHandler<PersonCreated>, PersonCreatedNotificationHandler>();
builder.Services.AddTransient<IConsumer<ProductCreated>, ProductCreatedConsumer>();
Automatic Registration
builder.Services.AddSimpleTransit(options =>
{
// Register all handlers and consumers from specified assembly
options.RegisterServicesFromAssemblyContaining<Program>();
// Or from a specific assembly
options.RegisterServicesFromAssembly(typeof(MyHandler).Assembly);
// With optional filtering
options.RegisterServicesFromAssembly(
assembly,
type => type.Namespace?.StartsWith("MyApp.Handlers") == true);
});
Advanced Scenarios
Multiple Handlers
Multiple notification handlers can be registered for the same message type:
public class EmailNotificationHandler : INotificationHandler<PersonCreated>
{
public async Task HandleAsync(PersonCreated message, CancellationToken cancellationToken)
{
// Send email
}
}
public class AuditNotificationHandler : INotificationHandler<PersonCreated>
{
public async Task HandleAsync(PersonCreated message, CancellationToken cancellationToken)
{
// Log to audit system
}
}
Error Handling
Exceptions thrown by notification handlers are forwarded to the caller, allowing for proper error handling. Exceptions from background message consumers are not propagated.
try
{
await notificationPublisher.NotifyAsync(message);
}
catch (Exception ex)
{
// Handle errors from any of the notification handlers
logger.LogError(ex, "Error processing notification");
}
Scoped Services
SimpleTransit properly handles service scoping, especially in ASP.NET Core applications:
public class DatabaseHandler(MyDbContext context) : INotificationHandler<PersonCreated>
{
public async Task HandleAsync(PersonCreated message, CancellationToken cancellationToken)
{
// Use scoped DbContext safely
context.People.Add(new Person { Name = message.FirstName });
await context.SaveChangesAsync(cancellationToken);
}
}
Best Practices
- Choose the Right Pattern: Use notifications for immediate actions, messages for background processing
- Keep Handlers Focused: Each handler should have a single responsibility
- Handle Errors Gracefully: Always consider error scenarios in your handlers
- Use Cancellation Tokens: Support cancellation for long-running operations
- Leverage Dependency Injection: Take advantage of scoped services for database operations
- Consider Performance: Notifications are executed synchronously, so keep them fast
Samples
A complete sample application is available in the samples/SimpleTransitSample
directory, demonstrating:
- Web API integration
- Both notification and message patterns
- Service registration and configuration
- Real-world usage scenarios
To run the sample:
cd samples/SimpleTransitSample
dotnet run
Then navigate to the Swagger UI at the URL specified in the console to test the API endpoints.
Contributing
Contributions are welcome! Please feel free to submit issues, feature requests, or pull requests.
Development Guidelines
- Fork the repository and create a feature branch
- Follow existing code style and conventions
- Add tests for new functionality
- Update documentation as needed
- Ensure all tests pass before submitting
Building the Project
# Clone the repository
git clone https://github.com/marcominerva/SimpleTransit.git
cd SimpleTransit
# Build the solution
dotnet build
# Run tests (if available)
dotnet test
Reporting Issues
When reporting issues, please include:
- .NET version
- SimpleTransit version
- Minimal reproduction example
- Expected vs actual behavior
License
This project is licensed under the MIT License.
Product | Versions 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 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. |
-
net8.0
- No dependencies.
-
net9.0
- No dependencies.
NuGet packages (1)
Showing the top 1 NuGet packages that depend on SimpleTransit.Abstractions:
Package | Downloads |
---|---|
SimpleTransit
A library that provides a simple implementation of an in-memory publisher/subscriber pattern. |
GitHub repositories
This package is not used by any popular GitHub repositories.
Version | Downloads | Last Updated |
---|---|---|
1.0.6 | 82 | 7/30/2025 |