软件安装
在使用spring开发之前需要安装eclipse的spring插件。
通过以下步骤安装Spring IDEHelp->Eclipse Marketplace->搜索spring->Spring IDE+版本
基本jar包
spring功能十分强大,spring并不要求必须在web下使用。根据功能不同,有各种jar包,spring核心容器包只有四个如下:commons-logging-1.2.jar spring用来log输出
spring-beans-4.2.6.RELEASE.jar
spring-context-4.2.6.RELEASE.jar
spring-core-4.2.6.RELEASE.jar
spring-expression-4.2.6.RELEASE.jar
IOC和DI
IoC(DI)特性是由核心包的spring-core和spring-beans两个jar包实现。
Inversion of control:控制反转,反转资源的获取方向,传统的资源查找方式要求组件向容器发起请求查找资源。
这种行为也被称为查找的被动形式。
简单的说:以前写代码主动权在自己,想new啥变量就new啥,但是现在需要的实例是通过xml配置,由容器来控制初始化,创建的。
从另一个方面看,通过IOC些的程序,以后可以更深入的实现面向接口编程,因为你不知道在容器中配置的具体是什么类,而只知道接口。
Dependency Injection 是IOC的另一种表达方式,即组件以一些预先定义好的方式比如Setter方法,来接受来自容器的资源注入。
所谓依赖注入,就是说在代码中实际执行的实例,是依赖容器(通过xml配置的类)提供的类,而不是通过在代码中通过new写死的实例。
代码举例:public class Main {
public static void main(String[] args) {
//在Main类中,如果想使用其他的类比如HelloSpring,则需要自己取New一个对象。
//即传统的开发方法,需要自己进行创建对象,设置数据。这样,Main类和HelloSpring类耦合就非常高。
HelloSpring helloSpring = new HelloSpring();
helloSpring.setName("springtest");
helloSpring.hello();
}
public static void mainSpring(String[] args)
{
//创建一个IOC容器对象,具体创建的bean是怎样的对应关系,请参照下面xml文件。
ApplicationContext ctx = new ClassPathXmlApplicationContext("applicationContext.xml");
//从IOC容器中获取Bean对象实例
//用这种方法具体通过子类,还是自身创建等new对象的操作由Spring容器来管理。
//也就是说控制对象的操作不是由Main的作者,而是有Spring来完成,实现了控制反转。
//也可以说是对象创建,销毁的管理操作依赖给了Spring来实现。
HelloSpring helloSpring = (HelloSpring) ctx.getBean("helloSpring");
//3.执行方法
helloSpring.hello();
}
}
applicationContext.xml
<?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="helloSpring" class = "spring2.HelloSpring">
<property name="name" value="Spring"></property>
</bean>
</beans>
可以看到Spring实际上是起到了一个中介作用,对各Bean的创建,销毁等整个生命周期进行控制,让各个类之间的耦合关系降到最低。在配置好xml文件后,需要使用bean时,只需要取得使用即可。
Spring提供了两种类型的IoC容器实现.
BeanFactory IoC容器的基本实现,提供基本功能。Spring本身使用较多。ApplicationContext是BeanFactory的子接口,对于Spring框架的使用者来说,
几乎所有的时间都在使用ApplicationContext,而非上层接口BeanFactory。
在进行Web开发时用到的WebApplicationContext是同样的道理。
ApplicationContext代表了IoC容器,它通过xml配置文件(也可以通过注解,java代码)进行实例化,配置,装配beans。
具体的实现类在使用的时候一般用 ClassPathXmlApplicationContext 或者 FileSystemXmlApplicationContext
<完>