谈到高级语言编程,我们就会联想到设计模式;谈到设计模式,我们就会说道怎么样解耦合。而Spring.NET的IoC容器其中的一种用途就是解耦合,其最经典的应用就是:依赖注入(Dependeny Injection)简称DI,目前DI是最优秀的解耦方式之一。下面我就来谈谈依赖注入的应用场景。
我模拟了三种不同的场景,可以一起学习使用依赖注入的重要性。
下面是应用场景的条件:人类使用工具劳动。
/// <summary>
/// 抽象人类
/// </summary>
public abstract class Person
{
/// <summary>
/// 使用工具劳动
/// </summary>
public abstract void Work();
}
public interface ITool
{
/// <summary>
/// 使用工具
/// </summary>
void UseTool();
}
场景一,原始社会:原始人使用长矛打猎
public class Spear : ITool
{
public void UseTool()
{
Console.WriteLine("use spear");
}
}
public class PrimitivePerson : Person
{
/// <summary>
/// 原始社会使用长矛打猎
/// </summary>
public override void Work()
{
//知道打猎使用的是长矛,并且制造长矛
ITool tool = new Spear();
tool.UseTool();
Console.WriteLine("use spear go hunting");
}
}
场景二,经济社会:使用工具耕作
public class Hoe : ITool
{
public void UseTool()
{
Console.WriteLine("use hoe");
}
}
public static class ToolFactory
{
/// <summary>
/// 工厂制造工具
/// </summary>
/// <returns></returns>
public static ITool CreateTool()
{
return new Hoe(); // 制造锄头
}
}
public class EconomyPerson : Person
{
/// <summary>
/// 经济社会使用锄头耕作
/// </summary>
public override void Work()
{
//不用知道什么工具,只需知道工厂能买到工具,而不自己制造工具,但仅由工厂制造锄头
ITool tool = ToolFactory.CreateTool();
tool.UseTool();
Console.WriteLine("economy use tool");
}
}
场景三,现在社会:使用工具办公
public class Computer : ITool
{
public void UseTool()
{
Console.WriteLine("use computer");
}
}
public class ModernPerson : Person
{
/// <summary>
/// 从外部获取工具
/// </summary>
public ITool Tool { get; set; }
/// <summary>
/// 现在人用不需要知道电脑是哪来的,直接拿来办公
/// </summary>
public override void Work()
{
//不知道使用什么工具和哪来的工具,只是机械化的办公
Tool.UseTool();
Console.WriteLine("use tool office");
}
}
<?xml version="1.0" encoding="utf-8" ?>
<objects xmlns="http://www.springframework.net">
<description></description>
<object id="computer" type="SpringNetIoCDI.Computer, SpringNetIoCDI"/>
<object id="modernPerson" type="SpringNetIoCDi.ModernPerson, SpringNetIoCDI">
<property name="Tool" ref="computer"/>
</object>
</objects>
static void Modern()
{
// app.config
//IApplicationContext ctx = ContextRegistry.GetContext();
//Person person = (Person)ctx.GetObject("modernPerson");
//person.Work();
// config.xml
string[] xml =
{
"file://Configs.xml"
};
IApplicationContext ctx = new XmlApplicationContext(xml);
//Person person = (Person)ctx.GetObject("modernPerson");
Person person = (Person)ctx["modernPerson"];
person.Work();
}
从上面代码我们可以看出,把对象交给Spring.NET容器进行管理,ModernPerson类不需要知道具体使用什么工具,仅仅是机械化 的工作。至于使用的什么工具,则由配置文件决定,所有对象由Spring.NET容器管理,这样可以实现动态的拆装组建和组件重用。我个人理解依赖注入是 反射工厂的加强版。
代码下载: https://download.youkuaiyun.com/download/wjgwrr/10431617