我正在与 MEF 合作以获得一个插件架构。我想设计一些可扩展性。我想扩展初始化。
我所拥有的是一个“驱动程序”,它重复地从某个来源收集数据。这些是我的插件。这些插件中的每一个都需要初始化。现在我有一个需要这些插件来实现的接口。
interface IDriverLiveCollection
{
ILiveCollection GetCollection(ILog logger, IDriverConfig config);
}
这个接口基本上是从插件创建一个 ILiveCollection 的实例。为了更好地理解 ILiveCollection 看起来像这样。
interface ILiveCollection
{
void GetData(Parameter param, DataWriter writer);
void ShutDown();
}
还有初始化循环:
foreach(IDriverConfig config in DriverConfigs)
{
//Use MEF to load correct driver
var collector = this.DriverLoader(config.DriverId).GetCollection(new Logger, config);
// someTimer is an IObservable<Parameter> that triggers to tell when to collect data.
someTimer.Subscribe((param)=> collector.GetData(param, new DataWriter(param)));
}
问题是某些驱动程序可能需要比其配置更多的信息才能进行初始化。例如,某些驱动程序希望在初始化期间为其提供一组参数。
我可以轻松地将界面扩展为现在的样子:
interface IDriverLiveCollection
{
ILiveCollection GetCollection(ILog logger, IDriverConfig config, IEnumerable<Parameter> params);
}
这种方法的缺点是公共接口已经改变,现在我需要重新编译每个驱动程序,即使之前没有一个需要这个参数列表才能运行。我打算拥有很多驱动程序,而且我也无法控制谁编写驱动程序。
我想了另一个解决方案。我可以在调用 Get Collection 和订阅计时器之前创建接口并在循环内部,我可以检查 ILiveCollection 对象是否也扩展了以下接口之一:
interface InitWithParameters
{
void InitParams(IEnumerable<Parameter> params);
}
在我的循环中:
foreach(IDriverConfig config in DriverConfigs)
{
//Use MEF to load correct driver
var collector = this.DriverLoader(config.DriverId).GetCollection(new Logger, config);
// Check to see if this thing cares about params.
if(collector is InitWithParameters)
{
((InitWithparameters)collector).InitParams(ListOfParams);
}
// Continue with newly added interfaces.
// someTimer is an IObservable<Parameter> that triggers to tell when to collect data.
someTimer.Subscribe((param)=> collector.GetData(param, new DataWriter(param)));
}
这里的不同之处在于我不需要重新编译每个驱动程序以使其工作。旧驱动程序将根本不是 InitWithParameters 类型,并且不会以这种方式调用,而新驱动程序将能够利用新接口。如果旧驱动程序想要利用,那么它可以简单地实现该接口并重新编译。底线:我不需要重新编译驱动程序,除非他们想要这个功能。
我已经认识到的缺点是:我显然需要重新编译这个循环中的程序。当新驱动程序与带有循环的旧版本程序一起使用时,会出现版本控制问题,这可能会导致一些问题。最后,随着这些事情的增长,我必须使用循环保存程序中每种可能类型的巨大列表。
有一个更好的方法吗?
编辑附加信息:
我试图在 IDriverLiveCollection 上使用 MEF,而不是在 ILiveCollection 上使用,因为 IDriverLiveCollection 允许我使用自定义初始化参数构造特定的 ILiveCollection。
可能有 2 个相同类型的 ILiveCollections (2 FooLiveCollections),每个具有不同的 ILog 和 IDriverConfig 并且可能具有 IEnumerable。我希望能够在“初始化循环”期间而不是在插件组合时指定这些。