我试图找到一种以最快的方式复制大文件的方法......
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.util.ArrayList;
public class FastFileCopy {
public static void main(String[] args) {
try {
String from = "...";
String to = "...";
FileInputStream fis = new FileInputStream(from);
FileOutputStream fos = new FileOutputStream(to);
ArrayList<Transfer> transfers = new ArrayList<>();
long position = 0, estimate;
int count = 1024 * 64;
boolean lastChunk = false;
while (true) {
if (position + count < fis.getChannel().size()) {
transfers.add(new Transfer(fis, fos, position, position + count));
position += count + 1;
estimate = position + count;
if (estimate >= fis.getChannel().size()) {
lastChunk = true;
}
} else {
lastChunk = true;
}
if (lastChunk) {
transfers.add(new Transfer(fis, fos, position, fis.getChannel().size()));
break;
}
}
for (Transfer transfer : transfers) {
transfer.start();
}
} catch (IOException ex) {
ex.printStackTrace();
}
}
}
然后创建这个类:
import java.io.FileInputStream;
import java.io.FileOutputStream;
import java.io.IOException;
import java.nio.channels.FileChannel;
public class Transfer extends Thread {
private FileChannel inChannel = null;
private FileChannel outChannel = null;
private long position, count;
public Transfer(FileInputStream fis, FileOutputStream fos, long position, long count) {
this.position = position;
this.count = count;
inChannel = fis.getChannel();
outChannel = fos.getChannel();
}
@Override
public void run() {
try {
inChannel.transferTo(position, count, outChannel);
} catch (IOException e) {
e.printStackTrace();
}
}
}
我测试了它,结果非常非常令人印象深刻......但是有一个很大的问题,复制的文件比当前文件大很多!
所以,请检查它并帮助我找到问题,谢谢:))