io流(文件字符流(FileReader,FileWriter文件的複製))
文件字符流(FileReader,FileWriter文件的複製)
-
文件的複製
- 效率低的方法
注意:字符流需要刷新操作,位元組流不需要,只有刷新後才可以將程序中的內容導入到目標文件中
package com.bjsxt.test03;
import java.io.*;
public class Test {
public static void main(String[] args) throws IOException {
//1.確定源文件
File f1 = new File("D:\\a\\b.txt");
//2.確定目標文件
File f2 = new File("D:\\a\\a.txt");
//3.一根管插入源文件中
FileReader fr = new FileReader(f1);
//4.一根管插入目標文件中
FileWriter fw = new FileWriter(f2);
//5.開始動作
int n = fr.read();
while(n!=-1){
fw.write(n);//這裡寫出的內容都是數字,因為n是int類型,不過可以強轉為char類型
n=fr.read();
}
//6.關閉流
fw.close();
fr.close();
//fw.flush(); 也可以這樣,如果你寫的是關閉流,那麼底層自動幫你做了flush的動作
}
}
- 效率高的方法(還是利用緩衝數組加快讀取速度)
package com.bjsxt.test03;
import java.io.*;
public class Test02 {
public static void main(String[] args) throws IOException {
//1.確定源文件
File f1 = new File("D:\\a\\b.txt");
//2.確定目標文件
File f2 = new File("D:\\a\\a.txt");
//3.一根管插入源文件中
FileReader fr = new FileReader(f1);
//4.一根管插入目標文件中
FileWriter fw = new FileWriter(f2);
//5.開始動作
char[] ch = new char[4];
int len = fr.read(ch);
while(len!=-1){
fw.write(ch,0,len);
len=fr.read(ch);
}
//6.關閉流
fw.close();
fr.close();
//fw.flush(); 也可以這樣,如果你寫的是關閉流,那麼底層自動幫你做了flush的動作
}
}
- 處理異常的方式(自己捕獲)
package com.bjsxt.test03;
import java.io.*;
public class Test03 {
public static void main(String[] args){
//1.確定源文件
File f1 = new File("D:\\a\\b.txt");
//2.確定目標文件
File f2 = new File("D:\\a\\a.txt");
//3.一根管插入源文件中
FileReader fr = null;
FileWriter fw =null;
try {
fr = new FileReader(f1);
//4.一根管插入目標文件中
fw = new FileWriter(f2);
//5.開始動作
char[] ch = new char[4];
int len = fr.read(ch);
while(len!=-1){
fw.write(ch,0,len);
len=fr.read(ch);
}
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {//自己捕獲的異常
e.printStackTrace();
} finally {
//6.關閉流
try {
fw.close();
} catch (IOException e) {//自己捕獲的異常
e.printStackTrace();
}
try {
fr.close();
} catch (IOException e) {//自己捕獲的異常
e.printStackTrace();
}
//不把他兩放在一個異常的原因是:如果上面那個有問題,那麼下面的io流就不會被關閉
//fw.flush(); 也可以這樣,如果你寫的是關閉流,那麼底層自動幫你做了flush的動作
}
}
}