Autofac拦截目标方法

Autofac Intercept Target Method

我正在使用 Autofac.Extras.DynamicProxy2 对服务实现执行一些方法拦截。

该服务有很多方法,我只想针对其中的几个。

除了根据我要拦截的方法的已批准字符串字典检查调用目标名称之外,还有更好的做法吗?

   public void Intercept(IInvocation invocation)
    {
        invocation.Proceed();
        if (ContinueIntercept(invocation))
        {
            // Do intercept work
        }
    }

    private bool ContinueIntercept(IInvocation invocation)
    {            
        // Logic to compare invocation.MethodInvocationTarget.Name 
    }

它确实没有增加太多开销,但感觉仍然是一种糟糕的方法。特别是因为将此添加到特定服务实现意味着它将拦截基础 class 通用实现的所有方法调用。如果它只拦截派生的 class 就不会那么糟糕。

我看到 Castle.DynamicProxy2 有指定调用目标的方法,但我不知道如何使用 autofac 连接它。

您可以使用 IProxyGenerationHook 指定 ProxyBuilder 应该生成代理的方法。

public class FooProxyGenerationHook : IProxyGenerationHook
{
    public void MethodsInspected()
    { }

    public void NonProxyableMemberNotification(Type type, MemberInfo memberInfo)
    { }

    public Boolean ShouldInterceptMethod(Type type, MethodInfo methodInfo)
    {
        if (type == typeof(Foo) && methodInfo.Name == "Do")
        {
            return true;
        }
        return false;
    }
}

那么,您可以这样注册:

    ProxyGenerator generator = new ProxyGenerator();
    FooProxyGenerationHook hook = new FooProxyGenerationHook();
    IFoo foo = generator.CreateClassProxyWithTarget<Foo>(new Foo(), new ProxyGenerationOptions(hook), new FooInterceptor());

为了避免为每个代理调用 IProxyGenerationHook,您应该只有一个 hook 实例。

使用 DynamicProxy2,您可以使用此代码:

    FooProxyGenerationHook hook = new FooProxyGenerationHook();

    ContainerBuilder builder = new ContainerBuilder();
    builder.RegisterType<FooInterceptor>().AsSelf();
    builder.RegisterType<Foo>().As<IFoo>()
            .EnableClassInterceptors(new ProxyGenerationOptions(hook))
            .InterceptedBy(typeof(FooInterceptor));