gpt4 book ai didi

java - Java 文件中最后一个换行符的位置

转载 作者:行者123 更新时间:2023-12-01 10:13:55 28 4
gpt4 key购买 nike

如何有效地确定文件特定部分最后一个换行符的位置?

例如我试过这个

BufferedReader br = new BufferedReader(new FileReader(file));
long length = file.length();
String line = null;
int tailLength = 0;
while ((line = br.readLine()) != null) {
System.out.println(line);
tailLength = line.getBytes().length;
}
int returnValue = length - tailLength;

但这只会返回整个文件中最后一个换行符的位置,而不是文件某个部分中最后一个换行符的位置。该部分将由 int start;int end;

指示

最佳答案

我认为最有效的方法是从文件末尾开始分块读取。然后,向后搜索第一行。

import java.io.IOException;
import java.nio.MappedByteBuffer;
import java.nio.channels.FileChannel;
import java.nio.channels.FileLock;
import java.nio.file.Path;
import java.nio.file.StandardOpenOption;

public class FileUtils {

static final int CHUNK_SIZE = 8 * 1024;

public static long getLastLinePosition(Path path) throws IOException {
try (FileChannel inChannel = FileChannel.open(path, StandardOpenOption.READ);
@SuppressWarnings("unused")
FileLock lock = inChannel.tryLock(0, Long.MAX_VALUE, true)) {
long fileSize = inChannel.size();
long mark = fileSize;
long position;
boolean ignoreCR = false;
while (mark > 0) {
position = Math.max(0, mark - CHUNK_SIZE);

MappedByteBuffer mbb = inChannel.map(FileChannel.MapMode.READ_ONLY, position, Math.min(mark, CHUNK_SIZE));
byte[] bytes = new byte[mbb.remaining()];
mbb.get(bytes);

for (int i = bytes.length - 1; i >= 0; i--, mark--) {
switch (bytes[i]) {
case '\n':
if (mark < fileSize) {
return mark;
}
ignoreCR = true;
break;
case '\r':
if (ignoreCR) {
ignoreCR = false;
} else if (mark < fileSize) {
return mark;
}
break;
}
}

mark = position;
}
}
return 0;
}

}

测试文件:

abc\r\n
1234\r\n
def\r\n

输出:11

了解更多关于java.nio.channels.FileChannel的信息和 java.nio.MappedByteBuffer :

编辑:

如果您使用的是 Java 6,请将这些更改应用于上述代码:

import java.io.IOException;
import java.io.RandomAccessFile;
import java.nio.channels.FileChannel;
import java.nio.channels.FileLock;

public class FileUtils {

static final int CHUNK_SIZE = 8 * 1024;

public static long getLastLinePosition(String name) throws IOException {
FileChannel inChannel = null;
FileLock lock = null;
try {
inChannel = new RandomAccessFile(name, "r").getChannel();
lock = inChannel.tryLock(0, Long.MAX_VALUE, true);

// ...

} finally {
if (lock != null) {
lock.release();
}
if (inChannel != null) {
inChannel.close();
}
}
return 0;
}

}

选择理想缓冲区大小的提示:

关于java - Java 文件中最后一个换行符的位置,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/36013936/

28 4 0
Copyright 2021 - 2024 cfsdn All Rights Reserved 蜀ICP备2022000587号
广告合作:1813099741@qq.com 6ren.com