Getting Started
Architecture
NServiceBus
Transports
Persistence
ServiceInsight
ServicePulse
ServiceControl
Monitoring
Samples

Best practices

This article presents recommendations to keep in mind when designing a system using NServiceBus.

Architecture

✔️ DO limit the number of handlers in each endpoint

Multiple message handlers can be combined inside a single logical endpoint. However, these handlers all share a single message queue for different types of messages.

The endpoint is the fundamental unit of scale for an NServiceBus system. If one message handler has much higher throughput requirements, it can only be independently scaled if it exists in an endpoint by itself. In separate endpoints, only the message handler that has the unique scalability requirements has to be scaled out.

The endpoint is also the fundamental unit of deployment for an NServcieBus system. That means that the entire endpoint must be redeployed if a fix is required for one message handler. The fewer message handlers in each endpoint, the less likely any individual deployment is to cause a problem in the system since the whole system does not have to be redeployed on every change.

✔️ CONSIDER grouping message handlers by SLA

Different message handlers commonly have very different timing requirements. A back-end, largely asynchronous process may take 30 seconds or more to complete, and nobody will notice or care if it takes longer. On the other hand, commands sent directly from the customer UI tend to be processed very quickly, and there is an expectation that processing should be completed within a second or two.

This expected time is the message handler's service-level agreement (SLA). Grouping message handlers with different SLAs in the same endpoint is unwise because they share the same queue. When SLAs are mixed, it becomes possible for a 1-second-SLA message to get stuck in line behind a batch of 60-second-SLA messages, causing the SLA of the shorter message to be breached.

With message handlers separated by SLA, the scalability needs for the message handlers can be adjusted to make sure that the critical time (the amount of time the message waits to be processed + the processing time) does not exceed that SLA.

For more information on critical time monitoring, see the NServiceBus monitoring setup guide.

DO NOT abstract away NServiceBus

NServiceBus is itself an abstraction over different message queue technologies, allowing message handlers to concern themselves with business code and not worry about the specific implementation of the underlying queue.

As a dependency, conventional wisdom holds that the NServiceBus API should itself be abstracted behind another abstraction, perhaps as a hedge against a possible future where the system will have to switch to a different service bus library.

However, NServiceBus is an opinionated framework that attempts to guide developers building distributed systems into a pit of success. It also becomes the communication foundation for the entire system.

Because of these qualities, abstractions over NServiceBus tend to mimic the NServiceBus API, which adds no value. When it comes time to switch to a different service bus framework (which is an uncommon activity to start with as it does not deliver any business value), it ends up being much more difficult than simply swapping one implementation for a new one.

Meanwhile, a custom abstraction makes the NServiceBus documentation less effective as developers must code to a custom, often undocumented API instead of directly against the NServiceBus API.

AVOID using asynchronous messages for synchronous communication, including queries

It is best to embrace the asynchronous nature of NServiceBus messages and not use an asynchronous message (or a pair of messages in a request/reply scenario) for synchronous communication, especially when the scenario expects an answer to be available right now. This is especially important with queries: messaging should not be used for queries.

When a previously-defined user interface demands an immediate response, such as inserting a new item into a grid and then immediately refreshing the grid to include the new item, the client-side callbacks package can be used, but this should be considered a crutch until a more task- or command-focused UI can replace it.

DO NOT create a messaging endpoint for every single web request

NServiceBus does a lot of work when it first starts up, scanning through assemblies to find the types of messages and message handlers, establishing communication with the messaging infrastructure, and ensuring that everything is optimized to run quickly for the duration of the endpoint's life. Do not repeat all this work on every web request just to send a single message and then shut down.

An NServiceBus endpoint is designed to be a long-lived object that persists throughout the application process. Once the IMessageSession is created, use dependency injection to inject it into controllers or wherever else it is needed. If necessary, assign the IMessageSession to a global variable.

DO NOT use messaging for data distribution

A common example of a data distribution scenario is having cached data on multiple scaled-out web servers and attempting to deliver a message to each of them. The message indicates each server should drop their current cache entries and retrieve fresh data from the database.

Asynchronous messaging (e.g., NServiceBus) is not a good solution for data distribution scenarios. Other technologies that are designed specifically to solve these problems should be used instead. Some examples can be found in the recommendations section of the data distribution article.

Message endpoints

✔️ DO keep message handlers focused on business code

Message handlers should be simple and focused on only the business code needed to handle the message. Infrastructure code for logging, exception management, timing, auditing, authorization, unit of work, message signing/encryption, etc, should not be included in a message handler.

Instead, implement this functionality separately in a message pipeline behavior, which enables inserting additional functionality into the NServiceBus message processing pipeline, similar to an ASP.NET ActionFilter.

For a high-level overview of infrastructure concerns and behaviors, see the blog post Infrastructure soup.

DO NOT catch exceptions in a message handler

NServiceBus relies on a message handler completing without throwing an exception to know that the message was processed successfully. If an exception is thrown, the message can be retried until it succeeds, which resolves many transient errors. (See the blog post I caught an exception. Now what?.) If too many retries occur, the message is moved to an error queue where a developer can use ServicePulse to view the failed message details to figure out what's wrong with it and correct the underlying issue.

If the message handler catches the exception, the message will be consumed and removed from the queue without the ability to be retried, regardless of the error.

If it is necessary to catch certain kinds of exceptions, consider throwing a new exception with a more specific message to give context about what is going on in the message handler that led to the failure. Always be sure to include the original error in the constructor of the new exception so that the InnerException property will show the stack trace of the original failure.

DO NOT enable installers in production

In a development environment, installers create dependencies that the endpoint needs to run, such as queues in the message transport and tables or schema in the persistence store. This is meant to make the development process fast and friction-free because changes occur rapidly.

In production scenarios, different permissions are needed to administer resources such as database tables and queues, and the endpoint should not run in production with permissions to alter these resources.

In production, the creation of queues, database tables, and other tables should be scripted as a part of a DevOps process when the endpoint is installed. Methods to administer these resources differ for every message transport and persistence package. For many packages, Particular will provide a dotnet global tool, PowerShell library, or other means of performing operational scripting to create endpoints.

✔️ DO use the Outbox feature to provide consistency between business data modifications and messaging operations

Because message queues generally do not support any form of transactions, message handlers that modify business data in a database run into problems when the messages that are sent become inconsistent with the changes made to business data, resulting in ghost messages or phantom records.

Using the outbox guarantees exactly-once message processing by taking advantage of the local database transaction that stores business data.

When using transports that only support receive-only or sends-atomic-with-receives transactions, the outbox ensures that outgoing messages are consistent with changes made to business data in the database.

DO NOT use messaging for occasionally connected clients

Message queues are long-lasting and durable. Occasionally connected clients, such as mobile devices or client-side graphical user interfaces, should not receive messages from message queues. The durable nature of message queuing can result in a backlog of messages for a disconnected client, which, if disconnected long enough, can result in exceeded queue quotas. This can ultimately impact performance in other parts of the system.

For occasionally connected clients, consider another communication medium, such as in the Near real-time transient clients sample, which communicates with clients using SignalR.

✔️ CONSIDER identifying message types using conventions to make upgrading to new versions of NServiceBus easier

By default, NServiceBus will identify classes implementing ICommand as commands, IEvent as events, and IMessage as other types of messages, such as replies. This is quick and easy but also causes message projects to depend on the NServiceBus NuGet package.

Because NServiceBus is wire-compatible between major versions, in a complex system, it's useful to be able to upgrade one endpoint at a time. But message assemblies are shared between multiple endpoints, which can cause challenges during upgrades when one endpoint using a message assembly has upgraded to the next major version but the other has not.

These versioning problems can be addressed using unobtrusive-mode messages by defining message conventions independent of the ICommand/IEvent/IMessage interfaces.

These conventions can even be encapsulated in a class, and many can be used within one endpoint so that messages from multiple teams who have made different choices on message conventions can be used together.

System monitoring

✔️ DO install the Heartbeats plugin in all endpoints to monitor for endpoint health

The Heartbeats plugin sends a message to ServiceControl at regular intervals to demonstrate that the process is not only executing (which would be provided by any suite of system monitoring tools) but is also capable of interacting with the message transport.

If ServiceControl stops receiving heartbeat messages from an endpoint, that endpoint will be shown as inactive in ServicePulse. In addition, ServiceControl will publish a HeartbeatStopped event so that operations staff can be notified and respond.

✔️ DO monitor distributed systems

It's important to know how a system is performing. With the performance monitoring capabilities in ServiceControl and ServicePulse, the queue length, throughput, retry rate, processing time, and critical time for every endpoint can be monitored in a single view with graphs.

Critical time is especially important, as it describes how long it takes for a message to wait in the queue and be processed. Because most processes will (either explicitly or implicitly) come with some form of service-level agreement (SLA) for how long it can take for a new message of a given type to be processed, monitoring the endpoint's critical time is key to ensuring those SLAs are upheld.

For more information, see an introductory video on monitoring, the monitoring setup guide, or the self-contained monitoring demo.

✔️ DO create a subscriber for ServiceControl events to be notified of failed messages and missed heartbeats

ServicePulse will display the current status of a system, including failed messages, missed heartbeats, and failed custom checks. However, ServicePulse acts as a dashboard and does not provide any notification when things go wrong.

When these things occur, ServiceControl will publish an NServiceBus message that can be subscribed to like any other NServiceBus message. From this message handler, any action that can be performed from code is possible: send an email to system administrators, notify a Slack channel, log it to a database...anything is possible.

It is better to be notified as soon as something has gone wrong than to find out after it's too late.