使用以下代码作为基准,系统可以在几分之一秒内将 10,000 行写入磁盘:
void withSync() {
int f = open( "/tmp/t8" , O_RDWR | O_CREAT );
lseek (f, 0, SEEK_SET );
int records = 10*1000;
clock_t ustart = clock();
for(int i = 0; i < records; i++) {
write(f, "012345678901234567890123456789" , 30);
fsync(f);
}
clock_t uend = clock();
close (f);
printf(" sync() seconds:%lf writes per second:%lf\n", ((double)(uend-ustart))/(CLOCKS_PER_SEC), ((double)records)/((double)(uend-ustart))/(CLOCKS_PER_SEC));
}
在上面的代码中,10,000 条记录可以在几分之一秒内写入并刷新到磁盘,输出如下:
sync() seconds:0.006268 writes per second:0.000002
在 Java 版本中,写入 10,000 条记录需要 4 秒以上。这只是Java的限制,还是我遗漏了什么?
public void testFileChannel() throws IOException {
RandomAccessFile raf = new RandomAccessFile(new File("/tmp/t5"),"rw");
FileChannel c = raf.getChannel();
c.force(true);
ByteBuffer b = ByteBuffer.allocateDirect(64*1024);
long s = System.currentTimeMillis();
for(int i=0;i<10000;i++){
b.clear();
b.put("012345678901234567890123456789".getBytes());
b.flip();
c.write(b);
c.force(false);
}
long e=System.currentTimeMillis();
raf.close();
System.out.println("With flush "+(e-s));
}
返回这个:
With flush 4263
请帮助我了解用 Java 将记录写入磁盘的正确/最快方法是什么。
注意:我将RandomAccessFile
类与 a 结合使用,ByteBuffer
因为最终我们需要对该文件进行随机读/写访问。