编程语言
首页 > 编程语言> > java-如何在Spring中使用@ConfigurationProperties加载名称值属性

java-如何在Spring中使用@ConfigurationProperties加载名称值属性

作者:互联网

我的财产文件的内容如下

config.entry[0]=X-FRAME-OPTIONS,SAMEORIGIN

config.entry[1]=Content-Security-Policy,Frame-Ancestors ‘self’

我希望将其加载到配置类中,在其中我可以将逗号分隔的值作为键,值对加载到集合中.如何在Spring 3中使用@ConfigurationProperties来实现?

Entries = config.getEntry()应该给我一个集合,以便我可以迭代并获取属性文件中定义的名称-值对的列表

for(Entry<String,String> index : config.getEntry().entryset()) {
          index.getKey(); // Should Give - X-FRAME-OPTIONS
          index.getValue(); // Should Give - SAMEORIGIN
}

我应该如何定义将以这种方式与属性文件中的值自动关联的Config类?

以下实现为属性“ entry [0]”抛出Spring异常“无法将类型[java.lang.String]的值转换为所需类型[java.util.Map]”:未找到匹配的编辑器或转换策略]

@Component
@ConfigurationProperties("config")
public class MyConfiguration {

  private Map<String,Map<String,String>> entry = new LinkedHashMap<String,Map<String,String>>();

  //getter for entry

  //setter for entry
}

解决方法:

您可以分两部分来执行此操作,首先是通过以下方式简单的@ConfigurationProperties:

@ConfigurationProperties(prefix = "config")
@Component
public class SampleConfigProperties {

    private List<String> entry;

    public List<String> getEntry() {
        return entry;
    }

    public void setEntry(List<String> entry) {
        this.entry = entry;
    }
}

这应该将您的属性干净地本地加载到SampleConfigProperties的输入字段中.接下来要执行的操作不是Spring固有的-您希望逗号分隔列表中的第一个字段成为映射中的键,这是一个自定义逻辑,您可以使用@PostConstruct逻辑以这种方式处理此逻辑,请参见我如何仍使用Spring的conversionService将逗号分隔的String转换为List< String&gt ;:

import javax.annotation.PostConstruct;
import java.util.Collection;
import java.util.HashMap;
import java.util.List;
import java.util.Map;
@ConfigurationProperties(prefix = "config")
@Component
public class SampleConfigProperties {

    @Autowired
    private ConversionService conversionService;
    private List<String> entry;

    private Map<String, String> entriesMap;


    public List<String> getEntry() {
        return entry;
    }

    public void setEntry(List<String> entry) {
        this.entry = entry;
    }

    public Map<String, String> getEntriesMap() {
        return entriesMap;
    }

    public void setEntriesMap(Map<String, String> entriesMap) {
        this.entriesMap = entriesMap;
    }

    @PostConstruct
    public void postConstruct() {
        Map<String, String> entriesMap = new HashMap<>();
        for (String anEntry: entry) {
            List<String> l = conversionService.convert(anEntry, List.class);
            entriesMap.put(l.get(0), l.get(1));
        }
        this.entriesMap = entriesMap;
    }

}

标签:configuration-files,spring,java
来源: https://codeday.me/bug/20191120/2043749.html