在刚开始学习Java IO操作的时候,用的并不是很熟,看的书本上的内容也讲的不可能很全面,很多小的方面都必须从实践中慢慢积累、学习。
在这里遇到的一个问题是,复制成功的文件,却打不开。比如PDF文件,显示文件损坏,打不开文件。后来才发现是因为原因在字节流操作和字符流操作的区别:
字符流主要针对一些文本文档(比字节流操作的效率要高),比如.txt、.doc,而pdf就不行。
字节流几乎可以对任何文件类型进行操作,主要是对非文件类型的,如媒体文件(音频,视频,图片…)。
/** *使用缓冲字节流进行PDF文档的复制 */
public static void copyPDF(File src, File des) throws IOException {
FileOutputStream writer = null;
FileInputStream reader = null;
BufferedInputStream bufR = null;
BufferedOutputStream bufW = null;
try {
reader = new FileInputStream(src);
writer = new FileOutputStream(des);
bufR = new BufferedInputStream(reader);
bufW = new BufferedOutputStream(writer);
int temp = 0;
while ((temp = bufR.read()) != -1) {
bufW.write(temp);
}
} catch (FileNotFoundException e) {
e.printStackTrace();
} finally {
if (bufR != null) {
reader.close();
bufR.close();
}
if (bufW != null) {
writer.close();
bufW.close();
}
}
}
文件操作完成,一定要记得关闭流。