当前位置: 代码迷 >> 综合 >> DL(Dependency Injection) 依赖注入
  详细解决方案

DL(Dependency Injection) 依赖注入

热度:90   发布时间:2023-12-03 17:05:31.0

DL

  • 依赖注入:Dependency Injection。它是 spring 框架核心 ioc 的具体实现。
  • 为什么需要DL?
    我们的程序在编写时,通过控制反转,把对象的创建交给了 spring,但是代码中不可能出现没有依赖的情况。
    ioc 解耦只是降低他们的依赖关系,但不会消除。例如:我们的业务层仍会调用持久层的方法。
    那这种业务层和持久层的依赖关系,在使用 spring 之后,就让 spring 来维护了。
    简单的说,就是坐等框架把持久层对象传入业务层,而不用我们自己去获取。

基于XML

构造函数注入:必须为所有成员变量辅助

实现类:只使用构造函数

public class AccountServiceImpl implements IAccountService {
    private String name;private Integer age;private Date birthday;public AccountServiceImpl(String name, Integer age, Date birthday) {
    this.name = name;this.age = age;this.birthday = birthday;}@Overridepublic void saveAccount() {
    System.out.println(name+","+age+","+birthday);}
}

XML

    <!-- 构造函数注入 --><bean id="UserService" class="com.itheima.service.impl.UserServiceImpl2"><constructor-arg name="username" value="张三"></constructor-arg><constructor-arg name="id" value="1"></constructor-arg><constructor-arg name="birthday" ref="Date"></constructor-arg></bean>

set 方法注入:不需要为所有成员变量赋值

实现类:只是用setter方法

public class UserServiceImpl3 implements UserService {
    private int id;private String username;private Date birthday;public void setId(int id) {
    this.id = id;}public void setUsername(String username) {
    this.username = username;}public void setBirthday(Date birthday) {
    this.birthday = birthday;}public void saveUser() {
    System.out.println( "id:" + id +" " +"username:"+ username +" "+"birthday:" + birthday);}
}

XML

<bean id="UserService" class="com.itheima.service.impl.UserServiceImpl3"><property name="username" value="李四"></property></bean>
注入List 集合

实例化对象

public class UserServiceImpl4 implements UserService {
    private List<String> list;private Map<String,String> map;public void setList(List<String> list) {
    this.list = list;}public void setMap(Map<String, String> map) {
    this.map = map;}public void saveUser() {
    }
}

XML

<bean id="UserService" class="com.itheima.service.impl.UserServiceImpl4"><property name="list"><list><value>AAA</value><value>BBB</value><value>CCC</value></list></property><property name="map"><map><entry key="1" value="AAA"></entry><entry key="2" value="BBB"></entry><entry key="3" value="CCC"></entry></map></property></bean>
  相关解决方案