如何将属性值注入使用注释配置的Spring Bean中?

2022-08-31 05:06:30

我有一堆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.properites 中的一个属性注入到上面显示的 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


答案 1

您可以在 Spring 3 中使用 EL 支持执行此操作。例:

@Value("#{systemProperties.databaseName}")
public void setDatabaseName(String dbName) { ... }

@Value("#{strategyBean.databaseKeyGenerator}")
public void setKeyGenerator(KeyGenerator kg) { ... }

systemProperties是一个隐式对象,并且是一个 Bean 名称。strategyBean

另一个示例,当您想要从对象中获取属性时,该示例有效。它还显示您可以应用于字段:Properties@Value

@Value("#{myProperties['github.oauth.clientId']}")
private String githubOauthClientId;

这是我写的一篇关于此的博客文章,以获取更多信息。


答案 2

就个人而言,我喜欢Spring 3.0中的这种新方式:

private @Value("${propertyName}") String propertyField;

没有获取者或二传手!

通过配置加载属性:

<bean class="org.springframework.beans.factory.config.PropertyPlaceholderConfigurer"
      p:location="classpath:propertyFile.properties" name="propertiesBean"/>

为了进一步提高我的喜悦,我甚至可以控制单击IntelliJ中的EL表达式,它将我带到属性定义!

还有完全非xml版本

@PropertySource("classpath:propertyFile.properties")
public class AppConfig {

    @Bean
    public static PropertySourcesPlaceholderConfigurer propertySourcesPlaceholderConfigurer() {
        return new PropertySourcesPlaceholderConfigurer();
    }

推荐