使用RandomAccessFile类写入大文件

问题描述 投票:0回答:2

我需要将大文件(GB)复制到另一个文件(容器)中,我想知道性能和内存使用情况。

读取整个源文件如下:

RandomAccessFile f = new RandomAccessFile(origin, "r");
originalBytes = new byte[(int) f.length()];
f.readFully(originalBytes);

然后,将所有内容复制到容器中,如下所示:

RandomAccessFile f2 = new RandomAccessFile(dest, "wr");
f2.seek(offset);
f2.write(originalBytes, 0, (int) originalBytes.length);

一切都在记忆中,对吗?那么复制大文件会对内存产生影响并可能导致 OutOfMemory 异常吗?

逐字节读取原始文件是否比完整读取更好? 在这种情况下我应该如何进行? 预先感谢您。

编辑:

根据mehdi maick的回答,我终于找到了解决方案: 我可以根据需要使用 RandomAccessFile 作为目标,并且因为 RandomAccessFile 有一个返回 FileChannel 的方法“getChannel”,所以我可以将其传递给以下方法,该方法将在以下位置复制文件(一次为 32KB):我想要的目的地:

     public static void copyFile(File sourceFile, FileChannel destination, int position) throws IOException {
            FileChannel source = null;
            try {
                source = new FileInputStream(sourceFile).getChannel();
                destination.position(position);
                int currentPosition=0;
                while (currentPosition < sourceFile.length())
                    currentPosition += source.transferTo(currentPosition, 32768, destination);
            } finally {
                if (source != null) {
                    source.close();
                }

            }
        }
java randomaccessfile
2个回答
4
投票

尝试使用异步

java.nio.channels.Channel
实现:

public void copyFile(String src, String target) throws IOException {
    final String fileName = getFileName(src);
    try (FileChannel from = (FileChannel.open(Paths.get(src), StandardOpenOption.READ));
         FileChannel to = (FileChannel.open(Paths.get(target + "/" + fileName), StandardOpenOption.CREATE_NEW, StandardOpenOption.WRITE))) {
        transfer(from, to, 0l, from.size());
    }
}

private String getFileName(final String src) {
    File file = new File(src);
    if (file.isFile()) {
        return file.getName();
    } else {
        throw new RuntimeException("src is not a valid file");
    }
}

private void transfer(final FileChannel from, final FileChannel to, long position, long size) {
    while (position < size) {
        position += from.transferTo(position, Constants.TRANSFER_MAX_SIZE, to);
    }
}

这将创建读写异步通道,并有效地将数据从第一个通道传输到后面的通道。


-1
投票

以块/块的形式读取,例如一次 64k,使用

FileInputStream
FileOutputStream

如果需要提高性能,可以尝试使用线程,一个线程用于读取,另一个线程用于写入。

您还可以使用直接 NIO 缓冲区来提高性能。
参见例如关于何时应该将直接缓冲区与 Java NIO 一起用于网络 I/O 的简单规则?

最新问题
© www.soinside.com 2019 - 2025. All rights reserved.