前言
最近需要使用java的jackson-dataformat-yaml写yml文件,但多数情况是在现有的文件内容中追加地写一部分新的内容。网上查了一下没有查到有直接追加的api,看源码偶然间找到了一个实现思路,记录一下。
追加写入到yml文件
使用的工具是jackson的一套:
<dependency>
<groupId>com.fasterxml.jackson.core</groupId>
<artifactId>jackson-databind</artifactId>
</dependency>
<dependency>
<groupId>com.fasterxml.jackson.dataformat</groupId>
<artifactId>jackson-dataformat-yaml</artifactId>
<version>${jackson.version}</version>
<scope>compile</scope>
</dependency>
需求是希望追加式地将内容写入到yml文件中,以提高写入的性能。
之前的实现
之前一直是直接将内容写入到文件里,如果之前文件有内容的话就只能覆盖掉。因此只能先将内容从文件中读出来,再将新内容加到读出来的内容里,最后一并写到文件里。这个操作一看就不是长久之计。
public static boolean append2Yaml(List models, String ymlFile) {
try {
File file = new File(ymlFile);
List configList;
try (InputStream yamlStream = new FileInputStream(ymlFile)) {
configList = mapper.readValue(yamlStream, List.class);
} catch (IOException e) {
LOGGER.error(e.getMessage(), e);
return false;
}
configList.addAll(models);
mapper.writeValue(file, configList);
} catch (IOException e) {
LOGGER.error("fail to write to model.yml", e);
return false;
}
return true;
}
追加实现
可以看到原来写入文件中使用的是writeValue()
这个方法,传入的是于是File
。点开重载方法看到了这个:
看高亮的方法,入参是OutpuStream
。于是想到了FileOutputStream
可以追加写入内容。把方法改成这样就可以达到追加写内容的目的了:
public static boolean append2Yaml(List models, String ymlFile) {
File file = new File(ymlFile);
// 这里使用一个FileOutputStream实现追加内容写入文件
try (OutputStream outputStream = new FileOutputStream(file, true)) {
mapper.writeValue(outputStream, models);
} catch (IOException e) {
LOGGER.error("fail to write to model yml", e);
return false;
}
return true;
}