目录
一:DI入门案例实现思路分析
1.要想实现依赖注入,必须要基于 IOC 管理 Bean
2.Service 中使用 new 形式创建的 Dao 对象是否保留 ?
3.Service 中需要的 Dao 对象如何进入到 Service 中 ?
4.Service 与 Dao 间的关系如何描述 ?
二:DI入门案例代码实现
1. 删除业务层中使用 new 的方式创建的 dao 对象
2. 在业务层提供BookDao对应的setter方法
3. 在配置文件中添加依赖注入的配置
一:DI入门案例实现思路分析
1.要想实现依赖注入,必须要基于 IOC 管理 Bean
2.Service 中使用 new 形式创建的 Dao 对象是否保留 ?
不能保留,如果保留的话,那么耦合度肯定是偏高的,谈不上充分解耦的目标
3.Service 中需要的 Dao 对象如何进入到 Service 中 ?
在Service 中提供方法,让 Spring 的 IOC 容器可以通过该方法传入 bean 对象
4.Service 与 Dao 间的关系如何描述 ?
用配置文件的相关属性配置来告知Spring
二:DI入门案例代码实现
目标 : 基于上节的 IOC 入门案例为基础,在 BookServiceImpl 类中删除 new 对象的方式,使用 Spring 的 DI 完成Dao 层的注入
1. 删除业务层中使用 new 的方式创建的 dao 对象
public class BookServiceImpl implements BookService {
//删除业务层中使用new的方式创建的dao对象
private BookDao bookDao ;
public void save () {
System.out.println ("book service save ...");
bookDao.save();
}
}
2. 在业务层提供BookDao对应的setter方法
public class BookServiceImpl implements BookService {
// 删除业务层中使用 new 的方式创建的 dao 对象
private BookDao bookDao ;
public void save () {
System.out.println ("book service save ...");
bookDao.save ();
}
// 提供对应的set方法
public void setBookDao (BookDao bookDao) {
this.bookDao = bookDao ;
}
}
3. 在配置文件中添加依赖注入的配置
<?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 标签标示配置 bean
id 属性标示给 bean 起名字
class 属性表示给 bean 定义类型
-->
<!--1.导入Spring的坐标spring-context,对应的版本号为5.2.10.RELEASE-->
<!---2.配置对应的bean->
<bean id = "bookDao" class ="com.itheima.dao.impl.BookDaoImpl"/>
<bean id = "bookService" class ="com.itheima.service.impl.BookServiceImpl">
<!--3.配置 service与dao 的关系 -->
<!--property标签表示配置当前bean的属性
name属性表示配置哪一个具体的属性
ref属性表示参照哪一个 bean
-->
<property name= "bookDao" ref="bookDao" />
</bean>
</beans>
注意 : 配置中的两个 bookDao 的含义是不一样的
- name="bookDao" 中 bookDao 的作用是让 Spring 的 IOC 容器在获取到名称后,将首字母大写,前 面加 set 找对应的 setBookDao() 方法进行对象注入
- ref="bookDao" 中 bookDao 的作用是让 Spring 能在 IOC 容器中找到 id 为 bookDao 的Bean 对象给bookService 进行注入