在Java中,我们可以使用Apache Commons IO ReversedLinesFileReader
读取File
的最后几行。
pom.xml
<dependency>
<groupId>commons-io</groupId>
<artifactId>commons-io</artifactId>
<version>2.6</version>
</dependency>
1.测试数据
服务器日志文件样本
d:\\server.log
a
b
c
d
1
2
3
4
5
2.阅读最后一行
2.1读取文件的最后3行。
TestReadLastLine.java
package com.mkyong.io;
import org.apache.commons.io.input.ReversedLinesFileReader;
import java.io.File;
import java.io.IOException;
import java.nio.charset.StandardCharsets;
import java.util.ArrayList;
import java.util.List;
public class TestReadLastLine {
public static void main(String[] args) {
List<String> lines = readLastLine(new File("D:\\server.log"), 3);
lines.forEach(x -> System.out.println(x));
}
public static List<String> readLastLine(File file, int numLastLineToRead) {
List<String> result = new ArrayList<>();
try (ReversedLinesFileReader reader = new ReversedLinesFileReader(file, StandardCharsets.UTF_8)) {
String line = "";
while ((line = reader.readLine()) != null && result.size() < numLastLineToRead) {
result.add(line);
}
} catch (IOException e) {
e.printStackTrace();
}
return result;
}
}
输出量
5
4
3
参考文献
- Apache Commons IO
- 文件JavaDocs
- ReversedLinesFileReader JavaDocs
- 如何用Java读取文件– BufferedReader
- Java 8 Stream –逐行读取文件
翻译自: https://mkyong.com/java/java-how-to-read-last-few-lines-of-a-file/