在java中连接多个.txt文件

时间:2012-05-20 17:08:30

标签: java concatenation

我有很多.txt文件。我想连接这些并生成一个文本文件。我怎么在java中做到这一点?      以下是案例

        file1.txt file2.txt 

串联结果

             file3.txt

这样file1.txt的内容file2.txt

5 个答案:

答案 0 :(得分:34)

使用 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

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

使用 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);
    }
}

答案 1 :(得分:15)

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

    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();

答案 2 :(得分:4)

这对我来说很好。

// open file input stream to the first file file2.txt
InputStream in = new FileInputStream("file1.txt");
byte[] buffer = new byte[1 << 20];  // loads 1 MB of the file
// open file output stream to which files will be concatenated. 
OutputStream os = new FileOutputStream(new File("file3.txt"), true);
int count;
// read entire file1.txt and write it to file3.txt
while ((count = in.read(buffer)) != -1) {
    os.write(buffer, 0, count);
    os.flush();
}
in.close();
// open file input stream to the second file, file2.txt
in = new FileInputStream("file2.txt");
// read entire file2.txt and write it to file3.txt
while ((count = in.read(buffer)) != -1) {
    os.write(buffer, 0, count);
    os.flush();
}
in.close();
os.close();

答案 3 :(得分:1)

你的意思是你需要一个包含其他文本文件内容的文件?然后,读取每个文件(您可以在循环中执行),将其内容保存在StringBuffer / ArrayList中,并通过将StringBuffer / ArrayList中保存的文本刷新到最终的.txt文件来生成最终的.txt文件。 / p>

别担心,这是一件容易的事。只是习惯了给定的系统,那你就可以了:))

答案 4 :(得分:0)

听起来像家庭作业......

  1. 打开文件1
  2. 打开文件2
  3. 创建/打开文件3
  4. 从文件1中读取并写入文件3
  5. 关闭文件1
  6. 从文件2读取并写入文件3
  7. 关闭文件2
  8. 关闭文件3
  9. 如果您需要知道如何使用Java创建/打开/读取/写入/关闭文件,请搜索文档。 That information应该广泛使用。