I am really confused about the purpose of various io classes, for example, If we have BufferedWriter, why we need a PrintWriter?
BufferedReader reader = new BufferedReader(new FileReader(file));
String line = null;
while(s=br.readline()!=null) {
PrintWriter fs = new PrintWriter(new FileWriter(file));
fs.println(s);
}
if the BufferedWriter can not help? I just do not understand the difference between these io classes, can someone explain me?
The main reason to use the PrintWriter is to get access to the printXXX methods (like println(int)). You can essentially use a PrintWriter to write to a file just like you would use System.out to write to the console.
A BufferedWriter is an efficient way to write to a file (or anything else) as it will buffer the characters in Java memory before writing to the file.
The
PrintWriter
is essentially a convenience class. If you want to quickly and easily blast out a line of text to e.g. a log file, PrintWriter makes it very easy.Three features:
print
andprintln
methods will take any data type and do the conversion for you. Not justString
.format
method is worth its weight in gold. Now it's as simple in Java as in C to output a line of text with C-style format control.System.out
orSystem.err
which have few ways of going wrong.They have nothing to do with each other. In all truth, I rarely use
PrintWriter
except to convertSystem.out
temporarily. But anyway.BufferedWriter
, likeBufferedReader
/BufferedInputStream
/BufferedOutputStream
merely decorates the enclosedWriter
with a memory buffer (you can specify the size) or accept a default. This is very useful when writing to slow Writers like network or file based. (Stuff is committed in memory and only occasionally to disk for example) By buffering in memory the speed is greatly increased - try writing code that writes to say a 10 mb file with justFileWriter
and then compare to the same withBufferedWriter
wrapped around it.So that's
BufferedWriter
. It throws in a few convenience methods, but mostly it just provides this memory buffer.PrintWriter
mostly is a simple decorator that adds some specific write methods for various types likeString
,float
, etc, so you don't have to convert everything to raw bytes.Edited:
This already has come up