前言
控制反转(ioc)用来解决耦合的,主要分为两种类型:依赖注入和依赖查找。
依赖注入就是把本来应该在程序中有的依赖在外部注入到程序之中,当然他也是设计模式的一种思想。
假定有接口a和a的实现b,那么就会执行这一段代码a a=new b();这个时候必然会产生一定的依赖,然而出现接口的就是为了解决依赖的,但是这么做还是会产生耦合,我们就可以使用依赖注入的方式来实现解耦。在ioc中可以将要依赖的代码放到xml中,通过一个容器在需要的时候把这个依赖关系形成,即把需要的接口实现注入到需要它的类中,这可能就是“依赖注入”说法的来源了。
简单的理解依赖注入
那么我们现在抛开spring,抛开xml这些相关技术,怎么使用最简单的方式实现一个依赖注入呢?现在还是接口a和a的实现b。
那么我们的目的是这样的,a a=new b();现在我们在定义一个类c,下面就是c和a的关系,c为了new出一个a接口的实现类
1
2
3
4
5
6
|
public class c { private a a; public c(a a) { this .a=a; } } |
那么如何去new呢,定义一个类d,在d中调用c的构造方法的时候new b();即
1
2
3
4
5
6
|
public class d{ @test public void use(){ c c= new c( new b()); } } |
这样我们在c中就不会产生a和b的依赖了,之后如果想改变a的实现类的话,直接可以修改d中的构造方法的参数就可以了,很简单,也解决了耦合。这种方式就是最常说的构造器注入。
那么spring就是解决耦合和使用ioc的,这里最简单的spring依赖注入的例子:
springconfig.xml
1
2
3
4
5
6
7
8
9
|
<?xml version= "1.0" encoding= "utf-8" ?> <beans xmlns= "http://www.springframework.org/schema/beans" xmlns:xsi= "http://www.w3.org/2001/xmlschema-instance" xsi:schemalocation= "http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd" > <bean id= "sayhello" class = "smile.thetestinterface" > <constructor-arg ref= "hello" /> </bean> <bean id= "hello" class = "smile.hello" /> </beans> |
解析:这里配置了两个bean,第一个是为了给构造器中注入一个bean,第二个是构造器中要注入的bean。
hello.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
|
package smile; /** * created by smile on 2016/4/21. */ public class hello { public hello(){ system.out.println( "hello" ); } public void sayhello(){ system.out.println( "i want say hello" ); } } |
theinterface.java
1
2
3
4
5
6
7
8
9
10
11
|
package smile; /** * created by smile on 2016/4/20. */ public class thetestinterface { private hello hello; public thetestinterface(hello hello) { this .hello = hello; } } |
use.java
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
|
package com.smile; import org.junit.test; import org.springframework.context.applicationcontext; import org.springframework.context.support.classpathxmlapplicationcontext; import smile.hello; /** * created by smile on 2016/4/21. */ public class use { @test public void usetest(){ applicationcontext context= new classpathxmlapplicationcontext( "springconfig.xml" ); hello hello=(hello)context.getbean( "hello" ); hello.sayhello(); } } |
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作具有一定的参考学习价值,如果有疑问大家可以留言交流,谢谢大家对服务器之家的支持。
原文链接:http://www.cnblogs.com/Summer7C/p/5415887.html