如何从文件中有效地确定特定部分的最后一个换行符的位置?
e.g。我试过这个
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;
答案 0 :(得分:1)
很遗憾你不能,我不得不使用RandomAccessFile
getFilePointer()
方法,你可以在readLine()
之后调用它,但它非常慢,而不是UTF-8-察觉。
我最终实现了自己的字节计数行阅读器。
面对具有unicode,格式错误或二进制内容的文件时,您的天真解决方案将会失败。
答案 1 :(得分:0)
我认为最有效的方法是从文件末尾开始并以块的形式读取它。然后,向后搜索第一行。
即。
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;
}
}
选择理想缓冲区大小的提示: