我有一个扩展方法来配置记录器:
public static class Extensions
{
public static IWebHostBuilder UseLogging(this IWebHostBuilder webHostBuilder) =>
webHostBuilder.UseSerilog((context, loggerConfiguration) =>
{
var logLevel = context.Configuration.GetValue<string>("Serilog:MinimumLevel");
if (!Enum.TryParse<LogEventLevel>(logLevel, true, out var level))
{
level = LogEventLevel.Information;
}
loggerConfiguration.Enrich
.FromLogContext()
.MinimumLevel.Is(level);
loggerConfiguration
.ReadFrom.Configuration(context.Configuration)
.WriteTo.Console(
theme: AnsiConsoleTheme.Code,
outputTemplate: "[{Timestamp:yy-MM-dd HH:mm:ss} {Level:u3}] {Message:lj} <s:{SourceContext}>{NewLine}{Exception}");
});
}
我添加此行.ReadFrom.Configuration(context.Configuration)
,并希望appsettings.json中的所有设置都将覆盖当前配置。我的意思是,如果我在appsettings.json中指定其他outputTemplate,那么它将覆盖现有的输出模板。
"Serilog": {
"WriteTo": [
{
"Name": "Console",
"Args": {
"outputTemplate": "[{Timestamp:HH:mm:ss} {Level:u3}] {Message:lj} <s:{SourceContext}>{NewLine}{Exception}"
}
}
]
}
但是它不起作用。现在,日志消息已被复制,一个从代码格式化,另一个从配置格式化。如何在运行时覆盖appsettings.json中的某些设置?
[03:59:09 INF]事件处理器服务正在启动。
[19-04-19 00:59:09 INF]事件处理器服务正在启动。
我有在服务中使用的扩展方法,但有时我需要覆盖appsettings.json(或env变量)中的某些设置,我该怎么做?因为当前的解决方案不起作用,并添加了第二个记录器
答案 0 :(得分:2)
基本上,您必须检查配置是否已指定控制台记录器。存储接收器的字段是私有的。因此,您必须使用类似的方式对配置做出反应。当您要覆盖记录器上的某些属性时,还需要使用反射来访问那些字段。下面的代码适用于我的简单测试应用程序。
public static class Extensions
{
public static IWebHostBuilder UseLogging(this IWebHostBuilder webHostBuilder) =>
webHostBuilder.UseSerilog((context, loggerConfiguration) =>
{
var logLevel = context.Configuration.GetValue<string>("Serilog:MinimumLevel");
if (!Enum.TryParse<LogEventLevel>(logLevel, true, out var level))
{
level = LogEventLevel.Information;
}
loggerConfiguration.Enrich
.FromLogContext()
.MinimumLevel.Is(level);
loggerConfiguration
.ReadFrom.Configuration(context.Configuration);
// Get the field that holds the sinks.
var sinks = loggerConfiguration.GetType()
.GetField("_logEventSinks", BindingFlags.Instance | BindingFlags.NonPublic)
.GetValue(loggerConfiguration) as List<ILogEventSink>;
// Get the sink type for reusage.
var sinkType = typeof(AnsiConsoleTheme).Assembly.GetType("Serilog.Sinks.SystemConsole.ConsoleSink");
// Find the first sink of the right type.
var sink = sinks?.FirstOrDefault(s => sinkType == s.GetType());
// Check if a sink was found.
if (sink == null)
{
// No sink found add a new one.
loggerConfiguration
.WriteTo.Console(
theme: AnsiConsoleTheme.Code,
outputTemplate:
"[{Timestamp:yy-MM-dd HH:mm:ss} {Level:u3}] {Message:lj} <s:{SourceContext}>{NewLine}{Exception}");
}
else
{
// Otherwise change the theme.
sinkType.GetField("_theme", BindingFlags.Instance | BindingFlags.NonPublic).SetValue(sink, AnsiConsoleTheme.Code);
}
});
}