带有类名、方法名的 Serilog 日志记录

itm*_*nnz 6 logging serilog

我在我的项目 Angular、web api、EF 中使用了 serilog 和 SEQ。我对两者都是新手。

1) 如何确保每次我写错误、信息、调试时都应该包含 ClassName.Method Name。我知道我必须创建 Enrich 但不确定如何获取 ClassName.Method Name

例如

Class Test
{
  public void testing(){
  // logger.Error("Error ....");}
}
Run Code Online (Sandbox Code Playgroud)

现在,当我看到日志时,它应该显示“29/09/2012 10:00:00, Test=>testing Error .....”

在,短 DateTime、ClassName、MethodName 和 Message

Cai*_*ete 5

要在每次日志记录调用时自动获取方法名称,您必须使用反映调用堆栈的丰富器(这样做的成本非常昂贵)来捕获方法名称。

这是@nblumhardt编写的示例: https://github.com/serilog/serilog/issues/1084#issuecomment-358117004

using System;
using System.Diagnostics;
using System.Linq;
using System.Runtime.CompilerServices;
using Serilog;
using Serilog.Configuration;
using Serilog.Core;
using Serilog.Events;

namespace ConsoleApp24
{
    class CallerEnricher : ILogEventEnricher
    {
        public void Enrich(LogEvent logEvent, ILogEventPropertyFactory propertyFactory)
        {
            var skip = 3;
            while (true)
            {
                var stack = new StackFrame(skip);
                if (!stack.HasMethod())
                {
                    logEvent.AddPropertyIfAbsent(new LogEventProperty("Caller", new ScalarValue("<unknown method>")));
                    return;
                }

                var method = stack.GetMethod();
                if (method.DeclaringType.Assembly != typeof(Log).Assembly)
                {
                    var caller = $"{method.DeclaringType.FullName}.{method.Name}({string.Join(", ", method.GetParameters().Select(pi => pi.ParameterType.FullName))})";
                    logEvent.AddPropertyIfAbsent(new LogEventProperty("Caller", new ScalarValue(caller)));
                }

                skip++;
            }
        }
    }

    static class LoggerCallerEnrichmentConfiguration
    {
        public static LoggerConfiguration WithCaller(this LoggerEnrichmentConfiguration enrichmentConfiguration)
        {
            return enrichmentConfiguration.With<CallerEnricher>();
        }
    }

    class Program
    {
        static void Main(string[] args)
        {
            Log.Logger = new LoggerConfiguration()
                .Enrich.WithCaller()
                .WriteTo.Console(outputTemplate: "[{Timestamp:HH:mm:ss} {Level:u3}] {Message} (at {Caller}){NewLine}{Exception}")
                .CreateLogger();

            Log.Information("Hello, world!");

            SayGoodbye();

            Log.CloseAndFlush();
        }

        [MethodImpl(MethodImplOptions.NoInlining)]
        static void SayGoodbye()
        {
            Log.Information("Goodbye!");
        }
    }
}
Run Code Online (Sandbox Code Playgroud)

另一种选择(如果您只想在特定/更重要的位置捕获方法名称)是创建一个可以调用的扩展方法,该方法会将方法名称添加到日志记录上下文中...例如

Logger.Here().Information("Hello, world!");
Run Code Online (Sandbox Code Playgroud)

Here您可以在 StackOverflow 上查看如何针对不同问题 实现此方法的示例:https: //stackoverflow.com/a/46905798