Autofac-注册(部分)Open Generic

本文关键字:Open Generic 部分 注册 Autofac- | 更新日期: 2023-09-27 17:59:50

我有以下配置,我想在autofac:中注册

UploadStrategy1<T> : IUploadStrategy<Thing1, T>
UploadStrategy3<T> : IUploadStrategy<Thing3, T>
......

在像这样的构造函数中

public class UploadDownloadHandlerStrategy1<T> : IUploadDownloadHandlerStrategy1<T, Thing1, OtherThing1>
{
   public UploadDownloadHandlerStrategy1(IUpoadStrategey<Thing1, T>, 
                                         IDownloadStrategy<Thing1, OtherThing1>)
}

这是一种不太理想的情况,它真的必须如此混乱。事实上,我很自豪我把它完全脱钩了。

我唯一没有工作的部分是IUploadStrategy。到目前为止,大约有8个实现,但它应该扩大规模,所以最好是批量实现。

我只是想不出自动对焦应该是什么样子。

builder.???

Autofac-注册(部分)Open Generic

让我们假设您有以下类型:

public class Thing1 { }
public class Thing2 { }
public class Thing3 { }
public interface IUploadStrategy<T1, T2> { }
public class UploadStrategy1<T> : IUploadStrategy<Thing1, T> { }
public class UploadStrategy2<T> : IUploadStrategy<Thing2, T> { }

解析IUploadStrategy<Thing1, String>时,您希望Autofac返回UploadStrategy1<String>的实例,解析IUploadStrategy<Thing2, String>时,您想要UploadStrategy2<String> 的实例

你可以这样注册这些类型:

builder.RegisterGeneric(typeof(UploadStrategy1<>)).As(typeof(IUploadStrategy<,>));
builder.RegisterGeneric(typeof(UploadStrategy2<>)).As(typeof(IUploadStrategy<,>));

这样,Autofac将自动考虑对T1的约束。

所以,

var s1 = container.Resolve<IUploadStrategy<Thing1, String>>();
Console.WriteLine(s1.GetType()); // will be UploadStrategy1 
var s2 = container.Resolve<IUploadStrategy<Thing2, String>>();
Console.WriteLine(s2.GetType()); // will be UploadStrategy2

将按预期工作。请参阅此dotnetfiddle以获取实时示例:https://dotnetfiddle.net/cwvait

如果要自动解析这些类型,可以考虑使用RegisterAssemblyTypes方法。不幸的是,这个方法不能让你做你想做的事情,因为它不是一个RegisterAssemblyGenericTypes方法。您必须扫描您自己的程序集。例如:

foreach (Type t in typeof(Program).Assembly
                                    .GetLoadableTypes()
                                    .Where(t => t.GetInterfaces()
                                                .Any(i => i.IsGenericType 
                                                        && i.GetGenericTypeDefinition() == typeof(IUploadStrategy<,>))))
{
    builder.RegisterGeneric(t).As(typeof(IUploadStrategy<,>));
}

GetLoadableTypes方法是位于Autofac.Util命名空间上的扩展方法,这是RegisterAssemblyTypes方法内部使用的方法。