Java program to merge two files alternatively into third file

Course Curriculum

Java program to merge two files alternatively into third file

Java program to merge two files alternatively into third file

Let the given two files be file1.txt and file2.txt. Our Task is to merge both files into third file say file3.txt but merging should be done by line by line alternatively. The following are steps to merge alternatively.

Create PrintWriter object for file3.txt
Open BufferedReader for file1.txt
Open BufferedReader for file2.txt
Run a loop to copy each line of file1.txt and then file2.txt to file3.txt
Flush PrintWriter stream and close resources.
To successfully run the below program file1.txt and file2.txt must exits in same folder OR provide full path for them.

// Java program to merge two
// files into third file alternatively

import java.io.*;

public class FileMerge
{
public static void main(String[] args) throws IOException
{
// PrintWriter object for file3.txt
PrintWriter pw = new PrintWriter("file3.txt");

// BufferedReader object for file1.txt
BufferedReader br1 = new BufferedReader(new FileReader("file1.txt"));
BufferedReader br2 = new BufferedReader(new FileReader("file2.txt"));

String line1 = br1.readLine();
String line2 = br2.readLine();

// loop to copy lines of
// file1.txt and file2.txt
// to file3.txt alternatively
while (line1 != null || line2 !=null)
{
if(line1 != null)
{
pw.println(line1);
line1 = br1.readLine();
}

if(line2 != null)
{
pw.println(line2);
line2 = br2.readLine();
}
}

pw.flush();

// closing resources
br1.close();
br2.close();
pw.close();

System.out.println("Merged file1.txt and file2.txt
alternatively into file3.txt");
}
}
Output:

Merged file1.txt and file2.txt into file3.txt

(Next Lesson) How to start learning Java