spring IOC容器的Bean管理XML自動裝配過程

什麼是自動裝配?

在之前的內容中,每給屬性註入值都要一個個的用 property 標簽來完成,比如:

<bean id="book" class="com.pingguo.spring5.collectiontype.Book" scope="prototype">
        <property name="list" ref="bookList"></property>
    </bean>

這就是手動裝配。

而自動裝配中,spring 會根據指定裝配規則(屬性名稱或者屬性類型) 來自動的將匹配的屬性值進行註入。

自動裝配過程

1. 創建 2 個類

分別是部門類 Department 和員工類 Employee 。

package com.pingguo.spring5.autowire;
public class Department {
    @Override
    public String toString() {
        return "Department{}";
    }
}

員工類有個 部門的屬性,表示員工所屬的一個部門。其他方法是為瞭後續方便演示輸出。

package com.pingguo.spring5.autowire;
public class Employee {
    private Department department;
    public void setDepartment(Department department) {
        this.department = department;
    }
    @Override
    public String toString() {
        return "Employee{" +
                "department=" + department +
                '}';
    }
    public void test() {
        System.out.println(department);
    }
}

2. 配置文件

<?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="employee" class="com.pingguo.spring5.autowire.Employee">
        <property name="department" ref="department"></property>
    </bean>
    <bean id="department" class="com.pingguo.spring5.autowire.Department"></bean>
</beans>

3. 測試方法

@Test
    public void test5() {
        ApplicationContext context =
                new ClassPathXmlApplicationContext("bean5.xml");
        Employee employee = context.getBean("employee", Employee.class);
        System.out.println(employee);
    }

運行結果:

Employee{department=Department{}}
Process finished with exit code 0

ok,到這裡,其實就是手動裝配的過程。

實現自動裝配,在配置文件裡,通過 bean 標簽裡的屬性 autowire 來配置:

  • autowire="byName":根據屬性名稱自動註入。
  • autowire="byType":根據屬性類型自動註入。

1)byName 演示

註入值的bean的 id 值和類屬性名稱一致,比如:

修改配置文件,加上 autowire="byName",然後註釋掉 property。

<bean id="employee" class="com.pingguo.spring5.autowire.Employee" autowire="byName">
        <!--<property name="department" ref="department"></property>-->
    </bean>
    <bean id="department" class="com.pingguo.spring5.autowire.Department"></bean>

執行測試函數:

Employee{department=Department{}}
Process finished with exit code 0

跟使用 property 手動裝配結果一致。

2)byType 演示

要註入值的 bean 的類型與 屬性裡的一致,比如:

現在繼續修改配置文件,加上 autowire="byType",然後註釋掉 property。

<bean id="employee" class="com.pingguo.spring5.autowire.Employee" autowire="byType">
        <!--<property name="department" ref="department"></property>-->
    </bean>
    <bean id="department" class="com.pingguo.spring5.autowire.Department"></bean>

再次執行測試:

Employee{department=Department{}}
Process finished with exit code 0

跟使用 property 手動裝配結果一致。

不過,用 xml 方式使用自動裝配實際中是很少的,一般是以註解的方式,後續會學習到。

以上就是spring IOC容器的Bean管理XML自動裝配過程的詳細內容,更多關於spring IOC Bean管理XML裝配的資料請關註WalkonNet其它相關文章!

推薦閱讀: