在本文中不会对概念性的东西进行讲解,比如什么是IOC,因此不适合初学者。目的在于对学过Spring IOC的读者能快速复习相关的内容。更多细节建议参考其他资料。
使用Maven来管理项目,并在pom.xml文件中引入Spring
<dependencies>
<dependency>
<groupId>org.springframework</groupId>
<artifactId>spring-context</artifactId>
<version>5.0.2.RELEASE</version>
</dependency>
</dependencies>
首先我们来创建我们的基础应用代码,代码组织结构如下:
IAccountDao.java
/**
* 模拟保存账户
*/
public interface IAccountDao {
void saveAccount();
}
AccountDaoImpl.java
/**
* 账户的持久层实现类
*/
public class AccountDaoImpl implements IAccountDao {
public void saveAccount(){
System.out.println("保存了账户");
}
}
编写bean.xml文件
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns:context="http://www.springframework.org/schema/context"
xsi:schemaLocation="http://www.springframework.org/schema/beans
http://www.springframework.org/schema/beans/spring-beans.xsd http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context.xsd">
<bean id="accountDao" class="com.chester.dao.impl.AccountDaoImpl"></bean>
</beans>
编写main函数
/**
* 获取Spring的Ioc核心容器,并生成Bean对象
* @param args
*/
public static void main(String[] args) {
ApplicationContext ac = new ClassPathXmlApplicationContext("bean.xml");
IAccountDao as = (IAccountDao)ac.getBean("accountDao");
as.saveAccount();
}
运行
控制台输出 “保存了账户”
以上就是一个非常简单的使用Spring来解耦合的过程,以下是其他一些细节知识
ApplicationContext接口的实现类
- ClassPathXmlApplicationContext;
它是从类的根路径下加载配置文件,也是我们上面使用的方式,同时也推荐使用这种方式。 - FileSystemXmlApplicationContext;
它是从磁盘路径上加载配置文件,配置文件可以在磁盘的任意位置 - AnnotationConfigApplicationContext;
当我们使用注释来配置容器对象时,需要使用这个类来创建Spring容器,用来读取注释。
bean标签
bean标签是用于配置对象让Spring来创建的,默认使用无参构造函数,如果没有无参构造函数将不能构建成功。关于对象的构建下面还会讲到。
属性:
- id
给对象在容器中提供一个唯一的表示,用于获取对象 - class
指定类的全限定类名。用于反射创建对象。默认情况使用无参构造函数 - scope
singleton : 单例(默认值)
prototype : 多例
request : WEB项目中,spring创建一个Bean对象,将对象存入到request域中
session : WEB项目中,spring创建一个Bean对象,将对象存入到session域中
global session : WEB项目中,应用在Portlet环境,如果没有Portlet环境那么相当于session
init-method : 指定类中初始化方法的名称
destroy-method : 指定类中销毁方法的名称
实例化bean的三种方式
- 第一种方式,默认调用无参构造函数来创建对象,如果Bean中没有无参构造函数,创建失败。
<bean id="accountDao"
class="com.chester.dao.impl.AccountDaoImpl"></bean>
- 第二种方式,spring管理静态工厂,使用静态工厂的方法创建对象
public class StaticFactory{
public static IAccountServer createAccountService(){
return new AccountSercviceImpl();
}
}
<bean id="accountService"
class="com.chester.factory.StaticFactory"
factory-method = "createAccountService"> </bean>
- 第三种方法Spring管理实例工厂,使用实例工厂的方法创建对象
public class InstanceFactory{
public IAccountServer createAccountService(){
return new AccountSercviceImpl();
}
}
<bean id="instancFactory" class="com.chester.factory.InstanceFactory"></bean>
<bean id="accountService"
factory-bean = "instancFactory"
factory-method="createAccountService"></bean>
在很多情况下耦合是无法完全消除的,我们可以交由Spring来帮我们处理这些依赖情况。或者一个bean要使用另一个bean该如何处理?这就涉及到了DI(依赖注入)的知识了,可以继续阅读:
https://blog.csdn.net/qq_39290394/article/details/95779379