Skip to content

Commit 8afb3d0

Browse files
author
David Fallah
committed
Add logging middleware
1 parent dce96b7 commit 8afb3d0

10 files changed

+378
-4
lines changed

AsyncRedux.sln

+7
Original file line numberDiff line numberDiff line change
@@ -17,6 +17,8 @@ Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "src", "src", "{7BFDDED2-DE0
1717
EndProject
1818
Project("{2150E333-8FDC-42A3-9474-1A3956D46DE8}") = "test", "test", "{693F6323-3404-4375-97FD-2569C3B5868E}"
1919
EndProject
20+
Project("{FAE04EC0-301F-11D3-BF4B-00C04F79EFBC}") = "AsyncRedux.Middleware.Logging", "src\AsyncRedux.Middleware.Logging\AsyncRedux.Middleware.Logging.csproj", "{2518D33D-1F88-487F-8681-6DCAF457FF25}"
21+
EndProject
2022
Global
2123
GlobalSection(SolutionConfigurationPlatforms) = preSolution
2224
Debug|Any CPU = Debug|Any CPU
@@ -31,13 +33,18 @@ Global
3133
{A54BB3DC-49A6-4606-81E1-FDAF989ACB14}.Debug|Any CPU.Build.0 = Debug|Any CPU
3234
{A54BB3DC-49A6-4606-81E1-FDAF989ACB14}.Release|Any CPU.ActiveCfg = Release|Any CPU
3335
{A54BB3DC-49A6-4606-81E1-FDAF989ACB14}.Release|Any CPU.Build.0 = Release|Any CPU
36+
{2518D33D-1F88-487F-8681-6DCAF457FF25}.Debug|Any CPU.ActiveCfg = Debug|Any CPU
37+
{2518D33D-1F88-487F-8681-6DCAF457FF25}.Debug|Any CPU.Build.0 = Debug|Any CPU
38+
{2518D33D-1F88-487F-8681-6DCAF457FF25}.Release|Any CPU.ActiveCfg = Release|Any CPU
39+
{2518D33D-1F88-487F-8681-6DCAF457FF25}.Release|Any CPU.Build.0 = Release|Any CPU
3440
EndGlobalSection
3541
GlobalSection(SolutionProperties) = preSolution
3642
HideSolutionNode = FALSE
3743
EndGlobalSection
3844
GlobalSection(NestedProjects) = preSolution
3945
{CB08B5B3-2992-412B-9260-F316DD0EEF67} = {7BFDDED2-DE08-4BF2-A38C-9462A7AC5DF0}
4046
{A54BB3DC-49A6-4606-81E1-FDAF989ACB14} = {693F6323-3404-4375-97FD-2569C3B5868E}
47+
{2518D33D-1F88-487F-8681-6DCAF457FF25} = {7BFDDED2-DE08-4BF2-A38C-9462A7AC5DF0}
4148
EndGlobalSection
4249
GlobalSection(ExtensibilityGlobals) = postSolution
4350
SolutionGuid = {9380C8AA-A21E-496A-ADB1-661EDB56876D}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,20 @@
1+
<Project Sdk="Microsoft.NET.Sdk">
2+
<PropertyGroup>
3+
<Description>Logging middleware for AsyncRedux</Description>
4+
<TargetFramework>netstandard2.0</TargetFramework>
5+
<LangVersion>latest</LangVersion>
6+
<GenerateDocumentationFile>true</GenerateDocumentationFile>
7+
<AssemblyName>AsyncRedux.Middleware.Logging</AssemblyName>
8+
<AssemblyName>AsyncRedux.Middleware.Logging</AssemblyName>
9+
<Authors>ThymineC</Authors>
10+
<Copyright>MIT</Copyright>
11+
<RepositoryType>git</RepositoryType>
12+
<RepositoryUrl>https://github.com/TAGC/AsyncRedux</RepositoryUrl>
13+
</PropertyGroup>
14+
<ItemGroup>
15+
<PackageReference Include="Microsoft.Extensions.Logging.Abstractions" Version="2.0.1" />
16+
</ItemGroup>
17+
<ItemGroup>
18+
<ProjectReference Include="..\AsyncRedux\AsyncRedux.csproj" />
19+
</ItemGroup>
20+
</Project>
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,97 @@
1+
using System;
2+
using System.Threading.Tasks;
3+
using Microsoft.Extensions.Logging;
4+
using TimeItCore;
5+
6+
namespace AsyncRedux.Middleware.Logging
7+
{
8+
/// <summary>
9+
/// Extends <see cref="StoreSetup.Builder{TState}" /> with methods to configure logging middleware.
10+
/// </summary>
11+
public static class Extensions
12+
{
13+
/// <summary>
14+
/// Configures the store with middleware to log dispatched actions. The middleware will be configured with its default
15+
/// settings.
16+
/// </summary>
17+
/// <typeparam name="TState">The type of the state handled by the store.</typeparam>
18+
/// <param name="builder">This builder.</param>
19+
/// <param name="loggerFactory">A factory to generate the logger to log dispatched actions with.</param>
20+
/// <returns>This builder.</returns>
21+
/// <seealso cref="LoggingMiddlewareOptions.Default" />
22+
public static StoreSetup.Builder<TState> UsingLoggingMiddleware<TState>(
23+
this StoreSetup.Builder<TState> builder,
24+
ILoggerFactory loggerFactory)
25+
{
26+
return builder.UsingLoggingMiddleware(loggerFactory, LoggingMiddlewareOptions.Default);
27+
}
28+
29+
/// <summary>
30+
/// Configures the store with middleware to log dispatched actions.
31+
/// </summary>
32+
/// <typeparam name="TState">The type of the state handled by the store.</typeparam>
33+
/// <param name="builder">This builder.</param>
34+
/// <param name="loggerFactory">A factory to generate the logger to log dispatched actions with.</param>
35+
/// <param name="options">Configuration settings for the middleware.</param>
36+
/// <returns>This builder.</returns>
37+
public static StoreSetup.Builder<TState> UsingLoggingMiddleware<TState>(
38+
this StoreSetup.Builder<TState> builder,
39+
ILoggerFactory loggerFactory,
40+
LoggingMiddlewareOptions options)
41+
{
42+
if (options.LogLevel == LogLevel.None)
43+
{
44+
// Pass through.
45+
return builder.UsingMiddleware(store => next => next);
46+
}
47+
48+
var logger = loggerFactory.CreateLogger<IStore<TState>>();
49+
var log = GetLogMethod(logger, options.LogLevel);
50+
51+
Func<Dispatcher, Dispatcher> LogDispatches(IStore<TState> store) => next => async action =>
52+
{
53+
if (options.LogAtStart)
54+
{
55+
log("Dispatching: {Action}", new[] { action });
56+
}
57+
58+
if (options.LogElapsedTime)
59+
{
60+
using (TimeIt.Then.Log(logger, options.LogLevel, options.ElapsedTimeLogTemplate))
61+
{
62+
await next(action);
63+
}
64+
}
65+
else
66+
{
67+
await next(action);
68+
}
69+
70+
object nextState = store.State;
71+
72+
if (options.LogNextState)
73+
{
74+
log("Next state: {State}", new[] { nextState });
75+
}
76+
77+
return Task.CompletedTask;
78+
};
79+
80+
return builder.UsingMiddleware(LogDispatches);
81+
}
82+
83+
private static Action<string, object[]> GetLogMethod(ILogger logger, LogLevel logLevel)
84+
{
85+
switch (logLevel)
86+
{
87+
case LogLevel.Trace: return logger.LogTrace;
88+
case LogLevel.Debug: return logger.LogDebug;
89+
case LogLevel.Information: return logger.LogInformation;
90+
case LogLevel.Warning: return logger.LogWarning;
91+
case LogLevel.Error: return logger.LogError;
92+
case LogLevel.Critical: return logger.LogCritical;
93+
default: throw new ArgumentOutOfRangeException();
94+
}
95+
}
96+
}
97+
}
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,50 @@
1+
using Microsoft.Extensions.Logging;
2+
3+
namespace AsyncRedux.Middleware.Logging
4+
{
5+
/// <summary>
6+
/// Configuration settings for the logging middleware.
7+
/// </summary>
8+
public struct LoggingMiddlewareOptions
9+
{
10+
private static LoggingMiddlewareOptions _defaultOptions = new LoggingMiddlewareOptions
11+
{
12+
ElapsedTimeLogTemplate = "Action handled in {Elapsed}",
13+
LogAtStart = false,
14+
LogLevel = LogLevel.Trace,
15+
LogElapsedTime = true,
16+
LogNextState = true
17+
};
18+
19+
/// <summary>
20+
/// Gets the default configuration settings for the logging middleware.
21+
/// </summary>
22+
public static ref readonly LoggingMiddlewareOptions Default => ref _defaultOptions;
23+
24+
/// <summary>
25+
/// Gets or sets the template for logging the execution time of dispatched actions. This is only applicable if
26+
/// <see cref="LogElapsedTime" /> is <c>true</c>.
27+
/// </summary>
28+
public string ElapsedTimeLogTemplate { get; set; }
29+
30+
/// <summary>
31+
/// Gets or sets a value indicating whether to log the action before forwarding it down the middleware chain.
32+
/// </summary>
33+
public bool LogAtStart { get; set; }
34+
35+
/// <summary>
36+
/// Gets or sets the level to log at.
37+
/// </summary>
38+
public LogLevel LogLevel { get; set; }
39+
40+
/// <summary>
41+
/// Gets or sets a value indicating whether to log the time taken to process the action.
42+
/// </summary>
43+
public bool LogElapsedTime { get; set; }
44+
45+
/// <summary>
46+
/// Gets or sets a value indicating whether to log the resulting state following dispatch of an action.
47+
/// </summary>
48+
public bool LogNextState { get; set; }
49+
}
50+
}

src/AsyncRedux/AsyncRedux.csproj

+1
Original file line numberDiff line numberDiff line change
@@ -13,6 +13,7 @@
1313
</PropertyGroup>
1414
<ItemGroup>
1515
<PackageReference Include="AsyncBus" Version="0.2.0" />
16+
<PackageReference Include="TimeIt" Version="0.1.1" />
1617
</ItemGroup>
1718
<ItemGroup>
1819
<DotNetCliToolReference Include="dotnet-setversion" Version="1.*" />

test/AsyncRedux.Tests/AsyncRedux.Tests.csproj

+2
Original file line numberDiff line numberDiff line change
@@ -8,9 +8,11 @@
88
<PackageReference Include="Microsoft.NET.Test.Sdk" Version="15.6.0" />
99
<PackageReference Include="Shouldly" Version="2.8.3" />
1010
<PackageReference Include="xunit" Version="2.3.1" />
11+
<PackageReference Include="Xunit.Combinatorial" Version="1.1.20" />
1112
<PackageReference Include="xunit.runner.visualstudio" Version="2.3.1" />
1213
</ItemGroup>
1314
<ItemGroup>
15+
<ProjectReference Include="..\..\src\AsyncRedux.Middleware.Logging\AsyncRedux.Middleware.Logging.csproj" />
1416
<ProjectReference Include="..\..\src\AsyncRedux\AsyncRedux.csproj" />
1517
</ItemGroup>
1618
</Project>
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,136 @@
1+
using System;
2+
using System.Collections.Generic;
3+
using System.Linq;
4+
using System.Text.RegularExpressions;
5+
using System.Threading.Tasks;
6+
using AsyncRedux.Middleware.Logging;
7+
using AsyncRedux.Tests.Mock;
8+
using AsyncRedux.Tests.Mock.Actions;
9+
using Microsoft.Extensions.Logging;
10+
using Shouldly;
11+
using Xunit;
12+
13+
namespace AsyncRedux.Tests
14+
{
15+
public class LoggingMiddlewareSpec
16+
{
17+
private readonly LoggerFactory _loggerFactory;
18+
private readonly List<string> _logs;
19+
20+
/// <inheritdoc />
21+
public LoggingMiddlewareSpec()
22+
{
23+
_logs = new List<string>();
24+
_loggerFactory = new LoggerFactory();
25+
_loggerFactory.Logger.GeneratedLog += (s, e) => _logs.Add(e.Log);
26+
}
27+
28+
[Theory]
29+
[CombinatorialData]
30+
internal async Task Middleware_Should_Be_Configurable_To_Log_Dispatch_Execution_Time(
31+
[CombinatorialValues("Dispatch took {Elapsed}", "Action handled in {Time}")]
32+
string template)
33+
{
34+
// Given: a store which is configured to use logging middleware
35+
var options = LoggingMiddlewareOptions.Default;
36+
options.LogAtStart = false;
37+
options.LogNextState = false;
38+
options.LogElapsedTime = true;
39+
options.ElapsedTimeLogTemplate = template;
40+
41+
var store = CreateStore(options);
42+
43+
// When: we dispatch an action
44+
await store.Dispatch("foo");
45+
46+
// Then: the execution time of the action should have been logged
47+
var expectedLogFormat = Regex.Replace(template, @"{.*}", @"\d{2}:\d{2}:\d{2}\.\d{7}");
48+
_logs.ShouldHaveSingleItem().ShouldMatch(expectedLogFormat);
49+
}
50+
51+
[Fact]
52+
internal async Task Middleware_Should_Be_Configurable_To_Log_Next_State_After_Dispatch()
53+
{
54+
// Given: a store which is configured to use logging middleware.
55+
var options = LoggingMiddlewareOptions.Default;
56+
options.LogAtStart = false;
57+
options.LogElapsedTime = false;
58+
options.LogNextState = true;
59+
60+
var store = StoreSetup.CreateStore<State>()
61+
.FromReducer(Reducers.Replace)
62+
.WithInitialState(new State(0, false))
63+
.UsingLoggingMiddleware(_loggerFactory, options)
64+
.Build();
65+
66+
// When: we dispatch an action to change the state.
67+
await store.Dispatch(new ChangeInt(5));
68+
69+
// Then: the new state resulting from the action should have been logged.
70+
var expectedNextState = new State(5, false);
71+
_logs.ShouldHaveSingleItem().ShouldContain(expectedNextState.ToString());
72+
}
73+
74+
[Theory]
75+
[CombinatorialData]
76+
internal async Task Middleware_Should_Be_Configurable_To_Log_Start_Of_Dispatch(bool logAtStart)
77+
{
78+
// Given: a store which is configured to use logging middleware
79+
var options = LoggingMiddlewareOptions.Default;
80+
options.LogAtStart = logAtStart;
81+
options.LogElapsedTime = false;
82+
options.LogNextState = false;
83+
84+
var store = CreateStore(options);
85+
86+
// When: we start dispatching an action but don't let it complete.
87+
var tcs = new TaskCompletionSource<object>();
88+
store.Subscribe<object>(action => tcs.Task);
89+
var _ = store.Dispatch("foo");
90+
await Task.Delay(100);
91+
92+
// Then: a log should have been generated iff the middleware should log the start of dispatches.
93+
_logs.Count.ShouldBe(logAtStart ? 1 : 0);
94+
}
95+
96+
[Theory]
97+
[CombinatorialData]
98+
internal async Task Middleware_Should_Log_At_Specified_Log_Level(LogLevel logLevel)
99+
{
100+
// Given: a store which is configured to use logging middleware
101+
var options = LoggingMiddlewareOptions.Default;
102+
options.LogAtStart = true;
103+
options.LogElapsedTime = true;
104+
options.LogLevel = logLevel;
105+
106+
var store = CreateStore(options);
107+
108+
// When: we dispatch an action
109+
await store.Dispatch("foo");
110+
111+
// Then: logs should have been generated only at the configured log level
112+
var actualLogLevels = _logs
113+
.Select(it => Regex.Match(it, @"\[(?<enum>.*)\]").Groups["enum"].Value)
114+
.Select(Enum.Parse<LogLevel>)
115+
.ToList();
116+
117+
if (logLevel == LogLevel.None)
118+
{
119+
actualLogLevels.ShouldBeEmpty();
120+
}
121+
else
122+
{
123+
actualLogLevels.ShouldNotBeEmpty();
124+
actualLogLevels.ShouldAllBe(it => it == logLevel);
125+
}
126+
}
127+
128+
private IObservableStore<State> CreateStore(LoggingMiddlewareOptions options)
129+
{
130+
return StoreSetup.CreateStore<State>()
131+
.FromReducer(Reducers.PassThrough)
132+
.UsingLoggingMiddleware(_loggerFactory, options)
133+
.Build();
134+
}
135+
}
136+
}

test/AsyncRedux.Tests/Mock/Logger.cs

+36
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,36 @@
1+
using System;
2+
using Microsoft.Extensions.Logging;
3+
4+
namespace AsyncRedux.Tests.Mock
5+
{
6+
public class Logger : ILogger
7+
{
8+
public event EventHandler<GeneratedLogEventArgs> GeneratedLog;
9+
10+
public IDisposable BeginScope<TState>(TState state) => throw new NotImplementedException();
11+
12+
public bool IsEnabled(LogLevel logLevel) => true;
13+
14+
public void Log<TState>(
15+
LogLevel logLevel,
16+
EventId eventId,
17+
TState state,
18+
Exception exception,
19+
Func<TState, Exception, string> formatter)
20+
{
21+
var log = $"[{logLevel}] {formatter(state, exception)}";
22+
23+
GeneratedLog?.Invoke(this, new GeneratedLogEventArgs(log));
24+
}
25+
26+
public class GeneratedLogEventArgs : EventArgs
27+
{
28+
public GeneratedLogEventArgs(string log)
29+
{
30+
Log = log;
31+
}
32+
33+
public string Log { get; }
34+
}
35+
}
36+
}

0 commit comments

Comments
 (0)