我使用以下类使用log4net打印消息:
public class Message
{
public String Text { get; set; }
public int Id { get; set; }
public override string ToString()
{
return Text;
}
}
我使用Logger.Info(MessageInstance)
,因此log4net只调用ToString
方法并打印出消息。我还想记录消息对象的Id
属性,但我无法弄清楚如何实现这一点。
我的转换模式与此类似:
<conversionPattern value="%date %-5level %message%newline" />
我尝试添加%message{Id}
,但这只会打印整个消息两次。
任何建议?
答案 0 :(得分:3)
我刚写了一个自定义模式,它允许读取消息对象的属性。
public class ReflectionReader : PatternLayoutConverter
{
public ReflectionReader()
{
_getValue = GetValueFirstTime;
}
protected override void Convert(TextWriter writer, LoggingEvent loggingEvent)
{
writer.Write(_getValue(loggingEvent.MessageObject));
}
private Func<object, String> _getValue;
private string GetValueFirstTime(object source)
{
_targetProperty = source.GetType().GetProperty(Option);
if (_targetProperty == null)
{
_getValue = x => "<NULL>";
}
else
{
_getValue = x => String.Format("{0}", _targetProperty.GetValue(x, null));
}
return _getValue(source);
}
private PropertyInfo _targetProperty;
}
与此相结合:
public class ReflectionLayoutPattern : PatternLayout
{
public ReflectionLayoutPattern()
{
this.AddConverter("item", typeof(ReflectionReader));
}
}
Config看起来像这样:
<layout type="MyAssembly.MyNamespace.ReflectionLayoutPattern, MyAssembly">
<conversionPattern value="[%item{Id}]	%message%newline" />
</layout>
答案 1 :(得分:2)
您可以使用派生自XmlLayoutBase的CustomXmlLayout类并覆盖FormatXml方法。此方法将LoggingEvent对象作为参数,该对象将包含传递给log方法的MessageObject。
public class SpecialXmlLayout : XmlLayoutBase
{
protected override void FormatXml(XmlWriter writer, LoggingEvent loggingEvent)
{
Message message = loggingEvent.MessageObject as Message;
writer.WriteStartElement("LoggingEvent");
writer.WriteElementString("Message", GetMessage(message));
// ... write other things
writer.WriteEndElement();
}
}
在GetMessaage方法中,您可以根据需要在消息中创建字符串。
然后在log4net config中使用此布局类:
<log4net>
<appender name="EventLogAppender" type="log4net.Appender.EventLogAppender">
<applicationName value="My Application" />
<layout type="Namespace.SpecialXmlLayout">
</layout>
<filter type="log4net.Filter.LevelRangeFilter">
<param name="LevelMin" value="ERROR" />
<param name="LevelMax" value="FATAL" />
</filter>
</appender>
</log4net>
这是个主意。有关更具体的详细信息,您必须参考log4Net SDK文档。