更新现有的Yaml文件

时间:2019-01-11 12:26:44

标签: java jackson yaml jackson-databind

我想更新现有的user.yaml文件而不删除其他对象或属性。

我已经搜寻了2天,但没有运气。

实际输出:

name: Test User
age: 30
address:
  line1: My Address Line 1
  line2: Address line 2
  city: Washington D.C.
  zip: 20000
roles:
  - User
  - Editor

预期产量

name: Test User
age: 30
address:
  line1: Your address line 1
  line2: Your Address line 2
  city: Bangalore
  zip: 560010
roles:
  - User
  - Editor

以上是我的yaml文件。我想获取此yaml文件并更新对象的地址,并将相同的信息写入新的yaml文件/现有yaml文件。必须在不损害其他对象的情况下完成此操作(即,应保留其他对象的键和值)。

1 个答案:

答案 0 :(得分:0)

您将需要ObjectMapper(来自jackson-databind) 和YAMLFactory(来自jackson-dataformat-yaml)。

ObjectMapper objectMapper = new ObjectMapper(new YAMLFactory());

这很容易:只需读取YAML文件,修改内容并写入YAML文件即可。

由于示例中的对象结构非常简单, 您可能更喜欢使用Map<String, Object>进行快速建模。

// read YAML file
Map<String, Object> user = objectMapper.readValue(new File("user.yaml"),
            new TypeReference<Map<String, Object>>() { });

// modify the address
Map<String, Object> address = (Map<String, Object>) user.get("address");
address.put("line1", "Your address line 1");
address.put("line2", "Your address line 2");
address.put("city", "Bangalore");
address.put("zip", 560010);

// write YAML file
objectMapper.writeValue(new File("user-modified.yaml"), user);

如果您的对象结构更复杂, 那你应该做一个更面向对象的建模 通过编写一些POJO类(UserAddress)。 但是总体思路还是一样的:

// read YAML file
User user = objectMapper.readValue(new File("user.yaml"), User.class);

// modify the address
Address address = user.getAddress();
address.setLine1("Your address line 1");
address.setLine2("Your address line 2");
address.setCity("Bangalore");
address.setZip(560010);

// write YAML file
objectMapper.writeValue(new File("user-modified.yaml"), user);