我在我的应用程序中使用Serilog和MS SQL Server接收器。我们假设我已经定义了以下类......
public class Person
{
public string FirstName { get; set; }
public string LastName { get; set; }
public DateTime BirthDate { get; set; }
// ... more properties
}
...并创建了一个实例:
var person = new Person
{
FirstName = "John",
LastName = "Doe",
BirthDate = DateTime.UtcNow.AddYears(-25)
};
我在我的代码中放置了以下日志调用:
Log.Information("New user: {FirstName:l} {LastName:l}",
person.FirstName, person.LastName);
是否可以记录BirthDate
属性而不将其添加到消息模板,以便在Properties
XML列中呈现?我想稍后在应用程序的日志查看器的详细信息视图中输出它。
我基本上是在寻找类似于对象解构的行为,但不会将平面对象打印为日志消息的一部分。
答案 0 :(得分:20)
这很简单:
Log.ForContext("BirthDate", person.BirthDate)
.Information("New user: {FirstName:l} {LastName:l}",
person.FirstName, person.LastName);
答案 1 :(得分:1)
实际上,您可以通过几种不同的方式来执行此操作。就您而言,第一种方法可能是最好的:
Log.ForContext("BirthDate", person.BirthDate)
.Information("New user: {FirstName:l} {LastName:l}",
person.FirstName, person.LastName);
但是您还可以在其他情况下使用LogContext
:
Log.Logger = new LoggerConfiguration()
// Enrich all log entries with properties from LogContext
.Enrich.FromLogContext();
using (LogContext.PushProperty("BirthDate", person.BirthDate))
{
Log.Information("New user: {FirstName:l} {LastName:l}",
person.FirstName, person.LastName);
}
或者,在要记录“常量”属性的情况下,可以这样添加它:
Log.Logger = new LoggerConfiguration()
// Enrich all log entries with property
.Enrich.WithProperty("Application", "My Application");
有关更多信息,请参见Context and correlation – structured logging concepts in .NET (5)。
答案 2 :(得分:0)
如果您使用的是通用Microsoft ILogger界面,则可以使用BeginScope;
using (_logger.BeginScope(new Dictionary<string, object> { { "LogEventType", logEventType }, { "UserName", userName } }))
{
_logger.LogInformation(message, args);
}
这里讨论; https://blog.rsuter.com/logging-with-ilogger-recommendations-and-best-practices/