4

我必须根据动态构造函数值创建一个需要缓存的 bean。示例:我需要一个 OrganizationResource bean,其中“x”(构造函数值)组织将具有自己的特定实例值,而“y”(构造函数值)将具有不同的值。但我不想为每个 x 值创建一个新对象,我希望它被缓存。

我知道动态构造函数值有 2 个作用域,单例和原型。我打算使用原型,但似乎每次都会创建一个新对象,如何在spring中基于构造函数值实现缓存?

4

1 回答 1

2

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().

于 2013-02-01T12:28:49.643 回答