Click here to Skip to main content
15,880,796 members
Articles / Programming Languages / C#

A Façade for Simple and Framework-Independent Logging in .NET

Rate me:
Please Sign up or sign in to vote.
4.90/5 (14 votes)
2 Dec 2009CPOL3 min read 89.8K   308   44   19
Logging is an important aspect of every application, but you probably don't like to have dependencies on a specific logging framework all over the place. This logging façade provides you with a common interface that decouples the logging framework of your choice from your code.

Before you start reading: Based on this project, we started (and released) SLF, the Simple Logging Façade. SLF is a bit bigger than this project, but much more flexible, while maintaining the goal of simplicity. You can read about it at http://slf.codeplex.com.

Introduction

Logging is an important aspect, but I don’t like to have dependencies on a specific logging framework all over the place. This is where a logging façade comes in handy. Basically, a façade just provides you with a common interface that decouples the used logging framework from your code:

C#
//ILogger is the facade. Behind the scenes,
//a framework of your choice is used
ILogger logger = LoggerService.Logger;
logger.Log("hello world"); 

The idea of a logging façade isn’t exactly new, but I thought I’d share this one with you for a few reasons:

  • It is dead easy to use.
  • It provides quite a few overloads when it comes to logging.
  • The core library has no dependencies on other libraries at all.
  • There are two façades (separate DLLs) that log through the Enterprise Library Logging block or the BitFactory logger. And hopefully more to come!
  • Writing your own façade is as simple as overriding one single method.
  • It’s not part of another project (completely standalone), and there is no license attached to it. Do with it whatever you want.
  • It is dead easy to use.

36447/image-thumb1.png

(click on image to enlarge)

Here’s one way to create a file-based logger (using the BitFactory façade) and make it globally accessible. This only takes you a few lines of code:

C#
//create a new logger instance
string file = @"C:\logfile.txt";
ILogger logger = BitFactoryLogger.CreateSingleFileLogger(file);

//use the global LoggerService to store the logger
LoggerService.SetLogger(logger);

...

//this will store the info in the log file
LoggerService.Logger.Log("This is an information"); 

Logging via ILogger

The whole purpose of this project is to shield your libraries from the actually chosen logging framework. Accordingly, you are always logging through the ILogger instance. ILogger provides quite a few overloads of the Log method, here are a few of them:

C#
public void LogData(ILogger logger)
{
  logger.Log("An information");
  logger.Log("Something Happened", TraceEventType.Warning);

  //LogItem is the most verbose version
  LogItem item = new LogItem();
  item.Message = "My Message";
  item.EventId = 999;
  item.Categories.Add("Foo");
  item.Priority = 10;
  logger.Log(item); 

  try
  {
    DivideByZero();
  }
  catch(Exception e)
  {
    logger.Log(e);
    logger.Log("Additional message.", e);
    logger.Log("Additional message.", e, TraceEventType.Critical);
  }
} 

Initializing an ILogger Implementation

During the initialization of your application, you will have to specify the logger implementation that is supposed to be used. This might happen declaratively or directly in code. Here’s the initialization code from NetDrives, which makes a logger available through the AutoFac IOC container.

Note that I’m registering a ConsoleLogger for debug builds, while release builds write into a log file. These are completely different classes, but it doesn’t matter - they both implement the ILogger interface:

C#
//init IOC container builder
var builder = new ContainerBuilder();

//register single logger instance
ILogger logger;

#if (DEBUG)
  logger = new ConsoleLogger();
#else
  logger = BitFactoryLogger.CreateSingleFileLogger(AppUtil.LogFile);
#endif

//register logger
builder.Register(logger).As<ILogger>(); 

Registration and Access through LoggerService

I prefer to initialize and access my logger through an IOC container, but you can do it however you like. If you’re lacking a place to make your ILogger globally accessible, you can use the static LoggerService class:

36447/image17.png

C#
public void InitApp()
{
  //create a file logger (use BitFactory facade)
  string logFile = @"C:\MyLogFile.txt";
  ILogger logger = BitFactoryLogger.CreateSingleFileLogger(logFile);

  //register as globally used logger
  LoggerService.SetLogger(logger);
}

private void Foo()
{
  try
  {
    DoSomethingWrong();
  }
  catch(Exception e)
  {
    //get registered logger and log exception
    ILogger logger = LoggerService.Logger;
    logger.Log(e);
  }
} 

A nice thing about LoggerService: It always guarantees you a valid ILogger instance. If no logger is set, it just falls back to a NullLogger implementation that does not create any output at all. Here’s the implementation:

C#
namespace Hardcodet.Util.Logging
{
  /// <summary>
  /// Provides a global repository for a given <see cref="ILogger"/>
  /// instance. This class ensures that the <see cref="Logger"/>
  /// property is never nullo - in case no logger is defined, it
  /// automatically installs a <see cref="NullLogger"/>
  /// instance.
  /// </summary>
  public static class LoggerService
  {
    private static ILogger logger = new NullLogger();

    /// <summary>
    /// Gets the installed <see cref="ILogger"/> implementation.
    /// </summary>
    /// <remarks>This property always returns a valid
    /// logger.</remarks>
    public static ILogger Logger
    {
      get { return logger; }
    }

    /// <summary>
    /// Installs a given logger or resets the <see cref="Logger"/>
    /// to a <see cref="NullLogger"/> instance if the
    /// <paramref name="loggerImplementation"/> is a null
    /// reference.
    /// </summary>
    /// <param name="loggerImplementation">The logger to be
    /// used globally, or a null reference in order to reset
    /// the service.</param>
    public static void SetLogger(ILogger loggerImplementation)
    {
      logger = loggerImplementation ?? new NullLogger();
    }
  }
} 

Creating a New Logger Façade

In case you want to use another logging framework (e.g., NLog or Log4Net), creating a new façade is very easy. Basically, you create a new project, set a reference to the base library and write a class that either:

  • implements ILogger directly
  • or, even simpler, derives from the abstract LoggerBase class.

Feel like sharing your own façade? Just contact me and I’ll happily include your implementation. :-)

As a sample, here’s the code of the ConsoleLogger (part of the core library) and the Enterprise Library façade:

C#
using System;

namespace Hardcodet.Util.Logging
{
  /// <summary>
  /// A very simple implementation of <see cref="ILogger"/>
  /// that outputs all messages to the system console.
  /// </summary>
  public class ConsoleLogger : LoggerBase
  {
    /// <summary>
    /// Logs a given item to the console.
    /// </summary>
    /// <param name="item">The item to be logged.</param>
    /// <exception cref="ArgumentNullException">If <paramref name="item"/>
    /// is a null reference.</exception>
    public override void Log(LogItem item)
    {
      if (item == null) throw new ArgumentNullException("item");
      Console.Out.WriteLine(item.ToLogMessage());
    }
  }
} 
C#
using Microsoft.Practices.EnterpriseLibrary.Logging;

namespace Hardcodet.Util.Logging.EntLibFacade
{
  /// <summary>
  /// An implementation of the <see cref="ILogger"/>
  /// interface which outputs logged data using
  /// the <see cref="Logger"/> of the MS Enterprise
  /// Library.
  /// </summary>
  public class EnterpriseLibraryLogger : LoggerBase
  {

    /// <summary>
    /// Writes a log entry to the Enterprise Library's
    /// logging block. Output depends on the logging
    /// block's configuration.
    /// </summary>
    /// <param name="item">An log item which encapsulates
    /// information to be logged.</param>
    public override void Log(LogItem item)
    {
      LogEntry entry = ConvertLogItem(item);
      Logger.Write(entry);
    }

    /// <summary>
    /// Creates a <c>LogEntry</c> instance which can be processed
    /// by the Enterprise Library based on a given log item. 
    /// </summary>
    /// <param name="item">An log item which encapsulates information
    /// to be logged.</param>
    /// <returns>An Enterprise Library item which corresponds
    /// to the submitted <c>LogItem</c>.</returns>
    private static LogEntry ConvertLogItem(LogItem item)
    {
      //assign properties
      LogEntry entry = new LogEntry();
      entry.Message = item.Message;
      entry.Title = item.Title;
      entry.AddErrorMessage(item.ErrorMessage);
      entry.EventId = item.EventId;
      entry.Priority = item.Priority;
      entry.Severity = item.Severity;
      entry.TimeStamp = item.TimeStamp;

      foreach (string category in item.Categories)
      {
        item.Categories.Add(category);
      }

      return entry;
    }
  }
} 

The download contains the core library, two external façades (BitFactory, Enterprise Library), and a sample project. Hope you’ll like it! :-)

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Architect I'm a gun for hire
Switzerland Switzerland
Philipp is an independent software engineer with great love for all things .NET.
He lives in Winterthur, Switzerland and his home on the web is at http://www.hardcodet.net.

Comments and Discussions

 
GeneralMy vote of 5 Pin
Oshtri Deka13-Apr-11 1:57
professionalOshtri Deka13-Apr-11 1:57 
QuestionCould you provide me with some event viewer logging sample code please? Pin
Willem Le Roux29-Jul-09 7:27
Willem Le Roux29-Jul-09 7:27 
GeneralThis is why we wrote the Blog aggregator Pin
Chris Maunder15-May-09 13:43
cofounderChris Maunder15-May-09 13:43 
GeneralRe: This is why we wrote the Blog aggregator Pin
Philipp Sumi15-May-09 13:46
Philipp Sumi15-May-09 13:46 
GeneralNice work [modified] Pin
Colin Eberhardt15-May-09 4:12
Colin Eberhardt15-May-09 4:12 
GeneralRe: Nice work Pin
Philipp Sumi15-May-09 7:34
Philipp Sumi15-May-09 7:34 
GeneralRe: Nice work Pin
Colin Eberhardt17-May-09 21:45
Colin Eberhardt17-May-09 21:45 
GeneralRe: Nice work Pin
Philipp Sumi17-May-09 21:54
Philipp Sumi17-May-09 21:54 
GeneralRe: Nice work Pin
Colin Eberhardt19-May-09 3:52
Colin Eberhardt19-May-09 3:52 
GeneralRe: Nice work Pin
Philipp Sumi19-May-09 21:10
Philipp Sumi19-May-09 21:10 
GeneralPerformance and the [Conditional] Attribute Pin
JaredThirsk1-Jul-10 19:56
JaredThirsk1-Jul-10 19:56 
Jokeeasy+nice (dead easy ^^) Pin
datacore15-May-09 3:00
datacore15-May-09 3:00 
GeneralRe: easy+nice (dead easy ^^) Pin
Philipp Sumi15-May-09 3:02
Philipp Sumi15-May-09 3:02 
QuestionWhy invent another logger? Pin
Robert Taylor14-May-09 22:18
Robert Taylor14-May-09 22:18 
AnswerRe: Why invent another logger? [modified] Pin
Philipp Sumi14-May-09 22:31
Philipp Sumi14-May-09 22:31 
GeneralRe: Why invent another logger? Pin
Robert Taylor14-May-09 23:07
Robert Taylor14-May-09 23:07 
GeneralRe: Why invent another logger? Pin
Trent Tobler22-May-09 5:33
Trent Tobler22-May-09 5:33 
GeneralRe: Why invent another logger? Pin
Philipp Sumi22-May-09 10:04
Philipp Sumi22-May-09 10:04 
GeneralRe: Why invent another logger? Pin
Trent Tobler25-May-09 13:40
Trent Tobler25-May-09 13:40 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.