1、复制文件
原理:读取一个已有的数据,并将这些读到的数据写入到另一个文件。
2、代码:
1 import java.io.File; 2 import java.io.FileInputStream; 3 import java.io.FileOutputStream; 4 import java.io.IOException; 5 6 public class CopyFileTest { 7 public static void main(String[] args) throws IOException { 8 // 1,明确源和目的。 9 File srcFile = new File("d:\\Java\\old.JPEG"); 10 File destFile = new File("d:\\Java\\copyTest.JPEG"); 11 12 // 2,明确字节流 输入流和源相关联,输出流和目的关联。 13 FileInputStream fis = new FileInputStream(srcFile); 14 FileOutputStream fos = new FileOutputStream(destFile); 15 16 // 3, 使用输入流的读取方法读取字节,并将字节写入到目的中。 17 int ch = 0; 18 while ((ch = fis.read()) != -1) { 19 fos.write(ch); 20 } 21 // 4,关闭资源。 22 fos.close(); 23 fis.close(); 24 } 25 }
3、分析:
(1)上述代码输入流和输出流之间是通过ch这个变量进行数据交换的;
(2)上述复制文件有个问题,每次都从源文件读取一个,然后在写到指定文件,接着再读取一个字符,然后再写一个,一直这样下去。效率极低。
4、缓冲数组方式复制文件
上述代码复制文件效率太低了,并且频繁的从文件读数据和写数据,能不能一次多把文件中多个数据都读进内容中,然后在一次写出去,这样的速度一定会比前面代码速度快。
1 import java.io.File; 2 import java.io.FileInputStream; 3 import java.io.FileOutputStream; 4 import java.io.IOException; 5 6 public class CopyFileByBufferTest { 7 public static void main(String[] args) throws IOException { 8 File srcFile = new File("d:\\Java\\old.JPEG"); 9 File destFile = new File("d:\\Java\\copyTest2.JPG"); 10 // 明确字节流 输入流和源相关联,输出流和目的关联。 11 FileInputStream fis = new FileInputStream(srcFile); 12 FileOutputStream fos = new FileOutputStream(destFile); 13 // 定义一个缓冲区。 14 byte[] buf = new byte[1024]; 15 int len = 0; 16 while ((len = fis.read(buf)) != -1) { 17 fos.write(buf, 0, len);// 将数组中的指定长度的数据写入到输出流中。 18 } 19 // 关闭资源。 20 fos.close(); 21 fis.close(); 22 } 23 }