piumnl
9/24/2017 - 12:05 AM

java 复制文件的 4 种方式

java 复制文件的 4 种方式

// 1. 使用 FileStreams 复制

private static void copyFileUsingFileStreams(File source, File dest)
        throws IOException {    
    InputStream input = null;    
    OutputStream output = null;    
    try {
           input = new FileInputStream(source);
           output = new FileOutputStream(dest);        
           byte[] buf = new byte[1024];        
           int bytesRead;        
           while ((bytesRead = input.read(buf)) > 0) {
               output.write(buf, 0, bytesRead);
           }
    } finally {
        input.close();
        output.close();
    }
}

// 2. 使用 FileChannel 复制

private static void copyFileUsingFileChannels(File source, File dest) throws IOException {    
        FileChannel inputChannel = null;    
        FileChannel outputChannel = null;    
    try {
        inputChannel = new FileInputStream(source).getChannel();
        outputChannel = new FileOutputStream(dest).getChannel();
        outputChannel.transferFrom(inputChannel, 0, inputChannel.size());
    } finally {
        inputChannel.close();
        outputChannel.close();
    }
}

// 3. 使用 Commons IO 复制,这个是 Apache Common FileUtils类

private static void copyFileUsingApacheCommonsIO(File source, File dest)
        throws IOException {
    FileUtils.copyFile(source, dest);
}

// 4. 使用 Java7 的 Files 类复制

private static void copyFileUsingJava7Files(File source, File dest)
        throws IOException {    
        Files.copy(source.toPath(), dest.toPath());
}


// 比较,大文件中推荐使用 FileChannel 方式,即第二种方法
// 其次为 Java 7 中 Files 提供的方法
// 再其次为 Apache 提供的方法
// 最后....