今天我们来测试Bean实例化的时机
Person类的定义
public class Person {
public Person(){
//打印输出,方便看到方法调用
System.out.println("无参构造被调用.");
}
}
application.xml
<?xml version="1.0" encoding="UTF-8"?>
<beans xmlns="http://www.springframework.org/schema/beans"
xmlns:context="http://www.springframework.org/schema/context"
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
http://www.springframework.org/schema/context http://www.springframework.org/schema/context/spring-context.xsd
">
<!--Person的Bean配置,默认调用无参构造实例化对象-->
<bean id="ps" class="com.hikn.entity.Person">
</bean>
</beans>
测试文件:
public class SpringTest {
public static void main(String[] args) {
BeanFactory context =
new ClassPathXmlApplicationContext("bean.xml");
//Person ps = context.getBean("ps", Person.class);
}
}
运行结果如下:
可以看到我们只是执行了**BeanFactory context =new ClassPathXmlApplicationContext(“bean.xml”);这句代码Person类的无参构造方法已经被调用了,可以得知ApplicationContext在初始化应⽤上下⽂的时候就实例化所有单实例的Bean
当我们在application.xml文件定义另外一个依赖于Person类的Bean时,如:Student类的一个集合的其中一个元素为Person类型,我们就得使用
<bean id="stu" class="com.hikn.entity.Student">
<property name="name" value="小黄"/>
<property name="age" value="19"/>
<property name="money" value="19000.8"/>
<property name="food">
<array>
<value>haochide</value>
<value>food...</value>
</array>
</property>
<property name="nickName">
<list>
<value>jundy</value>
<value>huang</value>
<ref bean="ps"/>
<value>hikn</value>
</list>
</property>
</bean>
此时我们再次执行原来的测试文件,结果如下:
Person类的无参构造方法执行了两次,这里要注意的是,尽管执行了两次,但只有一个Person对象,因为SpringBean默认是单例的
当我们在application.xml中的Bean属性加上lazy-init="true"时,再次执行测试文件,控制台空空如也,这是因为我们设置了懒加载,只有在获得bean(getBean()方法)的时候并且这个bean不被其他bean所依赖才会实例化对应的Bean
<bean id="ps" class="com.hikn.entity.Person" lazy-init="true" >
</bean>
获得Bean
public class SpringTest {
public static void main(String[] args) {
BeanFactory context =
new ClassPathXmlApplicationContext("bean.xml");
//获得对应Bean
Person ps = context.getBean("ps", Person.class);
}
}