bean 实例化
两种 方式 .
1构造器实例化
2实现FactoryBean 接口实例化
1、构造器实例化
一般使用无参构造器,最标准,也使用最多。
1.1、编写类
package cn.wolfcode._02_ioc;
public class Cat1 {
public Cat1() {
System.out.println("Cat1 对象被创建了");
} }
1.2、编写配置文件
在 resources 目录下新建 02.ioc.xml,配置如下:
<bean id="cat1" class="cn.wolfcode._02_ioc.Cat1"/>
1.3****、编写测试类
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration("classpath:02.ioc.xml")
public class Cat1Test {
@Autowired
private Cat1 cat1;
@Test
public void test() {
System.out.println(cat1);
}
}
2、实现 FactoryBean 接口实例化
2.1、编写类
package cn.wolfcode._02_ioc;
public class Cat2 {
public Cat2() {
System.out.println("Cat2 对象被创建了");
} }
package cn.wolfcode._02_ioc;
// 实列工厂类
public class Cat2FactoryBean implements FactoryBean<Cat2> {
// 创建对象的方法,给 Spring 用, 创建对象的时候使用
@Override
public Cat2 getObject() throws Exception {
Cat2 cat2 = new Cat2();
return cat2;
}
// 判断类型用的方法,给 Spring 用
@Override
public Class<?> getObjectType() {
return Cat2.class;
}
}
2.2、编写配置文件
<bean id="cat2" class="cn.wolfcode._02_ioc.Cat2FactoryBean"/>
2.3、编写测试类
@RunWith(SpringJUnit4ClassRunner.class)
@ContextConfiguration("classpath:02.ioc.xml")
public class Cat2Test {
@Autowired
private Cat2 cat2;
@Test
public void test() {
System.out.println(cat2);
}
}
2.4****、配置解释及应用
因为 Spring 在对bean 元素解析创建对象的时候,还是先创建这个工厂对象;但发现这个类实现了
FactoryBean 这接口,就会再调用工厂对象的 getObject() 方法创建 bean 对象,把这个 bean 对象存
在容器中。总结一句配置类发现类名是以 FactoryBean 结尾的话,注意到底是创建什么类型的对象存
在容器中。
这种方式与其他框架整合的时候用的比较多,如集成 MyBatis 框架使用,就会配置
org.mybatis.spring.SqlSessionFactoryBean。也可以是工厂对象注入属性,为后面整合框架作铺垫。
注意注意 : 它是 调用 工厂对象的 getObject() 方法创建 bean 对象,把这个 bean 对象存
在容器中。
bean 作用域
1.啥是 作用域 ? ? ? 答 : 在 Spring 容器中是指其创建的 bean 对象相对于其他 bean 对象的请求可见范围。
2、分类
singleton:单例 ,在 Spring IoC 容器中仅存在一个 bean 实例 (缺省默认的 scope)。
prototype:多例 ,每次从容器中调用 Bean 时,都返回一个新的实例,即每次调用 getBean() 时
,相当于执行 new XxxBean():不会在容器启动时创建对象。
request:用于 web 开发,将 Bean 放入 request 范围,request.setAttribute("xxx") , 在同一个
request 获得同一个 Bean。
session:用于 web 开发,将 Bean 放入 Session 范围,在同一个 Session 获得同一个 Bean。
application:Scopes a single bean definition to the lifecycle of a ServletContext. Only valid in
the context of a web-aware Spring ApplicationContext。
websocket:Scopes a single bean definition to the lifecycle of a WebSocket. Only valid in the
context of a web-aware Spring ApplicationContext。
3、配置
<bean id="" class="" scope="作用域"/>
默认不配置就是 singleton,注意当 scope 是 prototype 时容器启动不会创建该 bean。
4、使用总结
实际开发中 , 一般用 sigleton , 也就是使用默认配置 . 所以呢 , 一般 咱不配 . (额, 这里是废话了)
bean 初始化和销毁
一般 , 可能在 DataSource,SqlSessionFactory 这里会用到. 不过 也是 直接在 Spring 配置上会用到 .
注意:
只有正常关闭容器,才会执行 bean 的配置的 destroy-method 方法。
bean 的 scope 为 prototype 的,那么容器只负责创建和初始化,它并不会被 Spring 容器管理
(不需要存起来),交给用户自己处理。即 bean 作用域为 prototype 的即使配置了 destroy�
method 也不会被调用。
网友评论