Java를 사용하여 텍스트 파일의 마지막 줄을 효율적으로 읽기
큰 텍스트 파일의 마지막 줄을 효율적으로 읽는 것은 일반적인 과제입니다. 자바 프로그래밍. 파일을 한 줄씩 읽는 표준 방법은 전체 파일을 반복해야 하기 때문에 효율적이지 않습니다.
더 효율적인 접근 방식은 RandomAccessFile 클래스를 사용하는 것입니다. 이 클래스는 파일에 대한 무작위 액세스를 허용하므로 전체 파일을 단계별로 실행하지 않고도 마지막 줄에 직접 액세스할 수 있습니다. 다음 코드는 이 접근 방식을 보여줍니다.
public String tail(File file) { RandomAccessFile fileHandler = null; try { fileHandler = new RandomAccessFile(file, "r"); long fileLength = fileHandler.length() - 1; StringBuilder sb = new StringBuilder(); // Start from the last character of the file for (long filePointer = fileLength; filePointer != -1; filePointer--) { fileHandler.seek(filePointer); int readByte = fileHandler.readByte(); // Check for line break if (readByte == 0xA) { if (filePointer == fileLength) { continue; } break; } else if (readByte == 0xD) { if (filePointer == fileLength - 1) { continue; } break; } // Append character to the string builder sb.append((char) readByte); } String lastLine = sb.reverse().toString(); return lastLine; } catch (java.io.FileNotFoundException e) { e.printStackTrace(); return null; } catch (java.io.IOException e) { e.printStackTrace(); return null; } finally { if (fileHandler != null) { try { fileHandler.close(); } catch (IOException e) { /* ignore */ } } } }
이 메서드는 전체 파일을 로드하거나 단계별로 실행하지 않고 파일의 마지막 줄을 효율적으로 반환합니다.
그러나 많은 시나리오에서는 다음이 필요할 수 있습니다. 파일의 마지막 N 줄을 읽습니다. 다음 코드는 이를 달성할 수 있는 메서드를 보여줍니다.
public String tail2(File file, int lines) { RandomAccessFile fileHandler = null; try { fileHandler = new java.io.RandomAccessFile(file, "r"); long fileLength = fileHandler.length() - 1; StringBuilder sb = new StringBuilder(); int line = 0; // Start from the last character of the file for (long filePointer = fileLength; filePointer != -1; filePointer--) { fileHandler.seek(filePointer); int readByte = fileHandler.readByte(); // Check for line break if (readByte == 0xA) { if (filePointer < fileLength) { line = line + 1; } } else if (readByte == 0xD) { if (filePointer < fileLength - 1) { line = line + 1; } } // Break if the required number of lines have been reached if (line >= lines) { break; } // Append character to the string builder sb.append((char) readByte); } String lastLine = sb.reverse().toString(); return lastLine; } catch (java.io.FileNotFoundException e) { e.printStackTrace(); return null; } catch (java.io.IOException e) { e.printStackTrace(); return null; } finally { if (fileHandler != null) { try { fileHandler.close(); } catch (IOException e) { } } } }
이 메서드는 RandomAccessFile 클래스를 유사하게 사용하여 파일의 마지막 N 줄을 효율적으로 읽습니다.
이러한 메서드는 다음과 같이 호출할 수 있습니다. 다음은 다음과 같습니다.
File file = new File("D:\stuff\huge.log"); System.out.println(tail(file)); System.out.println(tail2(file, 10));
참고: 이러한 방법은 반전으로 인해 유니코드 문자를 올바르게 생성하지 못할 수 있으므로 다른 언어로 철저히 테스트하는 것이 중요합니다.
위 내용은 Java에서 텍스트 파일의 마지막 줄을 효율적으로 읽는 방법은 무엇입니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!