I have a requirement to log each method call in a WCF service, and any exceptions thrown. This has led to a lot of redundant code, because each method needs to include boil
Yes, it is possible to encapsulate this kind of logging, using the extensibility points built into WCF. There are actually multiple possible approaches. The one I'm describing here adds an IServiceBehavior
, which uses a custom IOperationInvoker, and does not require any web.config modifications.
There are three parts to this.
IOperationInvoker
, which wraps the method invocation in the required logging and error-handling.IOperationBehavior
that applies the invoker from step 1.IServiceBehavior
, which inherits from Attribute
, and applies the behavior from step 2.The crux of IOperationInvoker is the Invoke
method. My class wraps the base invoker in a try-catch block:
public class LoggingOperationInvoker : IOperationInvoker
{
IOperationInvoker _baseInvoker;
string _operationName;
public LoggingOperationInvoker(IOperationInvoker baseInvoker, DispatchOperation operation)
{
_baseInvoker = baseInvoker;
_operationName = operation.Name;
}
// (TODO stub implementations)
public object Invoke(object instance, object[] inputs, out object[] outputs)
{
MyInfrastructure.LogStart(_operationName, inputs);
try
{
return _baseInvoker.Invoke(instance, inputs, out outputs);
}
catch (Exception ex)
{
MyInfrastructure.LogError(_operationName, inputs, ex);
return null;
}
MyInfrastructure.LogEnd("Add", parameters);
}
}
The implementation of IOperationBehavior simply applies the custom dispatcher to the operation.
public class LoggingOperationBehavior : IOperationBehavior
{
public void ApplyDispatchBehavior(OperationDescription operationDescription, DispatchOperation dispatchOperation)
{
dispatchOperation.Invoker = new LoggingOperationInvoker(dispatchOperation.Invoker, dispatchOperation);
}
// (TODO stub implementations)
}
This implementation of IServiceBehavior
applies the operation behavior to the service; it should inherit from Attribute
so that it can be applied as an attribute to the WCF service class. The implementation for this is standard.
public class ServiceLoggingBehavior : Attribute, IServiceBehavior
{
public void ApplyDispatchBehavior(ServiceDescription serviceDescription, ServiceHostBase serviceHostBase)
{
foreach (ServiceEndpoint endpoint in serviceDescription.Endpoints)
{
foreach (OperationDescription operation in endpoint.Contract.Operations)
{
IOperationBehavior behavior = new LoggingOperationBehavior();
operation.Behaviors.Add(behavior);
}
}
}
}
You can try Audit.NET library with its Audit.WCF extension. It can log the WCF service interaction and is compatible with async calls.
All you need to do is decorate your WCF service class or methods with the AuditBehavior
attribute:
[AuditBehavior()]
public class OrderService : IOrderService
{ ... }
The WCF extension uses an IOperationInvoker
implementing Invoke
and InvokeBegin
/InvokeEnd
. You can check the code here.