Spring 支持五种自动装配模式。
byName模式: 当使用 byName模式进行自动装配时, Spring会尝试将每个属性连接到同名的 bean。因此, 如果目标bean具有名为 foo的属性并且在 ApplicationContext中定义了 foo bean, 那么 foo bean将被分配给目标bean的foo属性。
byType模式:当使用 byType进行自动装配时, Spring通过在 ApplicationContext中自动使用相同类型的 bean 来尝试连接目标 bean模式的每个属性。
构造函数模式: 该模式与byType模式在功能上是相同的, 只不过使用的是构造函数而不是setter来执行注入。 Spring试图匹配构造函数中最大数量的参数。所以,如果 bean有两个构造函数,一个接收一个 String, 另一个接收一个 String和一个 Integer,并且 ApplicationContext中有一个 String和一个 Integer bean,那么 Spring 将使用带有两个参数的构造函数。
默认模式: Spting将自动在构造函数模式和byType模式之间进行选择。如果bean有一个默认的(无参数)构造函数,那么 Spring使用 byTyp模式;否则, 就使用构造函数模式。
无: 这是默认设置。
package com.apress.prospring5.ch3.xml;
public class Bar {
}
package com.apress.prospring5.ch3.xml;
public class Foo {
}
package com.apress.prospring5.ch3.xml;
import org.springframework.context.support.GenericXmlApplicationContext;
public class Target {
private Foo fooOne;
private Foo fooTwo;
private Bar bar;
public Target() {
}
public Target(Foo foo) {
System.out.println("Target(Foo) called");
}
public Target(Foo foo, Bar bar) {
System.out.println("Target(Foo, Bar) called");
}
public void setFooOne(Foo fooOne) {
this.fooOne = fooOne;
System.out.println("Property fooOne set");
}
public void setFooTwo(Foo foo) {
this.fooTwo = foo;
System.out.println("Property fooTwo set");
}
public void setBar(Bar bar) {
this.bar = bar;
System.out.println("Property bar set");
}
public static void main(String... args) {
GenericXmlApplicationContext ctx = new GenericXmlApplicationContext();
ctx.load("classpath:spring/app-context-03.xml");
ctx.refresh();
Target t = null;
System.out.println("Using byName:\n");
t = (Target) ctx.getBean("targetByName");
System.out.println("\nUsing byType:\n");
t = (Target) ctx.getBean("targetByType");
System.out.println("\nUsing constructor:\n");
t = (Target) ctx.getBean("targetConstructor");
ctx.close();
}
}
<?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="fooOne" class="com.apress.prospring5.ch3.xml.Foo"/>
<bean id="barOne" class="com.apress.prospring5.ch3.xml.Bar"/>
<bean id="targetByName" autowire="byName" class="com.apress.prospring5.ch3.xml.Target"
lazy-init="true"/>
<bean id="targetByType" autowire="byType" class="com.apress.prospring5.ch3.xml.Target"
lazy-init="true"/>
<bean id="targetConstructor" autowire="constructor"
class="com.apress.prospring5.ch3.xml.Target" lazy-init="true"/>
</beans>
执行结果
Using byName:
Property fooOne set
Using byType:
Property bar set
Property fooOne set
Property fooTwo set
Using constructor:
Target(Foo, Bar) called
从输出结果可以看出,当使用 byType模式时, Spring设置所有三个属性的值。fooOne和 fooTwo属性 由 fooOnebean 设置,而bar属性由barOnebean设置
网友评论