1

我有一个大型 Spring Web 应用程序,可以追溯到几年前。我需要将其更新为 Spring Boot(企业要求)。我的进展顺利 - 它开始了(!),尽管注入的属性存在一些问题,这会导致应用程序失败。

具体来说,每个配置文件有三个巨大的配置文件,例如qa_config.properties, 。目前我只关心,我已将其重命名为 Spring Boot 的首选名称,和qa_ehcache.xmlqa_monitoring.propertiesqa_config.propertiesapplication-qa.propertiesapplication-qa_monitoring.properties

该应用程序有许多用@Named(来自 javax.ws.rs-api )注释的类,它们很早就加载了 - 太早了,我需要在构造函数中注入属性:

package com.domain.app;

import org.springframework.beans.factory.annotation.Value;

import javax.inject.Named;

@Named
public class Foo {

    // Cant use @Value here, it is not yet in the context
    protected String bar; // lives in application-qa.properties
    protected String qux; // lives in application-qa_monitoring.properties

    public Foo(@Value("${application.property.named.bar}") String bar,
        @Value("${monitoring.property.named.qux}") String qux) {

        this.bar = bar;
        this.qux = qux;

        doSomeWork();

    }
}

属性文件:

#application-qa.properties
application.property.named.bar=something

#application-qa_monitoring.properties
monitoring.property.named.qux=another_thing

我的问题:我希望在加载类之前尽快将两者都放在上下文application-qa.propertiesapplication-qa_monitoring.properties@Named

为了实现这一点,我正在运行具有活动配置文件的应用程序qa,它成功地将该组属性添加到上下文中。

我将此行添加到application.properties文件中,以确保加载其他属性:

spring.profiles.include=${spring.profiles.active}_monitoring.properties

当我运行 Spring Boot 应用程序时,输出告诉我

The following profiles are active: qa_monitoring.properties,qa

调试Foo类时, 的值bar是正确的

但是, 的值为qux空。

我是否遗漏了有关加载属性文件的顺序的信息?我原以为输入的includeapplication.properties足以在很早的时候“压平”这两个文件,如果一个在上下文中,那么两个文件都应该可用吗?

相反,我可以做的只是将两个属性文件中的所有变量合二为一,application-qa.properties但如果可能的话,我希望将它们分开并尽可能接近原始结构。

4

2 回答 2

2

感谢 pvpkiran 和安迪布朗。

我的 application.properties 文件应该已经阅读

spring.profiles.include=${spring.profiles.active}_monitoring

即,只需添加另一个profile,在这种情况下qa_monitoring- Spring 自动添加application-前缀和.properties suffix

于 2018-03-28T07:18:19.820 回答
0

您遇到的问题是因为您在 qux 值的 @Value 注释中使用文字值而不是查找键。

代替

    public Foo(@Value("${application.property.named.bar}") String bar,
    @Value("monitoring.property.named.qux") String qux) {

    public Foo(@Value("${application.property.named.bar}") String bar,
    @Value("${monitoring.property.named.qux}") String qux) {

它应该工作。

于 2018-03-27T13:58:35.787 回答