DEV Community

Cover image for Logging Best Practices in ASP.NET Core
Anton Martyniuk
Anton Martyniuk

Posted on • Originally published at antondevtips.com on

Logging Best Practices in ASP.NET Core

Logging is an essential aspect of any application, especially in a production environment.
Logging provides crucial insights into the behavior of your application, helping to diagnose issues, track the flow of execution, and monitor performance.

In this blog post, I will share with you my experience on what are the best practices for implementing logging in ASP.NET Core applications.

On my website: antondevtips.com I share .NET and Architecture best practices.
Subscribe to become a better developer.

Best Practise 1: Use Serilog Library for Logging

ASP.NET Core has a built-in logging provider - Microsoft.Extensions.Logging.
While it is a good option, it lacks some important features.

So I recommend using Serilog as a logging library that is very performant and supports structured logging.
It adds on top of Microsoft.Extensions.Logging package, and you don't need to add a Serilog package to all your projects.

Serilog has a big ecosystem of sinks, and its flexibility in configuration makes it an excellent choice for logging.
Sink is a source where you can output and store your logs, it can be a console, file, database, or a monitoring system.

To get started with Serilog in an ASP.NET Core application, install the following Nuget packages:

dotnet add package Serilog.AspNetCore
dotnet add package Serilog.Sinks.Console
dotnet add package Serilog.Sinks.File
Enter fullscreen mode Exit fullscreen mode

Then add the following configuration to your appsettings.json file to configure logging to Console and File:

{
  "Serilog": {
    "Using": [
      "Serilog.Sinks.Console",
      "Serilog.Sinks.File"
    ],
    "MinimumLevel": {
      "Default": "Debug",
      "Override": {
        "Microsoft": "Information"
      }
    },
    "WriteTo": [
      { "Name": "Console" },
      { "Name": "File", "Args": { "path": "service.log", "rollingInterval": "Day" } }
    ],
    "Enrich": [ "FromLogContext", "WithMachineName", "WithThreadId" ],
    "Properties": {
      "Application": "ApplicationName"
    }
  }
}
Enter fullscreen mode Exit fullscreen mode

The final step is to register Serilog to work on top of Microsoft Logging:

var builder = WebApplication.CreateBuilder(args);
builder.Host.UseSerilog((context, loggerConfig) =>
    loggerConfig.ReadFrom.Configuration(context.Configuration)
);
Enter fullscreen mode Exit fullscreen mode

You can use ILogger from the Serilog namespace, or you can continue using ILogger from the Microsoft.Extensions.Logging namespace and Serilog will handle logging in both cases.

You can find the full list of supported Sinks in the Serilog GitHub page.

Best Practise 2: Use The Appropriate Logging Level

When logging, you need to use various types of log levels depending on each message's importance:

  • Trace: logs that contain the most detailed messages. These messages may contain sensitive application data. They are disabled by default and should be used sparingly.
  • Debug: logs that are used for interactive investigation during development. These should primarily be enabled during development and testing.
  • Information: logs that track the general flow of the application. These logs should have long-term value.
  • Warning: logs that highlight an unexpected event in the application flow but do not cause the application to stop.
  • Error: logs that highlight when the current flow of execution is stopped due to a failure. These should indicate a failure in the current activity or request.
  • Critical: logs that describe an unrecoverable application or system crash, or a catastrophic failure that requires immediate attention.

By default, in most of the applications, the default logging level should be set to Info or Warning.
Make sure to log the most important information for your application.
Enable Debug and Trace in production when you need extra information or need to investigate any issues.

Best Practise 3: Use Logging Filters

Logs can be huge, that can take from gigabytes to terabytes of space.
That's why you need to log only the important information.

I recommend using logging filters in Serilog to control what is logged.
With log filters, you can specify a minimum logging level for each logging namespace, for example:

{
  "Serilog": {
    "MinimumLevel": {
      "Default": "Debug",
      "Override": {
        "Microsoft": "Information",
        "OpenTelemetry": "Debug",
        "Quartz": "Information",
        "Microsoft.AspNetCore.Mvc": "Warning",
        "Microsoft.AspNetCore.Routing": "Warning",
        "Microsoft.AspNetCore.HttpLogging.HttpLoggingMiddleware": "Information"
      }
    },
    "WriteTo": [
      ...
    ]
  }
}
Enter fullscreen mode Exit fullscreen mode

Here I am setting minimum log levels for standard asp.net core loggers, for Open Telemetry and Quartz.
All logs that have log level lower than the specified - won't be logged.
For example, I will log only Warnings, Errors and Critical messages for Microsoft.AspNetCore.Mvc while Information, Debug and Trace logs will be skipped.

Best Practise 4: Use Structured Logging

Serilog allows you to log structured data (key-value pairs) instead of plain text, making it easier to query and analyze logs.

logger.LogInformation("Shipment for order '{OrderId}' is already created", request.OrderId);

logger.LogInformation("Created shipment: {@Shipment}", shipment);
Enter fullscreen mode Exit fullscreen mode

The log message "Shipment for order '{OrderId}' is already created" includes the OrderId as a structured property.
Instead of embedding the OrderId directly in the log message as plain text, it is passed as a named parameter.
This allows logging systems to capture OrderId as a separate, searchable field.

The log message "Created shipment: {@Shipment}" uses the @ notation to serialize the shipment object into a structured format.
This means that all the properties of the shipment object are logged as separate fields, preserving the structure and making it easier to analyze.

Please never use string interpolation when logging, or you will end up with plain-text logs that are not searchable by important parameters:

logger.LogInformation($"Shipment for order '{request.OrderId}' is already created");
Enter fullscreen mode Exit fullscreen mode

Another example of structured logging could be:

logger.LogInformation("Shipment for order '{OrderId}' is already created", request.OrderId);
logger.LogInformation("Updated state of shipment {ShipmentNumber} to {NewState}", request.ShipmentNumber, request.Status);
Enter fullscreen mode Exit fullscreen mode

By implementing logging in such a structured way, you will be able to search logs in log view tool to get, for example, all the events related to a given ShipmentNumber, State or OrderId.

Best Practise 5: Avoid Logging Sensitive Information

Ensure that sensitive information such as passwords, credit card numbers, or personally identifiable information is not logged.
Logging sensitive data can lead to security vulnerabilities.

You should also avoid logging such security information as API Keys, authentication tokens, connection strings, etc.

Serilog out of the box provides several features and practices to help avoid logging sensitive information:

1. Use Destructuring Policies:

Serilog allows you to control how objects are logged using destructuring policies.
These policies enable you to sanitize or mask sensitive information before it is logged.
For example, if you have a complex object that contains sensitive data, you can define a destructuring policy to exclude or mask specific properties:

Log.Logger = new LoggerConfiguration()
    .Destructure.ByMaskingProperties("Password", "CreditCardNumber")
    .WriteTo.Console()
    .CreateLogger();

var user = new
{
    Username = "anton",
    Password = "password_secret_information",
    CreditCardNumber = "1000-1000-1000-1000"
};

Log.Information("User details: {@User}", user);
Enter fullscreen mode Exit fullscreen mode

In this example, the Password and CreditCardNumber properties are masked before being logged.

2. Redact Sensitive Information Manually:

If you are logging individual pieces of information, you can manually redact or sanitize sensitive data before passing it to the logger.

var password = "password_secret_information";
var sanitizedPassword = new string('*', password.Length);

Log.Information("User attempted to login with password: {Password}", sanitizedPassword);
Enter fullscreen mode Exit fullscreen mode

Here, the actual password is replaced with a string of asterisks, ensuring that sensitive data is not logged.

3. Configure Filters to Exclude Sensitive Information:

Serilog allows you to configure filters that can exclude specific log events or properties based on certain conditions.
You can set up filters to prevent sensitive information from being logged.

Log.Logger = new LoggerConfiguration()
    .Filter.ByExcluding(logEvent => logEvent.Properties.ContainsKey("Password"))
    .WriteTo.Console()
    .CreateLogger();

Log.Information("User details: {Username}, {Password}", "anton", "password_secret_information");
Enter fullscreen mode Exit fullscreen mode

In this example, any log event containing a Password property will be excluded from the logs.

Regularly review your logs to ensure that no sensitive information is being inadvertently logged.
Implement automated checks or manual reviews as part of your security practices to detect any potential issues.

Best Practise 6: Log Errors

Error logging is essential for diagnosing and troubleshooting issues within an application.
When errors occur, detailed logs can provide insights into the cause, context, and impact of the error.
This information is crucial for resolving issues quickly and ensuring the reliability and stability of your application.

Depending on your application's security requirements, you may or may not log an exception stacktrace.
But please, never expose stacktrace to your end users, for example, as a part of your "500 Internal Server Error" response.

Here is how you can log an exception with stacktrace with Serilog

try
{
    // The code might throw an exception
}
catch (Exception ex)
{
    Log.Error(ex, "An unexpected error occurred");
}
Enter fullscreen mode Exit fullscreen mode

When logging errors, you can include relevant contextual information that can help diagnose the issue.
This could include information about the current user, request details, or the state of the application at the time of the error.

For example:

try
{
    // The code might throw an exception
}
catch (Exception ex)
{
    Log.ForContext("UserId", userId)
       .ForContext("RequestPath", requestPath)
       .Error(ex, "An error occurred while processing the request");
}
Enter fullscreen mode Exit fullscreen mode

Serilog supports custom enrichers that allow you to automatically add specific pieces of information to all log events, including errors.
This can ensure that critical contextual information is always included in error logs.

Log.Logger = new LoggerConfiguration()
    .Enrich.WithProperty("ApplicationName", "ApplicationName")
    .Enrich.WithProperty("Environment", "Production")
    .WriteTo.Console()
    .CreateLogger();

try
{
    // The code might throw an exception
}
catch (Exception ex)
{
    Log.Error(ex, "An error occurred");
}
Enter fullscreen mode Exit fullscreen mode

Best Practise 7: Monitor Log Size and Performance

Logging if not managed properly, it can introduce performance bottlenecks and excessive storage consumption.

You can limit the log size by applying the following techniques:

  • using appropriate logging levels
  • using logging filters
  • implementing log rotation and retention for file logging

We have already talked about using appropriate logging levels and logging filters.
Let's explore the log rotation and retention for file logging.

Log rotation involves automatically archiving and creating new log files at specified intervals, such as daily or weekly.
Log retention policies define how long archived logs should be kept before they are deleted.
Both of these practices help manage disk usage by preventing log files from growing indefinitely.

For example:

Log.Logger = new LoggerConfiguration()
    .WriteTo.File(
        "logs/service.log",
        rollingInterval: RollingInterval.Day, // Rotate logs daily
        retainedFileCountLimit: 7)  // Retain only the last 7 days of logs
    .CreateLogger();
Enter fullscreen mode Exit fullscreen mode

This configuration ensures that log files are rotated daily and that only the last 7 days of logs are retained, preventing old logs from consuming excessive disk space.

You can also configure this in the appsettings.json:

{
  "Serilog": {
    "MinimumLevel": {
      "Default": "Information"
    },
    "WriteTo": [
      {
        "Name": "File",
        "Args": {
          "path": "logs/service.log",
          "rollingInterval": "Day",
          "retainedFileCountLimit": 7, // Retain logs for 7 days
          "fileSizeLimitBytes": 10485760 // Limit file size to 10MB
        }
      }
    ]
  }
}
Enter fullscreen mode Exit fullscreen mode

Logging can impact application performance, particularly if logs are being written to disk or sent over the network.
Monitor the overhead introduced by logging, especially in high-traffic or performance-critical applications.
Consider using asynchronous logging to minimize the impact on application performance.

Log.Logger = new LoggerConfiguration()
    .WriteTo.Async(a => a.File("logs/log.txt", rollingInterval: RollingInterval.Day))
    .CreateLogger();
Enter fullscreen mode Exit fullscreen mode

Here I use Serilog.Sinks.Async - an asynchronous wrapper for Serilog sinks that logs on a background thread.
It can be useful for file logging that may be affected by I/O bottlenecks.

It is also very important to turn off console logging in your production environment.
Console logging can slow down your application significantly.

Best Practise 8: Centralize and Visualize Logs with a Logging UI

In modern applications, especially those running in distributed environments or microservices architectures, logging can quickly become overwhelming.
Logs are often spread across multiple servers, services, or containers, making it difficult to gain insights into the overall system health or to troubleshoot specific issues.
A centralized logging UI, like Seq, addresses these challenges by aggregating logs from various sources into a single, searchable interface that provides powerful visualization and analysis tools.

Using a logging UI like Seq not only centralizes your logs but also enhances your ability to monitor, search, and analyze log data in real-time.

Remember I told you about structured logging? You can search for specific log parameters using Seq, or any other similar tools.

Another advantage of using centralized tools for logging management - is being able to configure alerts on errors or other important logs.

To get started with Seq, you need to add the following Nuget package:

dotnet add package Serilog.Sinks.Seq
Enter fullscreen mode Exit fullscreen mode

And update Serilog logging configuration in appsettings.json:

{
  "Serilog": {
    "Using": [
      "Serilog.Sinks.Console",
      "Serilog.Sinks.Seq"
    ],
    "MinimumLevel": {
      "Default": "Debug",
      "Override": {
        "Microsoft": "Information"
      }
    },
    "WriteTo": [
      { "Name": "Console" },
      {
        "Name": "Seq",
        "Args": {
          "serverUrl": "http://localhost:5341"
        }
      }
    ],
    "Enrich": [ "FromLogContext", "WithMachineName", "WithThreadId" ],
    "Properties": {
      "Application": "ShippingService"
    }
  }
}
Enter fullscreen mode Exit fullscreen mode

Here, we configure logging to Console (don't use in production) and Seq.
We point the Seq's URL to http://localhost:5341 when running locally.
When running service inside a docker container - you need to use the docker container's name instead of a localhost: http://seq:5341.

Here is how logging looks like in Seq:

Screenshot_1

If you want to learn How to Implement Structured Logging and Distributed Tracing for Microservices with Seq, make sure to check out my blog post.

Here is a list of Seq alternatives, in case you need something else:

  • ELK Stack: Elasticsearch, Logstash, and Kibana
  • Datadog
  • New Relic
  • Loggly
  • GrayLog
  • Azure Monitor Logs
  • Amazon CloudWatch Logs (AWS)

On my website: antondevtips.com I share .NET and Architecture best practices.
Subscribe to become a better developer.

Top comments (3)

Collapse
 
stephgrino profile image
Stephane Pellegrino

Wow, all of that for "just" logging ?

Collapse
 
antonmartyniuk profile image
Anton Martyniuk

Yes

Collapse
 
stephgrino profile image
Stephane Pellegrino

Nice, but... no :)