可以通过属性文件设置Spring活动配置文件吗?

时间:2015-08-12 22:58:53

标签: spring spring-mvc spring-profiles spring-properties

我希望能够从属性文件中读取活动配置文件,以便可以在基于Spring MVC的Web应用程序中使用不同的配置文件配置不同的环境(dev,prod等)。我知道可以通过JVM参数或系统属性设置活动配置文件。但我想通过属性文件来代替。关键是我不静态地知道活动配置文件,而是想从属性文件中读取它。看起来这是不可能的。例如,如果我在application.properties中有'spring.profiles.active = dev',并允许在override.properties中覆盖它,如下所示:

<bean id="propertyConfigurer" class="org.springframework.beans.factory.config.PropertyPlaceholderConfigurer">
    <property name="ignoreResourceNotFound" value="true" />
    <property name="locations">
        <list>
            <value>classpath:/application.properties</value>
            <value>file:/overrides.properties</value>
        </list>
    </property>
</bean> 

未在环境中拾取配置文件。我想这是因为在bean初始化之前正在检查活动的配置文件,因此不尊重在属性文件中设置的属性。我看到的唯一其他选项是实现一个ApplicationContextInitializer,它将按优先级顺序加载这些属性文件(如果存在则覆盖首先是override.properties,否则是application.properties)并在context.getEnvironment()中设置值。有没有更好的方法从属性文件中执行此操作?

1 个答案:

答案 0 :(得分:3)

这样做的一个解决方案是“手动”读取具有指定配置文件的必要属性文件 - 没有弹簧 - 并在上下文初始化时设置配置文件:

1)编写简单的属性加载器:

import java.io.FileReader;
import java.io.IOException;
import java.io.Reader;
import java.util.Properties;

public class PropertiesLoader
{
    private static Properties props;

    public static String getActiveProfile()
    {
        if (props == null)
        {
            props = initProperties();
        }
        return props.getProperty("profile");
    }

    private static Properties initProperties()
    {
        String propertiesFile = "app.properties";
        try (Reader in = new FileReader(propertiesFile))
        {
            props = new Properties();
            props.load(in);
        }
        catch (IOException e)
        {
            System.out.println("Error while reading properties file: " + e.getMessage());
            return null;
        }
        return props;
    }
}

2)从属性文件中读取配置文件并在Spring容器初始化期间设置它(使用基于Java的配置的示例):

public static void main(String[] args)
{
    AnnotationConfigApplicationContext ctx = new AnnotationConfigApplicationContext();
    ctx.getEnvironment().setActiveProfiles(PropertiesLoader.getActiveProfile());
    ctx.register(AppConfig.class);
    ctx.refresh();

    // you application is running ...

    ctx.close();
}