MetalamaCommented examplesLoggingStep 4.​ Using ILogger
Open sandboxFocusImprove this doc

Logging example, step 4: Using ILogger

In the preceding steps, we employed the Console.WriteLine method to write the trace message. We will now write messages to ILogger from the Microsoft.Extensions.Logging namespace, and use dependency injection to obtain the ILogger.

Utilizing dependency injection to obtain an ILogger instance, rather than writing directly to Console.WriteLine, provides increased flexibility, maintainability, and testability. This approach enables seamless swapping of logging implementations, promotes a clean separation of concerns, simplifies configuration management, and allows effective unit testing by substituting real loggers with mock objects during testing.

Let's examine how the new aspect transforms code.

Source Code



1internal class Calculator
2{
3    [Log]
4    public double Add( double a, double b ) => a + b;
































5}
Transformed Code
1using System;
2using Microsoft.Extensions.Logging;
3
4internal class Calculator
5{
6    [Log]
7    public double Add( double a, double b )
8{
9        var isTracingEnabled = this._logger.IsEnabled(LogLevel.Trace);
10        if (isTracingEnabled)
11        {
12            LoggerExtensions.LogTrace(this._logger, $"Calculator.Add(a = {{{a}}}, b = {{{b}}}) started.");
13        }
14
15        try
16        {
17            double result;
18            result = a + b;
19            if (isTracingEnabled)
20            {
21                LoggerExtensions.LogTrace(this._logger, $"Calculator.Add(a = {{{a}}}, b = {{{b}}}) returned {result}.");
22            }
23
24            return (double)result;
25        }
26        catch (Exception e) when (this._logger.IsEnabled(LogLevel.Warning))
27        {
28            LoggerExtensions.LogWarning(this._logger, $"Calculator.Add(a = {{{a}}}, b = {{{b}}}) failed: {e.Message}");
29            throw;
30        }
31    }
32
33    private ILogger _logger;
34
35    public Calculator
36    (ILogger<Calculator> logger = default)
37    {
38        this._logger = logger ?? throw new System.ArgumentNullException(nameof(logger));
39    }
40}

As shown above, calls to Console.WriteLine have been replaced by calls to _logger.TraceInformation. There is a new ILogger field, and its value is obtained from the constructor.

Implementation

Let's now look at the aspect code.

1using Metalama.Extensions.DependencyInjection;
2using Metalama.Framework.Aspects;
3using Metalama.Framework.Code;
4using Metalama.Framework.Code.SyntaxBuilders;
5using Microsoft.Extensions.Logging;
6
7#pragma warning disable CS8618
8
9public class LogAttribute : OverrideMethodAspect
10{
11    [IntroduceDependency]
12    private readonly ILogger _logger;
13
14    public override dynamic? OverrideMethod()
15    {
16        // Determine if tracing is enabled.
17        var isTracingEnabled = this._logger.IsEnabled( LogLevel.Trace );
18
19        // Write entry message.
20        if ( isTracingEnabled )
21        {
22            var entryMessage = BuildInterpolatedString( false );
23            entryMessage.AddText( " started." );
24            this._logger.LogTrace( (string) entryMessage.ToValue() );
25        }
26
27        try
28        {
29            // Invoke the method and store the result in a variable.
30            var result = meta.Proceed();
31
32            if ( isTracingEnabled )
33            {
34                // Display the success message. The message is different when the method is void.
35                var successMessage = BuildInterpolatedString( true );
36
37                if ( meta.Target.Method.ReturnType.Is( typeof(void) ) )
38                {
39                    // When the method is void, display a constant text.
40                    successMessage.AddText( " succeeded." );
41                }
42                else
43                {
44                    // When the method has a return value, add it to the message.
45                    successMessage.AddText( " returned " );
46                    successMessage.AddExpression( result );
47                    successMessage.AddText( "." );
48                }
49
50                this._logger.LogTrace( (string) successMessage.ToValue() );
51            }
52
53            return result;
54        }
55        catch ( Exception e ) when ( this._logger.IsEnabled( LogLevel.Warning ) )
56        {
57            // Display the failure message.
58            var failureMessage = BuildInterpolatedString( false );
59            failureMessage.AddText( " failed: " );
60            failureMessage.AddExpression( e.Message );
61            this._logger.LogWarning( (string) failureMessage.ToValue() );
62
63            throw;
64        }
65    }
66
67    // Builds an InterpolatedStringBuilder with the beginning of the message.
68    private static InterpolatedStringBuilder BuildInterpolatedString( bool includeOutParameters )
69    {
70        var stringBuilder = new InterpolatedStringBuilder();
71
72        // Include the type and method name.
73        stringBuilder.AddText( meta.Target.Type.ToDisplayString( CodeDisplayFormat.MinimallyQualified ) );
74        stringBuilder.AddText( "." );
75        stringBuilder.AddText( meta.Target.Method.Name );
76        stringBuilder.AddText( "(" );
77        var i = meta.CompileTime( 0 );
78
79        // Include a placeholder for each parameter.
80        foreach ( var p in meta.Target.Parameters )
81        {
82            var comma = i > 0 ? ", " : "";
83
84            if ( p.RefKind == RefKind.Out && !includeOutParameters )
85            {
86                // When the parameter is 'out', we cannot read the value.
87                stringBuilder.AddText( $"{comma}{p.Name} = <out> " );
88            }
89            else
90            {
91                // Otherwise, add the parameter value.
92                stringBuilder.AddText( $"{comma}{p.Name} = {{" );
93                stringBuilder.AddExpression( p.Value );
94                stringBuilder.AddText( "}" );
95            }
96
97            i++;
98        }
99
100        stringBuilder.AddText( ")" );
101
102        return stringBuilder;
103    }
104}

We added some logic to handle the ILogger field or property.

The main point of interest in this example is the _logger field. The [IntroduceDependency] custom attribute specifies that the field must be introduced into the target type unless it already exists, and its value should be pulled from the constructor. This custom attribute is implemented in the Metalama.Extensions.DependencyInjection package. It supports several dependency injection frameworks. To learn more about it, see Injecting dependencies into aspects.

There are few changes in the OverrideMethod method. Instead of Console.WriteLine, we use the ILogger.LogTrace method. Note that we need to cast the InterpolatedStringBuilder.ToValue() expression into a string, which may seem redundant because InterpolatedStringBuilder.ToValue() returns a dynamic. The reason is that LogTrace is an extension method, and extension methods cannot have dynamic arguments. Therefore, we must cast the dynamic value into a string, which helps the C# compiler find the correct extension method.