我正在重构我们的应用程序以包含依赖注入(通过构造函数注入)并且遇到了一个棘手的极端情况:
我们目前有一些ImageViewer
对象,在实例化时会在程序集中搜索ImageViewerPlugin
(抽象基类)实例,并使用反射实例化它们。这是在ImageViewer
使用方法的构造函数中完成的(在所有具体插件类型的循环中调用),类似于:
private ImageViewerPlugin LoadPlugin(Type concretePluginType)
{
var pluginConstructor = concretePluginType.GetConstructor(
BindingFlags.Instance | BindingFlags.DeclaredOnly | BindingFlags.Public,
null,
new[] { typeof(ImageViewer) },
null);
return (ImageViewerPlugin) pluginConstructor.Invoke(
new object[] { constructorParameter });
}
ImageViewerPlugin 类大致如下所示:
internal ImageViewerPlugin
{
protected ImageViewer _viewer;
protected ImageViewerPlugin(ImageViewer viewer)
{
_viewer = viewer;
}
}
一个具体的实现大致是这样的:
internal AnImageViewerPlugin
{
public AnImageViewerPlugin(ImageViewer viewer) : base(viewer)
{
}
}
每个ImageViewer
实例都有自己的ImageViewerPlugin
实例集合。
现在应用程序被重构为使用 DI 容器和构造函数注入,我发现这些插件具有需要由 DI 容器解决的依赖项(以前通过使用全局静态类隐藏),但我不知道如何在不使用服务定位器(反模式)的情况下做到这一点。
最明智的解决方案似乎是使用 DI 创建这些插件实例。这将允许我添加额外的构造函数参数,以通过构造函数注入注入它们所依赖的依赖项。但是如果我这样做,我如何viewer
在注入其余参数值的同时传递特定的参数值?
我认为 anImageViewerPluginFactory
将有助于实现这一点,但看不到如何实现这样的工厂,因为每个插件都可能具有不同的构造函数签名。
我该如何解决这种情况?还是我以完全错误的方式接近这个?