使用先前在文件中读取的默认值反序列化 Java 中的 YAML

Deserialize YAML in Java using defaults read earlier in file

我有一个如下所示的 yaml 文件:

defaultSettings:
    a: 1
    b: foo
entries:
    - name: one
      settings:
          a: 2
    - name: two
      settings:
          b: bar
    - name: three

假设我有这些 类:

class Settings {
    public int a;
    public String b;
}

class Entry {
    public String name;
    public Settings settings;
}

class Config {
    public Settings defaultSettings;
    public List<Entry> entries;
}

关键是我想将文件顶部指定的 defaultSettings 用于各个条目中未指定的任何设置。所以,条目会出来,就好像它们是这样写的:

    - name: one
      settings:
          a: 2
          b: foo
    - name: two
      settings:
          a: 1
          b: bar
    - name: three
      settings:
          a: 1
          b: foo

有没有好的方法(例如,使用 Jackson、SnakeYAML 等)?我对代码有完全的控制权,所以我可以进行修改,如果这会导致更好的做事方式。

我最终这样做了,效果很好:

class Settings {
    public int a;
    public String b;

    // 0 arg constructor uses the static defaults via the copy constructor
    public Settings() {
        this(Config.defaultSettings);
    }

    // copy constructor
    public Settings(Settings other) {
        // other will be null when creating the default settings
        if(other == null) return;

        // rest of copy constructor
    }
}

class Entry {
    public String name;
    public Settings settings = Config.defaultSettings; // use default if not set separately
}

class Config {
    public static Settings defaultSettings; // this is static
    public List<Entry> entries;

    // this is a setter that actually sets the static member
    public void setDefaultSettings(Settings defaultSettings) {
        Config.defaultSettings = defaultSettings);
}

然后是杰克逊:

ObjectMapper mapper = new ObjectMapper(new YAMLFactory());
Configuration config = mapper.readValue(configFile, Config.class);

本质上,这设置了一个静态 Settings(假设 defaultSettings 在文件中首先出现)。如果在 yaml 中指定了部分设置块,将使用 Settings 0-arg 构造函数,它创建 Config.defaultSettings 的副本,然后 Jackson 使用文件中指定的任何内容对其进行修改。在某些 Entry 的文件中没有 settings 块的情况下,直接使用 Config.defaultSettings (通过 Entry 中的字段初始化)。还不错,胜过编写自定义反序列化器。

如果有人有更好的方法,我仍然很感兴趣。