Java中的移动/复制文件操作
是否有一个标准的Java库可以处理常见的文件操作,例如移动/复制文件/文件夹?
回答:
这是通过java.nio
操作执行此操作的方法:
public static void copyFile(File sourceFile, File destFile) throws IOException { if(!destFile.exists()) {
destFile.createNewFile();
}
FileChannel source = null;
FileChannel destination = null;
try {
source = new FileInputStream(sourceFile).getChannel();
destination = new FileOutputStream(destFile).getChannel();
// previous code: destination.transferFrom(source, 0, source.size());
// to avoid infinite loops, should be:
long count = 0;
long size = source.size();
while((count += destination.transferFrom(source, count, size-count))<size);
}
finally {
if(source != null) {
source.close();
}
if(destination != null) {
destination.close();
}
}
}
以上是 Java中的移动/复制文件操作 的全部内容, 来源链接: utcz.com/qa/425437.html