• Java追加式将内容写入yml文件


    前言
    最近需要使用java的jackson-dataformat-yaml写yml文件,但多数情况是在现有的文件内容中追加地写一部分新的内容。网上查了一下没有查到有直接追加的api,看源码偶然间找到了一个实现思路,记录一下。

    追加写入到yml文件

    使用的工具是jackson的一套:

            <dependency>
                <groupId>com.fasterxml.jackson.coregroupId>
                <artifactId>jackson-databindartifactId>
            dependency>
    
            <dependency>
                <groupId>com.fasterxml.jackson.dataformatgroupId>
                <artifactId>jackson-dataformat-yamlartifactId>
                <version>${jackson.version}version>
                <scope>compilescope>
            dependency>
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11

    需求是希望追加式地将内容写入到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;
        }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
    • 12
    • 13
    • 14
    • 15
    • 16
    • 17
    • 18
    • 19
    • 20

    追加实现

    可以看到原来写入文件中使用的是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;
        }
    
    • 1
    • 2
    • 3
    • 4
    • 5
    • 6
    • 7
    • 8
    • 9
    • 10
    • 11
  • 相关阅读:
    6155. 找出数组的第 K 大和(力扣周赛)(思维转换 + 堆)
    组队训练记录(8):2022CCPC威海
    全网最全Docker常用命令合集
    Linux驱动开发+QT应用编程实现IIC读取ap3216c
    Semantic Kernel 学习笔记1
    JAVA黑马程序员day12--集合进阶(下部--双列集合)
    8.深度学习DNN
    C++ 构造函数的使用:创建一个Birth类,在Student类中增加一个成员变量是Birth类的对象。增加两个类的构造方法,在main中进行测试。
    Java中transient关键字的详细总结
    二、字符串 String
  • 原文地址:https://blog.csdn.net/qq_42893430/article/details/134403294