在Java Spring Boot中从XML加载属性的正确方法

问题描述 投票:0回答:1

我有XML文件,其中存储有国家/地区。每个国家/地区元素都具有区域,子区域,国家/地区代码等属性。我有服务,应根据提供的国家/地区名称解析XML并获取区域。有没有办法从xml加载和使用数据到内存中,所以每次我想获取国家/地区的区域时我都不需要解析XML?我不想使用枚举,因为我想拥有可更新的xml列表,它只在应用程序启动时或第一次使用我的服务时解析。因此,在XML更新之后,服务器重启就足够了,无需重建应用程序来更新枚举。怎么能实现这一目标?

java xml spring-boot xml-parsing
1个回答
1
投票

@chrylis提出了这个问题 - 我碰巧有类似的解决方案,很容易复制/粘贴到一个工作示例中。

如果你的XML看起来像这样:

<countries>
    <country name="England" region="Europe"
        subregion="Western Europe" countryCode="eng" />
    <country name="Scotland" region="Europe"
        subregion="West Europe" countryCode="sco" />
</countries>

你有一个Country类型:

public class Country {
    private String name;
    private String region;
    private String subregion;
    private String countryCode;

    // getters and setters
}

然后将以下依赖项添加到您的项目:

  • com.fasterxml.jackson.dataformat:jackson-dataformat-xml

这段代码:

public class JacksonXml {
    public static void main(String[] args) throws JsonParseException, JsonMappingException, IOException {
        InputStream is = JacksonXml.class.getResourceAsStream("/countries.xml");

        XmlMapper xmlMapper = new XmlMapper();

        List<Country> countries = xmlMapper.readValue(is, new TypeReference<List<Country>>() {
        });

        Map<String, Country> nameToCountry = countries.stream()
                                                      .collect(Collectors.toMap(Country::getName, Function.identity()));

        System.out.println(nameToCountry.get("England")
                                        .getRegion());
    }

}

将产量:

Europe
© www.soinside.com 2019 - 2024. All rights reserved.