Spring属性文件读取扩展

问题背景

最近在改造一个老的系统,应用配置放文件跟代码放在一起,构建编译时通过maven的profile功能针对不同的环境,比如测试(test),预发(pre)和线上(online)打不同的二进制war包,为实施构建与部署分离、代码与配置分离,按照最流行软件开发做法是引入配置中心 把配置项迁移到配置中心。 看了预发和线上环境配置,大部分配置项都相同,只有少部分不一致,引入配置中心改造成本比较大,决定从项目中Spring 属性配置读取入手进行改造

方法

通过继承Spring的org.springframework.beans.factory.config.PropertyPlaceholderConfigurer类,按照不同运行时环境读取不同的配置项
比如数据库配置文件db.properties 配置项jdbc.url=mysql://127.0.0.1:3306/yourdb ,如果当前运行环境时online则优先读取配置项online.jdbc.url 如果online.jdbc.url配置项不存在,再读取jdb.url

属性读取扩展类实现如下:

import org.apache.commons.lang3.StringUtils;
import org.springframework.beans.factory.config.PropertyPlaceholderConfigurer;

import java.io.IOException;
import java.util.Map;
import java.util.Properties;
import java.util.Set;

public class EnvPriorityPropertyPlaceholderConfigurer  extends PropertyPlaceholderConfigurer {

    //是否开启环境优先
    private  boolean  enableEnvPriority = false;


    // 缓存所有的属性配置
    private Properties properties;

    public Properties getProperties() {
        return properties;
    }

    @Override
    public void setProperties(Properties properties) {
        this.properties = properties;
    }

    public boolean isEnableEnvPriority() {
        return enableEnvPriority;
    }

    public void setEnableEnvPriority(boolean enableEnvPriority) {
        this.enableEnvPriority = enableEnvPriority;
    }


    protected Properties mergeProperties() throws IOException {
        Properties mergeProperties = super.mergeProperties();
        if(!enableEnvPriority){
            return mergeProperties;
        }
        else {
            this.properties = new Properties();
            Map envMap = System.getenv();
            String envProfile = envMap.get(EnvConstant.ENV_PROFILE);

            //读取不到该环境变量 不做处理
            if(StringUtils.isEmpty(envProfile)){
                return mergeProperties;
            }

            Set> es = mergeProperties.entrySet();
            for (Map.Entry entry : es) {
                String key = (String) entry.getKey();
                String envKey = envProfile+"."+key;
                if(mergeProperties.containsKey(envKey)){
                    mergeProperties.put(key,mergeProperties.getProperty(envKey));
                }
            }
            return mergeProperties;
        }
    }
}

Spring配置如下

    

    
        
    

应用启动时通过增加参数 说明运行环境

-DENV_PROFILE=online

这样jdbcUrl会优先读取online.jdb.url 实现了按照不同运行时环境读取属性文件扩展

你可能感兴趣的:(Spring属性文件读取扩展)