How to parse part of a YAML file in SnakeYaml

后端 未结 2 1827

I am new to YAML and have parse a YAML config file that looks like:

applications:
  authentication:
    service-version: 2.0
    service-url: https://myapp.corp/         


        
2条回答
  •  时光说笑
    2021-02-20 09:36

    There is a package for Java called Jackson that handles mapping between YAML (and JSON, and CSV, and XML) and Java objects. Most examples you will come across are for JSON, but the YAML link shows that switching is straight-forward. Everything goes through an ObjectMapper:

    ObjectMapper mapper = new ObjectMapper(new YAMLFactory());
    

    That can then be used to deserialize your object via reflection:

    ApplicationCatalog catalog = mapper.readValue(yamlSource, ApplicationCatalog.class);
    

    You would set up your classes something like this (I've made everything public for ease of example):

    class ApplicationCatalog {
      public AuthConfig authentication;
      public ServiceConfig service1;
      public ServiceConfig service2;
    }
    
    class AuthConfig {
      @JsonProperty("service-version")
      public String serviceVersion;
      @JsonProperty("service-url")
      public String serviceUrl;
      @JsonProperty("app-env")
      public String appEnv;
      @JsonProperty("timeout-in-ms")
      public int timeoutInMs;
      @JsonProperty("enable-log")
      public boolean enableLog;
    }
    
    class ServiceConfig {
      ...
    }
    

    Notice the JsonProperty annotation which is renaming your Java field to YAML field. I find this the most convenient way of dealing with JSON and YAML in Java. I've also had to use the streaming API for really large objects.

提交回复
热议问题