在 Java 中为文件添加行
有没有办法在Java中为文件预置一行,而无需创建临时文件,并将所需的内容写入其中?
不,在Java中没有办法安全地做到这一点。(或AFAIK,任何其他编程语言。
任何主流操作系统中都没有文件系统实现支持这种事情,你也不会发现任何主流编程语言都支持此功能。
实际的文件系统是在将数据存储为固定大小的“块”的设备上实现的。不可能实现文件系统模型,在这种模型中,您可以在不显著降低文件 I/O 速度、浪费磁盘空间或两者的情况下将字节插入到文件中间。
涉及就地重写文件的解决方案本质上是不安全的。如果您的应用程序在预置/重写过程中被终止或电源中断,则可能会丢失数据。我不建议在实践中使用这种方法。
使用临时文件并重命名。它更安全。
有一种方法,它涉及重写整个文件(但没有临时文件)。正如其他人所提到的,没有文件系统支持将内容附加到文件中。下面是一些示例代码,它使用 RandomAccessFile 来写入和读取内容,同时将某些内容保留在内存中缓冲:
public static void main(final String args[]) throws Exception {
    File f = File.createTempFile(Main.class.getName(), "tmp");
    f.deleteOnExit();
    System.out.println(f.getPath());
    // put some dummy content into our file
    BufferedWriter w = new BufferedWriter(new OutputStreamWriter(new FileOutputStream(f)));
    for (int i = 0; i < 1000; i++) {
        w.write(UUID.randomUUID().toString());
        w.write('\n');
    }
    w.flush();
    w.close();
            // append "some uuids" to our file
    int bufLength = 4096;
    byte[] appendBuf = "some uuids\n".getBytes();
    byte[] writeBuf = appendBuf;
    byte[] readBuf = new byte[bufLength];
    int writeBytes = writeBuf.length;
    RandomAccessFile rw = new RandomAccessFile(f, "rw");
    int read = 0;
    int write = 0;
    while (true) {
                    // seek to read position and read content into read buffer
        rw.seek(read);
        int bytesRead = rw.read(readBuf, 0, readBuf.length);
                    // seek to write position and write content from write buffer
        rw.seek(write);
        rw.write(writeBuf, 0, writeBytes);
                    // no bytes read - end of file reached
        if (bytesRead < 0) {
                            // end of
            break;
        }
                    // update seek positions for write and read
        read += bytesRead;
        write += writeBytes;
        writeBytes = bytesRead;
                    // reuse buffer, create new one to replace (short) append buf
        byte[] nextWrite = writeBuf == appendBuf ? new byte[bufLength] : writeBuf;
        writeBuf = readBuf;
        readBuf = nextWrite;
    };
    rw.close();
            // now show the content of our file
    BufferedReader reader = new BufferedReader(new InputStreamReader(new FileInputStream(f)));
    String line;
    while ((line = reader.readLine()) != null) {
        System.out.println(line);
    }
}