A question appeared over on the CodeProject forums today about binding the output from log4net into WPF. The question asked was:
“I'm trying to use Log4net to log messages within my application. I'm adding a WPF window and want to stream the messages to the window. Log4net provides a TextWriterAppender that takes a StringWriter and writes logged events to the StringWriter, flushing it after each event. I want to simply connect the output of the StringWriter as the Text property on a TextBox. When I started this, it seemed simple and obvious – now I'm less sure. Ideally, I would simply like to bind the StringWriter to the TextBox, but haven't found the incantation.
The basic problem is that the StringWriter doesn't provide something like the INotifyPropertyChanged event to trigger code output a new log message (unless there is something behind the scenes I haven't found).
I've see many examples of binding, all of which seem to presume that I have control over the writer itself. Am I missing something simple (I hope), or is this really not that straightforward.”
This is a very good question, so I thought I'd knock together a quick sample application to demonstrate how to do this. The first thing to remember is that log4net allows you to create your own appenders and use them in your application. The second thing to remember is that you need to hook INotifyPropertyChanged
into the mechanism. To that end, I created the following appender:
namespace log4netSample.Logging
{
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using log4net.Appender;
using System.ComponentModel;
using System.IO;
using System.Globalization;
using log4net;
using log4net.Core;
public class NotifyAppender : AppenderSkeleton, INotifyPropertyChanged
{
#region Members and events
private static string _notification;
private event PropertyChangedEventHandler _propertyChanged;
public event PropertyChangedEventHandler PropertyChanged
{
add { _propertyChanged += value; }
remove { _propertyChanged -= value; }
}
#endregion
public string Notification
{
get
{
return _notification; ;
}
set
{
if (_notification != value)
{
_notification = value;
OnChange();
}
}
}
private void OnChange()
{
PropertyChangedEventHandler handler = _propertyChanged;
if (handler != null)
{
handler(this, new PropertyChangedEventArgs(string.Empty));
}
}
public NotifyAppender Appender
{
get
{
return Log.Appender;
}
}
protected override void Append(LoggingEvent loggingEvent)
{
StringWriter writer = new StringWriter(CultureInfo.InvariantCulture);
Layout.Format(writer, loggingEvent);
Notification += writer.ToString();
}
}
}
Whenever a new message is appended, the Notification is updated and the PropertyChangedEventHandler
is called to notify the calling application that the binding has been updated. In order to use this appender, you need to hook it into your configuration:
="1.0"="utf-8"
<configuration>
<configSections>
<section name="log4net"
type="log4net.Config.Log4NetConfigurationSectionHandler, log4net" />
</configSections>
<appSettings>
<add key="log4net.Internal.Debug" value="false"/>
</appSettings>
<system.diagnostics>
<trace autoflush="true">
<listeners>
<add name="textWriterTraceListener"
type="System.Diagnostics.TextWriterTraceListener"
initializeData="C:\log4net_internal.log"/>
</listeners>
</trace>
</system.diagnostics>
<log4net>
<appender name="NotifyAppender" type="log4netSample.Logging.NotifyAppender" >
<layout type="log4net.Layout.PatternLayout">
<param name="Header" value="[Header]\r\n" />
<param name="Footer" value="[Footer]\r\n" />
<param name="ConversionPattern" value="%d [%t] %-5p %c %m%n" />
</layout>
</appender>
<root>
<level value="ALL" />
<appender-ref ref="NotifyAppender" />
</root>
</log4net>
</configuration>
Note that you might want to add the following line into your AssemblyInfo.cs file:
[assembly: log4net.Config.XmlConfigurator(Watch=true)]
I find the following class really helpful when logging:
namespace log4netSample.Logging
{
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using log4net;
using log4net.Config;
using log4net.Appender;
using log4net.Repository.Hierarchy;
public enum LogLevel
{
Debug = 0,
Error = 1,
Fatal = 2,
Info = 3,
Warning = 4
}
public static class Log
{
#region Members
private static readonly ILog _logger = LogManager.GetLogger(typeof(Log));
private static Dictionary<LogLevel, Action<string>> _actions;
#endregion
static Log()
{
XmlConfigurator.Configure();
_actions = new Dictionary<LogLevel, Action<string>>();
_actions.Add(LogLevel.Debug, WriteDebug);
_actions.Add(LogLevel.Error, WriteError);
_actions.Add(LogLevel.Fatal, WriteFatal);
_actions.Add(LogLevel.Info, WriteInfo);
_actions.Add(LogLevel.Warning, WriteWarning);
}
public static NotifyAppender Appender
{
get
{
foreach (ILog log in LogManager.GetCurrentLoggers())
{
foreach (IAppender appender in log.Logger.Repository.GetAppenders())
{
if (appender is NotifyAppender)
{
return appender as NotifyAppender;
}
}
}
return null;
}
}
public static void Write(LogLevel level, string message)
{
if (!string.IsNullOrEmpty(message))
{
if (level > LogLevel.Warning || level < LogLevel.Debug)
throw new ArgumentOutOfRangeException("level");
_actions[level](message);
}
}
#region Action methods
private static void WriteDebug(string message)
{
if (_logger.IsDebugEnabled)
_logger.Debug(message);
}
private static void WriteError(string message)
{
if (_logger.IsErrorEnabled)
_logger.Error(message);
}
private static void WriteFatal(string message)
{
if (_logger.IsFatalEnabled)
_logger.Fatal(message);
}
private static void WriteInfo(string message)
{
if (_logger.IsInfoEnabled)
_logger.Info(message);
}
private static void WriteWarning(string message)
{
if (_logger.IsWarnEnabled)
_logger.Warn(message);
}
#endregion
}
}
It’s a simple matter then to do something like:
Log.Write(LogLevel.Info, "This is my message");
If you download the attached sample, you'll get to see the whole application running in all its glory, and you can see how updating the log results in the output being updated. Don't forget to rename the .doc file to .zip when you save it.