GithubHelp home page GithubHelp logo

dotnet-labs / serilogfilterdemo Goto Github PK

View Code? Open in Web Editor NEW
6.0 2.0 4.0 174 KB

Set up Serilog for .net applications

License: MIT License

C# 100.00%
dotnet dotnet-core dotnetcore serilog serilog-sink serilog-configuration logging log logger

serilogfilterdemo's Introduction

Serilog Get Started

How to configure Serilog and split logs into different files?

ko-fi

serilog

Serilog Configuration Basics

Serilog is a famous logging tool for .NET and ASP.NET applications. We can easily create a globally-shared logger using the following line of code.

Log.Logger = new LoggerConfiguration().CreateLogger();

The logger created in this way will have the same lifetime as that of our application. You can also use a using statement to create a short-lived logger, but the use case is rare.

Serilog can use a simple C# API to configure the logger directly in code, and can also load external configurations from settings files. For a minimum configuration, we need to attach a logging sink to the global static logger so that messages can be written to some place. For example, we can add a Console sink to record log events as follows.

Log.Logger = new LoggerConfiguration()
    .WriteTo.Console()
    .CreateLogger();

After a global logger is created, we need to tell .NET or ASP.NET about the logger so that .NET or ASP.NET can pipe the messages to Serilog. Otherwise, without assigning a logging provider to a Host, messages logged by ILogger<T> don't have an outlet. To register Serilog as a logging provider, we can call the UseSerilog() method on the IHostBuilder as follows.

public static IHostBuilder CreateHostBuilder(string[] args) =>
    Host.CreateDefaultBuilder(args)
        .Configure******
        .UseSerilog();

Thereafter, we can log our message to desired sinks using the logging system in .NET/ASP.NET. We can also use the global logger directly at any place. The following line shows an example usage of the global logger.

Log.Information("Application Starts");

Serilog provides a variety of sinks (link). We can add them as needed. For example, to save logs to files, we can attach a file sink to the logger as follows.

Log.Logger = new LoggerConfiguration()
    .WriteTo.Console()
    .WriteTo.File("log.txt", LogEventLevel.Information, rollingInterval: RollingInterval.Day)
    .CreateLogger();

Split / Suppress Logs

Sometimes we may want to have more granular controls over the categories of log messages for each sink. For example, we want to log messages with different LogLevels to different files so that errors and warnings are stood out from low-criticality messages. Another example, we want to log messages for background jobs to a different file from the file that logs normal routine. Or we want to suppress a part of messages to reduce noise level. For these use cases, Serilog allows us to set up logging pipelines using filters to include or exclude certain log events thus splitting logs into different sinks. For example, the following configuration creates a Console logger which will output all messages, and a sub-logger which only writes certain events to the log.txt file based on the criteria defined in the line Filter.ByIncludingOnly(...).

Log.Logger = new LoggerConfiguration()
    .WriteTo.Console()
    .WriteTo.Logger(lc => lc
        .Filter.ByIncludingOnly(...)
        .WriteTo.File("log.txt"))
    .CreateLogger();

Most examples about using Filter focus on introducing the filter expression which uses a powerful SQL like syntax. The filter expression docs give the full details. I like the filter expression because it gives great flexibility in configurations in XML or JSON files.

Here I want to introduce another convenient way of filtering log events: by including/excluding properties in the LogContext.

For example, a method has two dependencies _myService1 and _myService2.

public async Task MyMethod()
{
    _logger.LogInformation("foo bar start");
    await _myService1.Foo();
    await _myService2.Bar();
    _logger.LogInformation("foo bar end");
}

Now we want to write all execution messages under this method to a separate file called foobar.txt. We can use the filter express to figure out the LogContext by class names. However, that would be not scalable if we introduce another dependency to the method. An easier way is to filter by property names and/or values.

For demo purposes, we can set a property to the LogEvents in this method execution path. The following code snippet shows an example.

public async Task MyMethod()
{
    using (LogContext.PushProperty("foobar", 1))
    {
        _logger.LogInformation("foo bar start");
        await _myService1.Foo();
        await _myService2.Bar();
        _logger.LogInformation("foo bar end");
    }
}

The using statement creates a scope and ensures the desired property is not leaked to other methods. Within the scope, all log events will contain the property. Thus we can filter these log events based on the key-value pairs. Note that you can create a class for all property key-value pairs to avoid magic strings/values.

The following code snippet shows a filtering example.

const string logTemplate = @"{Timestamp:yyyy-MM-dd HH:mm:ss} [{Level:u4}] [{SourceContext:l}] {Message:lj}{NewLine}{Exception}";
Log.Logger = new LoggerConfiguration()
        .MinimumLevel.Override("Microsoft", LogEventLevel.Warning)
        .Enrich.FromLogContext()
        .WriteTo.Logger(l =>
        {
            l.WriteTo.File("log.txt", LogEventLevel.Information, logTemplate,
                rollingInterval: RollingInterval.Day
            );
            l.Filter.ByExcluding(e => e.Properties.ContainsKey("foobar"));
        })
        .WriteTo.Logger(l =>
        {
            l.WriteTo.File("foobar.txt", LogEventLevel.Information, logTemplate,
                rollingInterval: RollingInterval.Day
            );
            l.Filter.ByIncludingOnly(e => e.Properties.ContainsKey("foobar"));
        })
        .CreateLogger();

With the configuration above, normal logs (without the property foobar in log events) will be saved to the log.txt file, while logs with the property foobar will be saved to the foobar.txt file.

License

Feel free to use the code in this repository as it is under MIT license.

ko-fi

serilogfilterdemo's People

Contributors

changhuixu avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar  avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.