我找到了几个解决方案。
- [默认构造函数]
将属性标记为您想要的构造函数,然后离开。绝对不是我的首选,因为它将注册拆分为实现,以及使用带有 IoC 的属性的其他问题。但它是最简单的吗?如果您对代码中的 IoC 容器属性没有任何问题,那就试试吧。
- Policy.ConstructorSelector()
下面是一种使用构造函数选择器策略来查找构造函数的方法,并使用多个选择器按类型分隔。请注意,这可以作为扩展方法解决方案,但我不想让它比需要的更复杂。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Reflection;
using StructureMap;
using StructureMap.Configuration.DSL;
using StructureMap.Pipeline;
using StructureMap.TypeRules;
public class SomeClass
{
// This is the one I want to be the default by selecting it.
public SomeClass(string arg1, AnArgClass arg2) { }
// This is default if I don't purposely select it.
public SomeClass(string arg1, string arg2, string arg3) { }
}
public class AnArgClass { }
public class SampleRegistry : Registry
{
public SampleRegistry()
{
var selectors = new SelectorsList();
Policies.ConstructorSelector(selectors);
For<SomeClass>().Use<SomeClass>();
selectors.Add<SomeClass>(new SelectorByTypes(new[] { typeof(string), typeof(AnArgClass) }));
}
}
public class SelectorByTypes : IConstructorSelector
{
private Type[] mArgumentsTypes;
public SelectorByTypes(IEnumerable<Type> argumentsTypes)
{
mArgumentsTypes = argumentsTypes.ToArray();
}
public ConstructorInfo Find(Type pluggedType)
{
return pluggedType.GetConstructor(mArgumentsTypes); // GetConstructor() ext in SM.TypeRules
}
}
public class SelectorsList : IConstructorSelector
{
// Holds the selectors by type
private Dictionary<Type, IConstructorSelector> mTypeSelectors = new Dictionary<Type, IConstructorSelector>();
// The usual default, from SM.Pipeline
private GreediestConstructorSelector mDefaultSelector = new GreediestConstructorSelector();
public void Add<T>(IConstructorSelector selector)
{
mTypeSelectors.Add(typeof(T), selector);
}
public ConstructorInfo Find(Type pluggedType)
{
ConstructorInfo selected = null;
if (mTypeSelectors.ContainsKey(pluggedType))
{
var selector = mTypeSelectors[pluggedType];
selected = selector.Find(pluggedType);
}
else
{
selected = mDefaultSelector.Find(pluggedType);
}
return selected;
}
}
作为扩展,它将类似于:
For<SomeClass>()
.Use<SomeClass>()
.SetConstructor(selectors, new Type[] { typeof(string), typeof(AnArgClass) });
public static class Extensions
{
public static SmartInstance<TConcreteType, TPluginType> SetConstructor<TConcreteType, TPluginType>(
this SmartInstance<TConcreteType, TPluginType> instance,
ConstructorSelectors constructors,
IEnumerable<Type> types)
where TConcreteType : TPluginType
{
constructors.Add(typeof(TPluginType), new ArgTypesConstructorSelector(types));
return instance;
}
}