java – 基于动态构造函数值的Spring bean作用域
作者:互联网
我必须根据动态构造函数值创建一个需要缓存的bean.示例:我需要一个OrganizationResource bean,其中“x”(构造函数值)组织将具有其自己的特定实例值,而“y”(构造函数值)将具有不同的值.
但我不想为每个x值创建一个新对象,我希望它被缓存.
我知道有两个范围,单例和原型,用于动态构造函数值.我打算使用原型,但似乎每次都会创建一个新对象,如何在spring中基于构造函数值实现缓存?
解决方法:
FactoryBean是一种可行的方式.这很简单,试一试.您所要做的就是创建一个实现FactoryBean的类并在bean定义文件中引用它:
package some.package;
import org.springframework.beans.factory.FactoryBean;
public class ExampleFactory implements FactoryBean {
private String type;
public Object getObject() throws Exception {
//Logic to return beans based on 'type'
}
public Class getObjectType() {
return YourBaseType.class;
}
public boolean isSingleton() {
//set false to make sure Spring will not cache instances for you.
return false;
}
public void setType(final String type) {
this.type = type;
}}
现在,在您的bean定义文件中,输入:
<bean id="cached1" class="some.package.ExampleFactory">
<property name="type" value="X" />
</bean>
<bean id="cached2" class="some.package.ExampleFactory">
<property name="type" value="Y" />
</bean>
它将根据您在ExampleFactory.getObject()中实现的策略制作对象.
标签:java,spring,factory-pattern 来源: https://codeday.me/bug/20190704/1373243.html