Below are the different ways of reading a text file in java :
1. FileReader : It is convenient for text files in the system's default encoding.
2. FileInputStream : Files that contain weird characters.Files can be binary or text.
Reading Text Files in Java
Use FileReader if you want to read an ordinary text file in the system's default encoding, and wrapped it in a BufferedReader.
In the following example, we read the input file called 'test.txt' and prints the output on the console line by line.
import java.io.*; public class ReadTextFile { public static void main(String [] args) { // The name of the file to open. String fileName = "temp.txt"; // This will reference one line at a time String line = null; try { // FileReader reads text files in the default encoding. FileReader fileReader = new FileReader(fileName); // Wrap FileReader in BufferedReader. BufferedReader bufferedReader = new BufferedReader(fileReader); while((line = bufferedReader.readLine()) != null) { System.out.println(line); } // Close file
bufferedReader.close(); } catch(FileNotFoundException ex) { System.out.println( "Unable to open file '" + fileName + "'"); } catch(IOException ex) { System.out.println( "Error reading file '" + fileName + "'"); // Or we could just do this: // ex.printStackTrace(); } } }
Please mention in the comments if you have any questions regarding how to read text file in java.