Cascading Messages
TIP
Cascading messages are just the equivalent of IMessageBus.PublishAsync()
. Just know that unlike Side Effects, cascaded messages are handled separately in a later thread and with a completely independent "retry loop" from the originating message.
INFO
One of Wolverine's advantages over previous .NET messaging frameworks is the ability to express many message handlers as pure functions for better testability and hopefully more self-explanatory code. Cascading messages are one of the ways that Wolverine uses to enable pure function handler methods.
Many times during the processing of a message you will need to create and send out other messages. Maybe you need to respond back to the original sender with a reply, maybe you need to trigger a subsequent action, or send out additional messages to start some kind of background processing. You can do that by just having your handler class use the IMessageContext
interface as shown in this sample:
public class NoCascadingHandler
{
private readonly IMessageContext _bus;
public NoCascadingHandler(IMessageContext bus)
{
_bus = bus;
}
public void Consume(MyMessage message)
{
// do whatever work you need to for MyMessage,
// then send out a new MyResponse
_bus.SendAsync(new MyResponse());
}
}
The code above certainly works and this is consistent with most of the competing service bus tools. However, Wolverine supports the concept of cascading messages that allow you to automatically send out objects returned from your handler methods without having to use IMessageContext
as shown below:
public class CascadingHandler
{
public MyResponse Consume(MyMessage message)
{
return new MyResponse();
}
}
When Wolverine executes CascadingHandler.Consume(MyMessage)
, it "knows" that the MyResponse
return value should be sent through the service bus as part of the same transaction with whatever routing rules apply to MyResponse
. A couple things to note here:
- Cascading messages returned from handler methods will not be sent out until after the original message succeeds and is part of the underlying transport transaction
- Null's returned by handler methods are simply ignored
- The cascading message feature was explicitly designed to make unit testing handler actions easier by shifting the test strategy to state-based where you mostly need to verify the state of the response objects instead of mock-heavy testing against calls to
IMessageContext
.
See return types for more information on valid handler signatures.
In terms of response types that become cascading messages, the response types of your message handlers can be:
- A specific message type
object
if the cascaded message type is variable- An object that implements
ISendMyself
to customize how a cascaded message is sent (timeouts? specific destinations?) IEnumerable<object>
orobject[]
orTask<object[]>
to make multiple responsesIAsyncEnumerable<object>
to make multiple cascading messages out of an asynchronous handler- A Tuple type to express the exact kinds of responses your message handler returns
To Specific Endpoints
Sometimes you'll want to explicitly send messages to specific endpoints rather than relying on Wolverine's message routing. You can still use cascading messages to an endpoint by name or by the destination Uri
like so:
public class ManuallyRoutedResponseHandler
{
public IEnumerable<object> Consume(MyMessage message)
{
// Go North now at the "important" queue
yield return new GoNorth().ToEndpoint("important");
// Go West in a lower priority queue
yield return new GoWest().ToDestination(new Uri("rabbitmq://queue/low"));
}
}
You can also add optional DeliveryOptions
to the outgoing messages to fine tune how the message is to be published.
Using OutgoingMessages
TIP
In the case of mixing different return values from a handler (side effects, Marten events, etc.), it might well make your code more intention revealing to use OutgoingMessages
You can return a value from your handlers called OutgoingMessages
that is just a collection of outgoing messages. This helps Wolverine "know" that these messages should be cascaded after the initial message is successful.
The usage of this is shown below:
public static OutgoingMessages Handle(Incoming incoming)
{
// You can use collection initializers for OutgoingMessages in C#
// as a shorthand.
var messages = new OutgoingMessages
{
new Message1(),
new Message2(),
new Message3(),
};
// Send a specific message back to the original sender
// of the incoming message
messages.RespondToSender(new Message4());
// Send a message with a 5 minute delay
messages.Delay(new Message5(), 5.Minutes());
// Schedule a message to be sent at a specific time
messages.Schedule(new Message5(), new DateTimeOffset(2023, 4, 5, 0, 0, 0, 0.Minutes()));
return messages;
}
Do note that the value of OutgoingMessages
is probably greatest when being used in a tuple response from a handler that's a mix of cascading messages and other side effects.
Scheduled, Delayed, or other Customized Message Publishing
The basic cascading messages effectively do a straight up IMessageBus.PublishAsync()
on each object returned from a handler -- but that takes away a lot of the power of Wolverine. Not to worry, you've got a couple helpers to have both the testability and pure function goodness of cascading messages and have full access to the power of Wolverine. Here's some example usages:
public static IEnumerable<object> Consume(Incoming incoming)
{
// Delay the message delivery by 10 minutes
yield return new Message1().DelayedFor(10.Minutes());
// Schedule the message delivery for a certain time
yield return new Message2().ScheduledAt(new DateTimeOffset(DateTime.Today.AddDays(2)));
// Customize the message delivery however you please...
yield return new Message3()
.WithDeliveryOptions(new DeliveryOptions().WithHeader("foo", "bar"));
// Send back to the original sender
yield return Respond.ToSender(new Message4());
}
Request/Reply Scenarios
WARNING
Just know that in the case of using InvokeAsync<T>()
for request/reply, that the reply type of T
is not also published as a cascaded message. Instead, it is only returned to the original caller.
Normally, cascading messages are just sent out according to the configured subscription rules for that message type, but there's an exception case. If the original sender requested a response, Wolverine will automatically send the cascading messages returned from the action to the original sender if the cascading message type matches the reply that the sender had requested. If you're examining the Envelope
objects for the message, you'll see that the "reply-requested" header is "MyResponse."
Let's say that we have two running service bus nodes named "Sender" and "Receiver." If this code below is called from the "Sender" node:
public class Requester
{
private readonly IMessageContext _bus;
public Requester(IMessageContext bus)
{
_bus = bus;
}
public ValueTask GatherResponse()
{
return _bus.SendAsync(new MyMessage(), DeliveryOptions.RequireResponse<MyResponse>());
}
}
and inside Receiver we have this code:
public class CascadingHandler
{
public MyResponse Consume(MyMessage message)
{
return new MyResponse();
}
}
Assuming that MyMessage
is configured to be sent to "Receiver," the following steps take place:
- Sender sends a
MyMessage
message to the Receiver node with the "reply-requested" header value of "MyResponse" - Receiver handles the
MyMessage
message by calling theCascadingHandler.Consume(MyMessage)
method - Receiver sees the value of the "reply-requested" header matches the response, so it sends the
MyResponse
object back to Sender - When Sender receives the matching
MyResponse
message that corresponds to the originalMyMessage
, it sets the completion back to the Task returned by theIMessageContext.Request<TResponse>()
method
Conditional Responses
You may need some conditional logic within your handler to know what the cascading message is going to be. If you need to return different types of cascading messages based on some kind of logic, you can still do that by making your handler method return signature be object
like this sample shown below:
public class ConditionalResponseHandler
{
public object Consume(DirectionRequest request)
{
switch (request.Direction)
{
case "North":
return new GoNorth();
case "South":
return new GoSouth();
}
// This does nothing
return null;
}
}
Schedule Response Messages
You may want to raise a delayed or scheduled response. In this case you will need to return an <[linkto:documentation/integration/customizing_envelopes;title=Envelope]> for the response as shown below:
public class ScheduledResponseHandler
{
public Envelope Consume(DirectionRequest request)
{
return new Envelope(new GoWest()).ScheduleDelayed(TimeSpan.FromMinutes(5));
}
public Envelope Consume(MyMessage message)
{
// Process GoEast at 8 PM local time
return new Envelope(new GoEast()).ScheduleAt(DateTime.Today.AddHours(20));
}
}
Multiple Cascading Messages
You can also raise any number of cascading messages by returning either any type that can be cast to IEnumerable<object>
, and Wolverine will treat each element as a separate cascading message. An empty enumerable is just ignored.
public class MultipleResponseHandler
{
public IEnumerable<object> Consume(MyMessage message)
{
// Go North now
yield return new GoNorth();
// Go West in an hour
yield return new GoWest().DelayedFor(1.Hours());
}
}
Using C# Tuples as Return Values
Sometimes you may well need to return multiple cascading messages from your original message action. In FubuMVC, Wolverine's forebear, you had to return either object[]
or IEnumerable<object>
as the return type of your action -- which had the unfortunate side effect of partially obfuscating your code by making it less clear what message types were being cascaded from your handler without carefully reading the message body. In Wolverine, we still support the "mystery meat" object
return value signatures, but now you can also use C# tuples to better denote the cascading message types.
This handler cascading a pair of messages:
public class MultipleResponseHandler
{
public IEnumerable<object> Consume(MyMessage message)
{
// Go North now
yield return new GoNorth();
// Go West in an hour
yield return new GoWest().DelayedFor(1.Hours());
}
}
can be rewritten with C# 7 tuples to:
public class TupleResponseHandler
{
// Both GoNorth and GoWest will be interpreted as
// cascading messages
public (GoNorth, GoWest) Consume(MyMessage message)
{
return (new GoNorth(), new GoWest());
}
}
The sample above still treats both GoNorth
and the ScheduledResponse
as cascading messages. The Wolverine team thinks that the tuple-ized signature makes the code more self-documenting and easier to unit test.
Responding to Sender
If in a message handler you need to send a message directly back to the original sender, you can use this cascaded message option:
public object Handle(PingMessage message)
{
var pong = new PongMessage { Id = message.Id };
// This will send the pong message back
// to the original sender of the PingMessage
return Respond.ToSender(pong);
}