I am using Ninject interception to log errors on some of my methods. My interception class looks like this
public class ErrorLoggingInterceptor : IInterceptor
{
private readonly ILogFactory _logFactory;
public ErrorLoggingInterceptor(ILogFactory logFactory)
{
_logFactory = logFactory;
}
public void Intercept(IInvocation invocation)
{
try
{
invocation.Proceed();
}
catch (Exception e)
{
var sb = new StringBuilder();
sb.AppendFormat("Executing {0}.{1} ",invocation.Request.Method.DeclaringType.Name,invocation.Request.Method.Name);
sb.AppendFormat(" {0} caught: {1})", e.GetType().Name, e.Message);
_logFactory.Error(sb.ToString());
}
}
}
This interceptor class works just fine but there are a few problems I came across.
invocation.Request.Method.DeclaringType.Name
gives me the name of the interface, how to get the name of the real impementing class?is there a way to get the argument values? I can get the parameter names using
invocation.Request.Method.GetParameters
but I did not found a way to get the actual values- my interceptor is intended to "swallow" exceptions. It works on void methods, but is there a way to make it work on non-void methods providing a default value as the result? Say I have a
bool DoSomething(..)
and when it fails with exception I want it to look like the method returned false.