I this post I have given an code that demonstrates how to read a character file using FileReader and
try-with-resources in Java. Just like the post title says its not a tutorial but rather an example demonstration.
Try-With-Resources is a great feature
introduced in Java 7 where you don't need top worry about explicitly
closing the streams. It cares of them, It does so by implementing the AutoClosable iterface.
Please Note that this is not the better way to read a file. There are several other ways using the NIO and NIO2 packages which should be preferred for larger file sizes. All of them will be covered with time.
Please Note that this is not the better way to read a file. There are several other ways using the NIO and NIO2 packages which should be preferred for larger file sizes. All of them will be covered with time.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
package files; | |
import java.io.BufferedReader; | |
import java.io.File; | |
import java.io.FileNotFoundException; | |
import java.io.FileReader; | |
import java.io.IOException; | |
import java.util.ArrayList; | |
/** | |
* | |
* @author psycho_coder | |
*/ | |
public class ReadFileJava7TryWithResc { | |
private ArrayList<String> list = null; | |
public ReadFileJava7TryWithResc() { | |
list = new ArrayList<>(); | |
} | |
private int getSize() { | |
return list.size(); | |
} | |
private void readFile(File file) throws IOException { | |
if (file == null) { | |
throw new IllegalArgumentException("File shouldn't be Null"); | |
} | |
if (!file.exists()) { | |
throw new FileNotFoundException("The given file was not found"); | |
} | |
if (!file.isFile()) { | |
throw new IllegalArgumentException("Supplied parameter is a directory and not a file."); | |
} | |
if (!file.canRead()) { | |
throw new IllegalArgumentException("You Don't have permission to read the file"); | |
} | |
try (BufferedReader br = new BufferedReader(new FileReader(file))) { | |
String line = null; | |
while ((line = br.readLine()) != null) { | |
list.add(line); | |
} | |
} | |
} | |
public static void main(String... args) throws IOException { | |
File file = new File(System.getProperty("user.dir") + "/src/data/en"); | |
long time = System.nanoTime(); | |
ReadFileJava7TryWithResc readfile = new ReadFileJava7TryWithResc(); | |
readfile.readFile(file); | |
System.out.println(System.nanoTime() - time); | |
System.out.println("No. of Items read : " + readfile.getSize()); | |
} | |
} |
Share this post among your social networks.
Thank you.