Spring框架---Bean的自动装配


SpringIOC容器可以自动装配Bean,需要做的仅仅是在的autowrite属性里指定自动装配模式。

byType(根据类型自动装配):若在IOC容器中有多个目标Bean类型一致的Bean,在这种情况下,Spring将无法判断哪个Bean最合适该属性,所以不能执行自动装配;
byName:(根据名称自动装配):必须将目标Bean的名称和属性名设置的完全相同。

constructor(通过构造器自动装配):当Bean中存在多个构造器时,此种自动装配方式将会很复杂 不推荐使用!


XML配置里的Bean自动装配的缺点:
在Bean配置文件里设置autowire属性进行自动装配将会装配在Bean的所有属性,然而,若只希望装配个别属性时,autowire属性就不够灵活了
autowire属性要么根据类型进行自动装配,要么根据名字自动装配 二者不可以兼而有之
一般情况下,在实际的项目中很少使用自动装配因为和自动装配功能所带来的好处比起来,明确清晰地配置文档更有说服力

下面是代码的测试  开始测试之前需要三个类 和一个测试类

package com.imooc.spring.spring_day01;


public class Adress {
private String city;
private String stree;
public String getCity() {
return city;
}
public void setCity(String city) {
this.city = city;
}
public String getStree() {
return stree;
}
public void setStree(String stree) {
this.stree = stree;
}
@Override
public String toString() {
return "Adress [city=" + city + ", stree=" + stree + "]";
}

}

package com.imooc.spring.spring_day01;


public class CarAutowire {
private String brand;
private double price;
public String getBrand() {
return brand;
}
public void setBrand(String brand) {
this.brand = brand;
}
public double getPrice() {
return price;
}
public void setPrice(double price) {
this.price = price;
}
}

package com.imooc.spring.spring_day01;


public class PersonAutowire {
private String name;
private CarAutowire car;
private Adress adress;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
}
public CarAutowire getCar() {
return car;
}
public void setCar(CarAutowire car) {
this.car = car;
}
public Adress getAdress() {
return adress;
}
public void setAdress(Adress adress) {
this.adress = adress;
}
@Override
public String toString() {
return "PersonAutowire [name=" + name + ", car=" + car + ", adress=" + adress + "]";
}

}

//测试类

@Test
public void test01() {
ApplicationContext context = new 
ClassPathXmlApplicationContext("applicationAutowire.xml");
PersonAutowire person = (PersonAutowire) context.getBean("person");
System.out.println(person);
}

//配置文件


xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xmlns:p="http://www.springframework.org/schema/p"
xsi:schemaLocation="http://www.springframework.org/schema/beans http://www.springframework.org/schema/beans/spring-beans.xsd">

p:city="BeiJing" p:stree="海淀区">

p:brand="BaoMa"  p:price="30000">


p:name="Tom" autowire="byType">

你可能感兴趣的:(java基础)