IoCコンテナーのアダプターラッパーは常に次のように記述します。
public static class Ioc
{
public static IIocContainer Container { get; set; }
}
public interface IIocContainer
{
object Get(Type type);
T Get<T>();
T Get<T>(string name, string value);
void Inject(object item);
T TryGet<T>();
}
Ninjectの場合、具体的には、具象アダプタクラスは次のようになります。
public class NinjectIocContainer : IIocContainer
{
public readonly IKernel Kernel;
public NinjectIocContainer(params INinjectModule[] modules)
{
Kernel = new StandardKernel(modules);
new AutoWirePropertyHeuristic(Kernel);
}
private NinjectIocContainer()
{
Kernel = new StandardKernel();
Kernel.Load(AppDomain.CurrentDomain.GetAssemblies());
new AutoWirePropertyHeuristic(Kernel);
}
public object Get(Type type)
{
try
{
return Kernel.Get(type);
}
catch (ActivationException exception)
{
throw new TypeNotResolvedException(exception);
}
}
public T TryGet<T>()
{
return Kernel.TryGet<T>();
}
public T Get<T>()
{
try
{
return Kernel.Get<T>();
}
catch (ActivationException exception)
{
throw new TypeNotResolvedException(exception);
}
}
public T Get<T>(string name, string value)
{
var result = Kernel.TryGet<T>(metadata => metadata.Has(name) &&
(string.Equals(metadata.Get<string>(name), value,
StringComparison.InvariantCultureIgnoreCase)));
if (Equals(result, default(T))) throw new TypeNotResolvedException(null);
return result;
}
public void Inject(object item)
{
Kernel.Inject(item);
}
}
これを行う主な理由は、IoCフレームワークを抽象化することです。そのため、いつでもフレームワークの違いを置き換えることができます。
ただし、おまけとして、IoCフレームワークを、それを本来サポートしていない他のフレームワーク内で使用することで、物事がはるかに簡単になります。たとえば、WinFormsの場合、2つのステップがあります。
Mainメソッドで、他の操作を行う前にコンテナをインスタンス化します。
static class Program
{
/// <summary>
/// The main entry point for the application.
/// </summary>
[STAThread]
static void Main()
{
try
{
Ioc.Container = new NinjectIocContainer( /* include modules here */ );
Application.EnableVisualStyles();
Application.SetCompatibleTextRenderingDefault(false);
Application.Run(new MyStartupForm());
}
catch (Exception ex)
{
MessageBox.Show(ex.ToString());
}
}
}
そして、他のフォームが派生し、それ自体でInjectを呼び出すベースフォームがあります。
public IocForm : Form
{
public IocForm() : base()
{
Ioc.Container.Inject(this);
}
}
これは、自動配線ヒューリスティックに、モジュールに設定されたルールに適合するフォームのすべてのプロパティを再帰的に挿入しようとすることを伝えます。