我无法使用ninject定义绑定。
我在标准的ASP.NET WebForms应用程序中。我已经为页面和控件中的Inject依赖项定义了一个http处理程序(Property injection)。
以下是我要做的事情:
我正在创建一个自定义组合框用户控件。根据组合框中枚举的值,我希望能够在属性中注入一个不同的对象(我想要做的是比这更多的参与,但回答这个应该足以让我走)。
答案 0 :(得分:10)
基于属性值的条件绑定不是一个好的设计,甚至不可能(至少对于构造函数注入),因为依赖关系通常是在接收它们的对象之前创建的。如果以后更改房产怎么办?最好的方法是注入一个从Ninject请求实例的工厂或工厂方法,并在内部交换初始化和属性值更改的策略。
public enum EntityType { A,B }
public class MyControl : UserControl
{
[Inject]
public Func<EntityType, IMyEntityDisplayStrategy> DisplayStrategyFactory
{
get { return this.factory; }
set { this.factory = value; this.UpdateEntityDisplayStrategy(); }
}
public EntityType Type
{
get { return this.type; }
set { this.type = value; this.UpdateEntityDisplayStrategy(); };
}
private UpdateEntityDisplayStrategy()
{
if (this.DisplayStrategyFactory != null)
this.entityDisplayStrategy = this.DisplayStrategyFactory(this.type);
}
}
Bind<Func<EntityType, IMyEntityDisplayStrategy>>
.ToMethod(ctx => type =>
type == ctx.kernel.Get<IMyEntityDisplayStrategy>( m =>
m.Get("EntityType", EntityType.A));
Bind<IMyEntityDisplayStrategy>.To<AEntityDisplayStrategy>()
.WithMetadata("EntityType", EntityType.A)
Bind<IMyEntityDisplayStrategy>.To<BEntityDisplayStrategy>()
.WithMetadata("EntityType", EntityType.B)
或者添加激活操作并手动注入依赖项。但请注意,更改约束属性将导致状态不一致。
OnActivation((ctx, instance) =>
instance.MyStrategy = ctx.Kernel.Get<MyDependency>(m =>
m.Get("MyConstraint", null) == instance.MyConstraint);
答案 1 :(得分:0)
我使用的(现在使用Ninject 3)有点不同但它对我有用。 我创建了一个依赖项数组,让他们决定是否接受处理请求。例如,如果我有这种情况
public enum FileFormat
{
Pdf,
Word,
Excel,
Text,
Tex,
Html
}
public interface IFileWriter
{
bool Supports(FileFormat format)
...
}
public class FileProcessor
{
FileProcessor(IFileWriter[] writers)
{
// build a dictionary with writers accepting different formats
// and choose them when needed
}
}
public class MyModule : NinjectModule
{
public override void Load()
{
...
Bind<IFileWriter>().To<PdfFileWriter>();
Bind<IFileWriter>().To<WordFileWriter>();
Bind<IFileWriter>().To<TexFileWriter>();
Bind<IFileWriter>().To<TextFileWriter>();
Bind<IFileWriter>().To<HtmlFileWriter>();
}
}
我希望有所帮助!