我有一堆Spring bean,它们是通过注释从类路径中获取的,例如。
@Repository("personDao")
public class PersonDaoImpl extends AbstractDaoImpl implements PersonDao {
// Implementation omitted
}
在Spring XML文件中,定义了一个PropertyPlaceholderConfigurer:
<bean id="propertyConfigurer"
class="org.springframework.beans.factory.config.PropertyPlaceholderConfigurer">
<property name="location" value="/WEB-INF/app.properties" />
</bean>
我想将app. properties中的一个属性注入到上面所示的bean中。我不能简单地做一些
<bean class="com.example.PersonDaoImpl">
<property name="maxResults" value="${results.max}"/>
</bean>
因为PersonDaoImpl没有出现在Spring XML文件中(它是通过注释从类路径中获取的)。我已经了解到以下内容:
@Repository("personDao")
public class PersonDaoImpl extends AbstractDaoImpl implements PersonDao {
@Resource(name = "propertyConfigurer")
protected void setProperties(PropertyPlaceholderConfigurer ppc) {
// Now how do I access results.max?
}
}
但我不清楚我如何从ppc访问我感兴趣的财产?
我需要有两个属性文件,一个用于生产,一个用于开发(将不会部署)。
要同时拥有一个可以自动连接的属性Bean和一个PropertyConfigurer,你可以这样写:
<bean id="appProperties" class="org.springframework.beans.factory.config.PropertiesFactoryBean">
<property name="singleton" value="true" />
<property name="ignoreResourceNotFound" value="true" />
<property name="locations">
<list>
<value>classpath:live.properties</value>
<value>classpath:development.properties</value>
</list>
</property>
</bean>
并在propertyconfigururer中引用Properties Bean
<bean id="propertyConfigurer" class="org.springframework.beans.factory.config.PropertyPlaceholderConfigurer">
<property name="properties" ref="appProperties" />
</bean>
您可以在Spring 3中使用EL支持来实现这一点。例子:
@Value("#{systemProperties.databaseName}")
public void setDatabaseName(String dbName) { ... }
@Value("#{strategyBean.databaseKeyGenerator}")
public void setKeyGenerator(KeyGenerator kg) { ... }
systemProperties是一个隐式对象,strategyBean是一个bean名称。
再举一个例子,当您想从Properties对象中获取属性时,它可以工作。它还显示了你可以对字段应用@Value:
@Value("#{myProperties['github.oauth.clientId']}")
private String githubOauthClientId;
这是我写的一篇关于这方面的博客文章,以获得更多信息。