-
Notifications
You must be signed in to change notification settings - Fork 75
/
Copy pathCommandBusPipeline.cs
76 lines (67 loc) · 3.21 KB
/
CommandBusPipeline.cs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
using System;
using System.Linq;
using System.Reflection;
using System.Threading;
using System.Threading.Tasks;
using Revo.Core.Core;
namespace Revo.Core.Commands
{
/// <summary>
/// Decorates command handlers with an execution pipeline implemented by handler middlewares
/// and filters.
/// </summary>
/// <typeparam name="T"></typeparam>
public class CommandBusPipeline(ICommandBusMiddlewareFactory middlewareFactory) : ICommandBusPipeline
{
private readonly ICommandBusMiddlewareFactory middlewareFactory = middlewareFactory;
public Task<object> ProcessAsync(ICommandBase command, CommandBusMiddlewareDelegate executionHandler,
ICommandBus commandBus, CommandExecutionOptions executionOptions, CancellationToken cancellationToken)
{
var processMethod = GetType().GetRuntimeMethods().Single(x => x.Name == nameof(ProcessInternalAsync));
var boundProcessMethod = processMethod.MakeGenericMethod(command.GetType());
return (Task<object>)boundProcessMethod.Invoke(this, new object[]
{
command, executionHandler, commandBus, executionOptions, cancellationToken
});
}
private async Task<object> ProcessInternalAsync<T>(T command, CommandBusMiddlewareDelegate executionHandler,
ICommandBus commandBus, CommandExecutionOptions executionOptions, CancellationToken cancellationToken)
where T : class, ICommandBase
{
using (TaskContext.Enter())
{
var middlewares = middlewareFactory.CreateMiddlewares<T>(commandBus);
if (middlewares.Length == 0)
{
return executionHandler(command);
}
middlewares = middlewares.OrderBy(x => x.Order).ToArray();
return await ProcessNextMiddleware(command, middlewares, 0, executionHandler,
executionOptions, cancellationToken);
}
}
private async Task<object> ProcessNextMiddleware<T>(T command, ICommandBusMiddleware<T>[] middlewares,
int middlewareIndex, CommandBusMiddlewareDelegate executionHandler,
CommandExecutionOptions executionOptions, CancellationToken cancellationToken)
where T : class, ICommandBase
{
CommandBusMiddlewareDelegate next;
if (middlewareIndex == middlewares.Length - 1)
{
next = executionHandler;
}
else
{
next = async processedCommand =>
{
var typedCommand = processedCommand as T
?? throw new ArgumentException(
$"Command passed to command bus middleware ({processedCommand?.GetType()}) is not of original type {typeof(T)}");
return await ProcessNextMiddleware<T>(typedCommand, middlewares,
middlewareIndex + 1, executionHandler, executionOptions, cancellationToken);
};
}
return await middlewares[middlewareIndex].HandleAsync(command, executionOptions, next, cancellationToken);
}
}
}