在 Java 中连接多个.txt文件 [已关闭]

2022-09-02 11:21:47

我有很多文件。我想连接它们并生成一个文本文件。
我该如何在Java中做到这一点?.txt


如下

file1.txt file2.txt 

串联结果

file3.txt

使得 的内容后跟 。file1.txtfile2.txt


答案 1

Apache Commons IO

您可以使用Apache Commons IO库。这具有 FileUtils 类。

// Files to read
File file1 = new File("file1.txt");
File file2 = new File("file2.txt");

// File to write
File file3 = new File("file3.txt");

// Read the file as string
String file1Str = FileUtils.readFileToString(file1);
String file2Str = FileUtils.readFileToString(file2);

// Write the file
FileUtils.write(file3, file1Str);
FileUtils.write(file3, file2Str, true); // true for append

此类中还有其他方法可以帮助以更最佳的方式完成任务(例如使用列表)。

Java 7+

如果您使用的是 Java 7+

public static void main(String[] args) throws Exception {
    // Input files
    List<Path> inputs = Arrays.asList(
            Paths.get("file1.txt"),
            Paths.get("file2.txt")
    );

    // Output file
    Path output = Paths.get("file3.txt");

    // Charset for read and write
    Charset charset = StandardCharsets.UTF_8;

    // Join files (lines)
    for (Path path : inputs) {
        List<String> lines = Files.readAllLines(path, charset);
        Files.write(output, lines, charset, StandardOpenOption.CREATE,
                StandardOpenOption.APPEND);
    }
}

答案 2

逐个文件读取并将它们写入目标文件。如下所示:

    OutputStream out = new FileOutputStream(outFile);
    byte[] buf = new byte[n];
    for (String file : files) {
        InputStream in = new FileInputStream(file);
        int b = 0;
        while ( (b = in.read(buf)) >= 0)
            out.write(buf, 0, b);
        in.close();
    }
    out.close();