IoC容器的对象生存期管理
如果你一直在使用IoC容器,你可能已经使用过了一些对象生存期管理模型(Object Lifetime Management)。通过对对象生存期的管理,将使对象的复用成为可能。同时其使容器可以控制如何创建和管理对象实例。
Unity提供的对象生存期管理模型是通过从抽象类LifetimeManager的派生类来完成。Unity将为每个类型的注册创建生存期管理器。每当UnityContainer需要创建一个新的对象实例时,将首先检测该对象类型的生存期管理器,是否已有一个对象实例可用。如果没有对象实例可用,则UnityContainer将基于配置的信息构造该对象实例并将该对象交予对象生存期管理器。
LifetimeManager
LifetimeManager是一个抽象类,其实现了ILifetimePolicy接口。该类被作为所有内置或自定义的生存期管理器的父类。它定义了3个方法: GetValue - 返回一个已经存储在生存期管理器中对象实例。 SetValue - 存储一个新对象实例到生存期管理器中。 RemoveValue - 从生存期管理器中将已存储的对象实例删除。UnityContainer的默认实现将不会调用此方法,但可在定制的容器扩展中调用。
Unity内置了6种生存期管理模型,其中有2种即负责对象实例的创建也负责对象实例的销毁(Disposing)。
•TransientLifetimeManager - 为每次请求生成新的类型对象实例。 (默认行为)
•ContainerControlledLifetimeManager - 实现Singleton对象实例。 当容器被Disposed后,对象实例也被Disposed。
•HierarchicalifetimeManager - 实现Singleton对象实例。但子容器并不共享父容器实例,而是创建针对字容器的Singleton对象实例。当容器被Disposed后,对象实例也被Disposed。
•ExternallyControlledLifetimeManager - 实现Singleton对象实例,但容器仅持有该对象的弱引用(WeakReference),所以该对象的生存期由外部引用控制。
•PerThreadLifetimeManager - 为每个线程生成Singleton的对象实例,通过ThreadStatic实现。
•PerResolveLifetimeManager - 实现与TransientLifetimeManager类似的行为,为每次请求生成新的类型对象实例。不同之处在于对象实例在BuildUp过程中是可被重用的。
Code Double
复制代码 代码如下:
public interface IExample : IDisposable
{
void SayHello();
}
public class Example : IExample
{
private bool _disposed = false;
private readonly Guid _key = Guid.NewGuid();
public void SayHello()
{
if (_disposed)
{
throw new ObjectDisposedException("Example",
string.Format("{0} is already disposed!", _key));
}
Console.WriteLine("{0} says hello in thread {1}!", _key,
Thread.CurrentThread.ManagedThreadId);
}
public void Dispose()
{
if (!_disposed)
{
_disposed = true;
}
}
}
TransientLifetimeManager
TransientLifetimeManager是Unity默认的生存期管理器。其内部的实现都为空,这就意味着每次容器都会创建和返回一个新的对象实例,当然容器也不负责存储和销毁该对象实例。
复制代码 代码如下:
private static void TestTransientLifetimeManager()
{
IExample example;
using (IUnityContainer container = new UnityContainer())
{
container.RegisterType(typeof(IExample), typeof(Example),
new TransientLifetimeManager());
// each one gets its own instance
container.Resolve<IExample>().SayHello();
example = container.Resolve<IExample>();
}
// container is disposed but Example instance still lives
// all previously created instances weren't disposed!
example.SayHello();
Console.ReadKey();
}
ContainerControlledLifetimeManager