如何轻松地管理带有运行时参数的适配器和/或装饰器

本文关键字:适配器 参数 何轻松 管理 运行时 | 更新日期: 2023-09-27 18:17:19

我将给出一个非常简单的例子。

class Implementation: IMyInterface
{
    string mArg;
    public Implementation(string arg)
    {
        mArg = arg;
    }
    public DoStuff(object param)
    {
        // snip
    }
}
class Decorator: IMyInterface
{
    IMyInterface mWrapped;
    public Decorator(IMyInterface wrapped)
    {
        mWrapped = wrapped;
    }
    public DoStuff(object param)
    {
        var result = mWrapped.DoStuff(param);
        // snip
        return result;
    }
}

现在我需要的实现构造函数的参数是在运行时从用户处获得的。

IMyInterface GetMyObject()
{
    string arg = AskUserForString();
    return mContext.Resolve // HOW?
}

那么什么是正确的方式来设置和解决装饰实例?

这个例子很简单。但是想象一下有更多的层(装饰器/适配器),并且我在运行时得到的最内层的实现需要参数

如何轻松地管理带有运行时参数的适配器和/或装饰器

我假设您正在使用autoface,因为它在问题的标签中。您可以尝试这样做:

public class ImplementationFactory
{
    private readonly IComponentContext container;
    public ImplementationFactory(IComponentContext container)
    {
        this.container = container;
    }
    public IMyInterface GetImplementation(string arg)
    {
        return container.Resolve<IMyInterface>(new NamedParameter("arg", arg));            
    }
}

配准/解析部分:

var builder = new ContainerBuilder();
builder.RegisterType<ImplementationFactory>();
builder.RegisterType<Implementation>().Named<IMyInterface>("implementation");
builder.Register((c, args) => new Decorator(c.ResolveNamed<IMyInterface>("implementation", args.First())))
    .As<IMyInterface>();
var container = builder.Build();
var factory = container.Resolve<ImplementationFactory>();
var impl = factory.GetImplementation("abc"); //returns the decorator

如果你有多个装饰器,你可以在注册中按照你想要的顺序链接它们:

builder.Register((c, args) => new Decorator(c.ResolveNamed<IMyInterface>("implementation", args.First())));
builder.Register((c, args) => new SecondDecorator(c.Resolve<Decorator>(args.First()))).As<IMyInterface>();

这里有一篇关于autofac中对装饰器支持的好文章

您可以为实现和每个装饰器创建一个工厂对象,并让装饰器的工厂充当实现工厂的装饰器,并将输入传递给resolve调用。这些你可能会在应用程序启动时或在一些配置文件中设置。

为了更灵活,我将建立一个工厂,让一个

Func<IMyInterface, IMyInterface>

或者

Func<IMyInterface, string, IMyInterface>)

所以它可以构建任何你想要的IMyInterface实现。

所以像这样的

interface IMyInterfaceFactory
{
   IMyInterface Resolve(string parameter);
}
class DecoratorFactory : IMyInterfaceFactory
{
   IMyInterfaceFactory parent;
   Func<IMyInterface, string, IMyInterface> resolver;
   public DecoratorFactory(
      IMyInterfaceFactory parent, 
      Func<IMyInterface, string, IMyInterface> resolver)
   {
      this.parent = parent;
      this.resolver= resolver;
   }
   public IMyInterface Resolve(string parameter)
   {
      var decoratee = parent.Resolve(parameter);
      return resolver(decoratee, parameter);
   }
}

如果您需要在Resolve方法中进行更复杂的操作,例如在多个父类或解析器委托之间进行选择,那么您可以为它们制作另一个工厂接口实现。

直接把参数交给接口有什么不对?DoStuff方法。由于该参数似乎是强制性的,并且不是接口的特定实现的限定符,因此您可以向DoStuff方法添加另一个参数。