Spring(07)——单例注入多例之lookup-method
7 单例注入多例之lookup-method
Spring
有一种机制,可以动态的实现或重写bean
容器中指定bean
的指定方法,然后将返回值指定为bean
容器中的另一个bean
。现针对前文提到的单例bean
需注入多例bean
的应用场景来谈谈如何使用这种机制。先假设我们有一个单例beanA
需注入一个多例BeanB
类型的bean
,那么我们可以这样来做。
1、在beanA
对应的类中定义一个方法用来获取BeanB
,有这么一个方法就行,可以是空实现,到时候将由Spring
来为我们重写或实现,然后返回一个BeanB
类型的bean
。为此,可以将我们的BeanA
如下定义:
public class BeanA {
/**
* 需要使用到BeanB的方法
*/
public void doSomething() {
BeanB beanB = this.getBeanB();
System.out.println(beanB);
//...
}
/**
* 定义一个返回值为BeanB的方法,用来获取BeanB类型的bean,该方法将由Spring来重写。
* @return
*/
public BeanB getBeanB() {
return null;
}
}
2、在ApplicationContext
中定义一个单例beanA
和一个多例beanB
,同时通过lookup-method
元素指定beanA
的getBeanB
方法将会被Spring
重写并返回bean
容器中的beanB
。
<bean id="beanB" class="com.app.BeanB" scope="prototype"/>
<bean id="beanA" class="com.app.BeanA">
<!-- 表示将由Spring重写getBeanB()方法,并返回名为beanB的bean -->
<lookup-method name="getBeanB" bean="beanB"/>
</bean>
经过以上两步以后每次在调度beanA
的getBeanB()
方法时,Spring
都重新从bean
容器中获取一个beanB
,因为beanB
定义为多例形式,所以每次都会获取一个全新的BeanB
对象。
在给一个bean
指定了lookup-method
后,Spring
将通过CGLIB
动态的生成一个该bean
对应类型的子类,然后在该子类中实现或重写lookup-method
元素指定的方法,并从bean
容器中获取lookup-method
元素指定的bean
作为返回值进行返回。当bean
指定的类型是一个抽象类且lookup-method
指定的方法是一个抽象方法时,Spring
就将实现该抽象方法,否则就是重写。定义了lookup-method
的bean
真正的类型是Spring
动态生成类的类型,但是它可以被当做bean
本身指定的类型使用,因为动态生成的类就是继承自bean
本身指定的类型的。
由于Spring
是需要动态生成类来重写或实现指定的方法的,所以我们必须确保由lookup-method
指定的方法是可以被重写的,这就要求该方法对子类是可访问的,而且不能是final
型的。具体来讲lookup-method
元素指定的方法需要具有如下形式:
<public|protected> [abstract] <return-type> methodName(no-arguments)
如你所见,lookup-method
指定的方法还不能有参数。
(注:本文是基于Spring4.1.0所写)
上一篇: 草包
下一篇: 3.从print到I/O