是否有高效方法在Java中创建具有给定大小的文件?
在C语言中,可以使用ftruncate完成(请参阅that answer)。
大多数人只会将 n 虚拟字节写入文件,但必须有更快的方法。我在考虑ftruncate以及Sparse files ......
答案 0 :(得分:91)
创建一个新的RandomAccessFile并调用setLength方法,指定所需的文件长度。底层JRE实现应该使用您环境中可用的最有效方法。
以下计划
import java.io.*;
class Test {
public static void main(String args[]) throws Exception {
RandomAccessFile f = new RandomAccessFile("t", "rw");
f.setLength(1024 * 1024 * 1024);
}
}
Linux机器上的将使用ftruncate(2)
分配空间6070 open("t", O_RDWR|O_CREAT, 0666) = 4
6070 fstat(4, {st_mode=S_IFREG|0644, st_size=0, ...}) = 0
6070 lseek(4, 0, SEEK_CUR) = 0
6070 ftruncate(4, 1073741824) = 0
在Solaris机器上,它将使用fcntl(2)系统调用的F_FREESP64函数。
/2: open64("t", O_RDWR|O_CREAT, 0666) = 14
/2: fstat64(14, 0xFE4FF810) = 0
/2: llseek(14, 0, SEEK_CUR) = 0
/2: fcntl(14, F_FREESP64, 0xFE4FF998) = 0
在这两种情况下,都会导致创建稀疏文件。
答案 1 :(得分:4)
您可以打开文件进行写入,寻找偏移量(n-1),然后写入一个字节。操作系统会自动将文件扩展到所需的字节数。
答案 2 :(得分:0)
从Java 8开始,此方法可在Linux和Windows上使用:
final ByteBuffer buf = ByteBuffer.allocate(4).putInt(2);
buf.rewind();
final OpenOption[] options = { StandardOpenOption.WRITE, StandardOpenOption.CREATE_NEW , StandardOpenOption.SPARSE };
final Path hugeFile = Paths.get("hugefile.txt");
try (final SeekableByteChannel channel = Files.newByteChannel(hugeFile, options);) {
channel.position(HUGE_FILE_SIZE);
channel.write(buf);
}