Spring Boot - inject map from application.yml

2022-08-31 09:13:07

我有一个具有以下内容的Spring Boot应用程序 - 基本上从这里开始:application.yml

info:
   build:
      artifact: ${project.artifactId}
      name: ${project.name}
      description: ${project.description}
      version: ${project.version}

我可以注入特定的值,例如

@Value("${info.build.artifact}") String value

但是,我想注入整个地图,即类似如下的内容:

@Value("${info}") Map<String, Object> info

这(或类似的东西)可能吗?显然,我可以直接加载yaml,但想知道Spring是否已经支持了某些内容。


答案 1

下面的解决方案是@Andy Wilkinson解决方案的简写,除了它不必使用单独的类或带注释的方法。@Bean

application.yml:

input:
  name: raja
  age: 12
  somedata:
    abcd: 1 
    bcbd: 2
    cdbd: 3

一些组件.java:

@Component
@EnableConfigurationProperties
@ConfigurationProperties(prefix = "input")
class SomeComponent {

    @Value("${input.name}")
    private String name;

    @Value("${input.age}")
    private Integer age;

    private HashMap<String, Integer> somedata;

    public HashMap<String, Integer> getSomedata() {
        return somedata;
    }

    public void setSomedata(HashMap<String, Integer> somedata) {
        this.somedata = somedata;
    }

}

我们可以俱乐部注释和,没有问题。但是,getters和setters很重要,并且必须有工作。@Value@ConfigurationProperties@EnableConfigurationProperties@ConfigurationProperties

我从@Szymon Stepniak提供的时髦解决方案中尝试了这个想法,认为它对某人有用。


答案 2

您可以使用以下命令注入地图:@ConfigurationProperties

import java.util.HashMap;
import java.util.Map;

import org.springframework.boot.SpringApplication;
import org.springframework.boot.autoconfigure.EnableAutoConfiguration;
import org.springframework.boot.context.properties.ConfigurationProperties;
import org.springframework.boot.context.properties.EnableConfigurationProperties;
import org.springframework.context.annotation.Bean;
import org.springframework.context.annotation.Configuration;

@Configuration
@EnableAutoConfiguration
@EnableConfigurationProperties
public class MapBindingSample {

    public static void main(String[] args) throws Exception {
        System.out.println(SpringApplication.run(MapBindingSample.class, args)
                .getBean(Test.class).getInfo());
    }

    @Bean
    @ConfigurationProperties
    public Test test() {
        return new Test();
    }

    public static class Test {

        private Map<String, Object> info = new HashMap<String, Object>();

        public Map<String, Object> getInfo() {
            return this.info;
        }
    }
}

在问题中使用 yaml 运行此命令会产生:

{build={artifact=${project.artifactId}, version=${project.version}, name=${project.name}, description=${project.description}}}

有各种选项可用于设置前缀,控制如何处理缺少的属性等。有关详细信息,请参阅 javadoc


推荐