Springboot加载自定义yml文件配置的方法
  1. ConfigurationProperties注解的locations属性在1.5.X以后没有了,不能指定locations来加载yml文件

    springboot 加载自定义yml文件_配置文件

  2. PropertySource注解不支持yml文件加载,详细见官方文档:

springboot 加载自定义yml文件_配置文件_02

  1. Spring Framework有两个类加载YAML文件,YamlPropertiesFactoryBean和YamlMapFactoryBean

springboot 加载自定义yml文件_自定义_03

  1. 可以通过PropertySourcePlaceholderConfigurer来加载yml文件,暴露yml文件到spring environment
/**
 * @author WGR
 * @create 2020/7/24 -- 15:31
 */
@Configuration
public class SpringBootConfigura {
    // 加载YML格式自定义配置文件
    @Bean
    public static PropertySourcesPlaceholderConfigurer properties() {
        PropertySourcesPlaceholderConfigurer configurer = new PropertySourcesPlaceholderConfigurer();
        YamlPropertiesFactoryBean yaml = new YamlPropertiesFactoryBean();
        yaml.setResources(new ClassPathResource("config.yml"));//File引入
        configurer.setProperties(yaml.getObject());
        return configurer;
    }
}

配置文件:

my:
  servers:
    - dev.example.com
    - another.example.com
    - ${random.value}
  1. 测试
@Controller
public class SpringBootTest {

    @Autowired
    Config config;

    @GetMapping("/testConfig")
    @ResponseBody
    public String testConfig(){
        return config.getServers().toString();
    }
}

springboot 加载自定义yml文件_spring_04