C#ASP.NET Core Serilog添加类名和方法进行记录

我最近添加了日志记录到我的ASP.Net核心项目.目前,日志以这种格式写入.txt文件:

{Timestamp:yyyy-MM-dd HH:mm:ss.fff zzz} [{Level}] {Message}{NewLine}{Exception}

例如:

2017-11-30 13:58:22.229 +01:00 [Information] Item created in database.

这很好,但我想要记录的类的名称和正在执行此.txt文件的方法.例如,当A类使用方法B向数据库写入内容并记录此内容时,我希望看到类似的内容

ClassA.MethodB: Item created in database

所有记录的类都将Logger注入到它们的构造函数中

public class ClassA
{
    private readonly ILogger _log;

    public ClassA(ILogger<ClassA> log){
        _log = log;
    }

    public void AddItemToDb(Item item){
        //Add item
        //On success: 
        _log.LogInfo("Added item to db.");
    }
}

我目前正在使用Serilog并使用以下LoggerConfiguration:

var logger = new LoggerConfiguration()
    .MinimumLevel.Verbose()
    .MinimumLevel.Override("Microsoft", LogEventLevel.Warning)
    .WriteTo.RollingFile(Configuration.GetValue<string>("LogFilePath") + "-{Date}.txt", LogEventLevel.Information)
    .CreateLogger();

如何将类和方法添加到日志中?

编辑

我将自定义的outputTemplate添加到.WriteTo.Rollingfile()方法中,如下所示:

"{Timestamp:yyyy-MM-dd HH:mm:ss.fff zzz} [{Level}] ({SourceContext}) {Message}{NewLine}{Exception}")

这导致命名空间加上要在日志中添加的类,现在只缺少方法

解决方法:

我通过使用Jordan’s答案和this答案的组合解决了这个问题.

我通过enrichment添加了logcontext来改变我的Logger配置,并将属性’method’添加到我的outputTemplate:

var logger = new LoggerConfiguration()
    .MinimumLevel.Verbose()
    .MinimumLevel.Override("Microsoft", LogEventLevel.Warning)
    .Enrich.FromLogContext()
    .WriteTo.RollingFile(Configuration.GetValue<string>("LogFilePath") + "-{Date}.txt", LogEventLevel.Information, 
        outputTemplate: "{Timestamp:yyyy-MM-dd HH:mm:ss.fff zzz} [{Level}] ({SourceContext}.{Method}) {Message}{NewLine}{Exception}")
    .CreateLogger();

Enrich.FromLogContext允许使用LogContext.PushProperty()方法将属性推送到outputTemplate.在本例中为’method’属性(注意outputTemplate中的{Method}).

异步方法的示例:

using (LogContext.PushProperty("Method", new LogAsyncMethods().GetActualAsyncMethodName()))
{
    _log.LogInformation("Log message.");
}

GetActualAsyncMethodName()的编写方式如下:

public static string GetActualAsyncMethodName([CallerMemberName]string name = null) => name;

这适用于异步方法.

现在对于非异步方法,这很好用:

using (LogContext.PushProperty("Method", System.Reflection.MethodBase.GetCurrentMethod().Name))
{
    _log.LogInformation("Changing of customer name succeeded");
}

现在,方法名称正在记录中显示. SourceContext添加了类的命名空间,并通过添加“.{Method}”,它将导致:

Namespace.ClassName.MethodName

上一篇:PyQt5入门(二十四)QSS


下一篇:c# – 无法解析ILogger Simple Injector ASP.NET Core 2.0