Java 5.0 x64 (Windows XP 上) を使用して、大きなファイル (~4GB) のワンススルー読み取りを実行しようとしています。
最初はファイルの読み取り速度は非常に高速ですが、徐々にスループットが大幅に低下し、時間の経過とともにマシンが非常に応答しなくなったように見えます。
私は ProcessExplorer を使用してファイル I/O 統計を監視しました。プロセスは最初は 500MB/秒を読み取っているように見えますが、この速度は徐々に約 20MB/秒に低下します。
特にJavaを使用して大きなファイルを読み取る場合に、ファイルI / Oレートを維持するための最良の方法に関するアイデアはありますか?
「間隔時間」が増加し続けていることを示すテストコードを次に示します。少なくとも 500MB のファイルを Main に渡すだけです。
import java.io.File;
import java.io.RandomAccessFile;
public class MultiFileReader {
public static void main(String[] args) throws Exception {
MultiFileReader mfr = new MultiFileReader();
mfr.go(new File(args[0]));
}
public void go(final File file) throws Exception {
RandomAccessFile raf = new RandomAccessFile(file, "r");
long fileLength = raf.length();
System.out.println("fileLen: " + fileLength);
raf.close();
long startTime = System.currentTimeMillis();
doChunk(0, file, 0, fileLength);
System.out.println((System.currentTimeMillis() - startTime) + " ms");
}
public void doChunk(int threadNum, File file, long start, long end) throws Exception {
System.out.println("Starting partition " + start + " to " + end);
RandomAccessFile raf = new RandomAccessFile(file, "r");
raf.seek(start);
long cur = start;
byte buf[] = new byte[1000];
int lastPercentPrinted = 0;
long intervalStartTime = System.currentTimeMillis();
while (true) {
int numRead = raf.read(buf);
if (numRead == -1) {
break;
}
cur += numRead;
if (cur >= end) {
break;
}
int percentDone = (int)(100.0 * (cur - start) / (end - start));
if (percentDone % 5 == 0) {
if (lastPercentPrinted != percentDone) {
lastPercentPrinted = percentDone;
System.out.println("Thread" + threadNum + " Percent done: " + percentDone + " Interval time: " + (System.currentTimeMillis() - intervalStartTime));
intervalStartTime = System.currentTimeMillis();
}
}
}
raf.close();
}
}
ありがとう!