使用FileInputStream与FileOutputStream完成文件复制
- 复制的过程是一边读,一边写
- 使用FileInputStream与FileOutputStream字节流复制文件的时候,文件类型随意
- 程序步骤
- 创建一个输入流对象
- 创建一个输出流对象
- 读写操作
- 输出流刷新
- 关闭输入输出流(分开 try…catch处理异常)
import java.io.FileInputStream;
import java.io.FileNotFoundException;
import java.io.FileOutputStream;
import java.io.IOException;
public class Copy {
public static void main(String[] args) {
FileInputStream fis = null;
FileOutputStream fos = null;
try {
fis = new FileInputStream("D:\\图片\\001.jpg");
fos = new FileOutputStream("D:\\Test\\001.jpg", true);
byte[] bytes = new byte[1024 * 1024];
int readCount = 0;
while ((readCount = fis.read(bytes)) != -1) {
fos.write(bytes, 0, readCount);
}
fos.flush();
} catch (FileNotFoundException e) {
e.printStackTrace();
} catch (IOException e) {
e.printStackTrace();
} finally {
if (fos != null) {
try {
fos.close();
} catch (IOException e) {
e.printStackTrace();
}
}
if (fis != null) {
try {
fis.close();
} catch (IOException e) {
e.printStackTrace();
}
}
}
}
}