IT

Java의 파일에서 특정 줄 번호를 사용하여 특정 줄을 읽는 방법은 무엇입니까?

lottoking 2020. 9. 15. 07:59
반응형

Java의 파일에서 특정 줄 번호를 사용하여 특정 줄을 읽는 방법은 무엇입니까?


Java에서 파일에서 특정 행을 읽는 방법이 있습니까? 예를 들어, 32 행 또는 다른 행 번호를 기재했습니다.


파일의 줄에 대한 사전 지식이없는 한 이전 31 줄을 읽지 않고 32 번째 줄에 직접 액세스 할 수있는 방법이 없습니다.

이는 모든 언어와 모든 최신 파일 시스템에 해당됩니다.

그래서 당신은 32 번째 줄을 읽을 때까지 줄을 읽을 것입니다.


Java 8 솔루션 :

작은 파일의 경우 :

String line32 = Files.readAllLines(Paths.get("file.txt")).get(32)

대용량 파일의 경우 :

try (Stream<String> lines = Files.lines(Paths.get("file.txt"))) {
    line32 = lines.skip(31).findFirst().get();
}

내가 아는 것은 BufferedReader의 readline () 함수를 사용하여 아무것도하지 않고 처음 31 줄을 반복하는 것입니다.

FileInputStream fs= new FileInputStream("someFile.txt");
BufferedReader br = new BufferedReader(new InputStreamReader(fs));
for(int i = 0; i < 31; ++i)
  br.readLine();
String lineIWant = br.readLine();

물론 Joachim이 맞습니다. Chris의 대체 구현 (전체 파일을로드하기 때문에 해당)은 Apache의 commons-io를 사용하는 것을 사용할 수 있습니다. 이것은 다른 것들에도 유용하다고 생각하면 이해가 될 수 있습니다).

예를 들면 :

String line32 = (String) FileUtils.readLines(file).get(31);

http://commons.apache.org/io/api-release/org/apache/commons/io/FileUtils.html#readLines(java.io.File , java.lang.String)


인덱싱 된 파일 숨김 기 (Apache 2.0)를 볼 수 있습니다 . IndexedFileReader 클래스는 키 가 줄 번호이고 값이 읽은 줄인 SortedMap을 반환하는 readLines (int from, int to) 라는 메서드 가 있습니다.

예 :

File file = new File("src/test/resources/file.txt");
reader = new IndexedFileReader(file);

lines = reader.readLines(6, 10);
assertNotNull("Null result.", lines);
assertEquals("Incorrect length.", 5, lines.size());
assertTrue("Incorrect value.", lines.get(6).startsWith("[6]"));
assertTrue("Incorrect value.", lines.get(7).startsWith("[7]"));
assertTrue("Incorrect value.", lines.get(8).startsWith("[8]"));
assertTrue("Incorrect value.", lines.get(9).startsWith("[9]"));
assertTrue("Incorrect value.", lines.get(10).startsWith("[10]"));      

위의 예는 다음 형식으로 50 줄로 구성된 텍스트 파일을 읽습니다.

[1] The quick brown fox jumped over the lazy dog ODD
[2] The quick brown fox jumped over the lazy dog EVEN

Disclamer :이 라이브러리를 썼습니다.


다른 답변에서 말했듯이 이전에 어떤 줄을 알지 없습니다. 그래서 저는 모든 라인의 값을 저장하는 임시 보안 파일을 달성했습니다. 파일이 충분히 작 으면 별도의 파일 없이도 고급 (오프셋)을 사용할 수 있습니다.

The offsets can be calculated by using the RandomAccessFile

    RandomAccessFile raf = new RandomAccessFile("myFile.txt","r"); 
    //above 'r' means open in read only mode
    ArrayList<Integer> arrayList = new ArrayList<Integer>();
    String cur_line = "";
    while((cur_line=raf.readLine())!=null)
    {
    arrayList.add(raf.getFilePointer());
    }
    //Print the 32 line
    //Seeks the file to the particular location from where our '32' line starts
    raf.seek(raf.seek(arrayList.get(31));
    System.out.println(raf.readLine());
    raf.close();

자세한 내용은 Java 문서를 참조하십시오. https://docs.oracle.com/javase/8/docs/api/java/io/RandomAccessFile.html#mode

문자 : 전체 파일을 한 번 읽습니다. 메모리 요구 사항에 유의하십시오. 메모리에 저장하는 것이 너무 크면 위와 같이 ArrayList 대신에 저장하는 임시 파일을 만드십시오.

참고 : '32'줄에서 원하는 모든 것을 원한다면 다른 클래스를 통해 '32'번 사용할 수있는 readLine ()을 호출하면됩니다. 위의 접근 방식은 특정 라인 (물론 라인 번호 기준)을 여러 번 가져 오려는 경우 유용합니다.

감사 !


아니요, 해당 파일 형식에서 줄 길이가 미리 결정되지 않은 경우 (예 : 고정 된 길이의 모든 줄) 개수를 계산하려면 한 줄씩 반복해야합니다.


또 다른 방법.

try (BufferedReader reader = Files.newBufferedReader(
        Paths.get("file.txt"), StandardCharsets.UTF_8)) {
    List<String> line = reader.lines()
                              .skip(31)
                              .limit(1)
                              .collect(Collectors.toList());

    line.stream().forEach(System.out::println);
}

텍스트 파일에 대해 이야기하고 있다면 그 앞에 오는 모든 줄을 읽지 않고는이 작업을 수행 할 수 없습니다. 결국 줄은 줄 바꿈의 존재에 의해 결정되므로 읽어야합니다.

readline을 지원하는 스트림을 사용하고 첫 번째 X-1 행을 읽고 결과를 덤프 한 후 다음 행을 처리하십시오.


자바 8에서는

작은 파일의 경우 :

String line = Files.readAllLines(Paths.get("file.txt")).get(n);

대용량 파일의 경우 :

String line;
try (Stream<String> lines = Files.lines(Paths.get("file.txt"))) {
    line = lines.skip(n).findFirst().get();
}

Java 7에서

String line;
try (BufferedReader br = new BufferedReader(new FileReader("file.txt"))) {
    for (int i = 0; i < n; i++)
        br.readLine();
    line = br.readLine();
}

출처 : 파일에서 n 번째 줄 읽기


그것은 나를 위해 작동합니다 : 간단한 텍스트 파일 읽기 의 대답을 결합했습니다.

그러나 문자열을 반환하는 대신 LinkedList of Strings를 반환합니다. 그런 다음 원하는 라인을 선택할 수 있습니다.

public static LinkedList<String> readFromAssets(Context context, String filename) throws IOException {
    BufferedReader reader = new BufferedReader(new InputStreamReader(context.getAssets().open(filename)));
    LinkedList<String>linkedList = new LinkedList<>();
    // do reading, usually loop until end of file reading
    StringBuilder sb = new StringBuilder();
    String mLine = reader.readLine();
    while (mLine != null) {
        linkedList.add(mLine);
        sb.append(mLine); // process line
        mLine = reader.readLine();


    }
    reader.close();
    return linkedList;
}

이 코드를 사용하십시오.

import java.nio.file.Files;

import java.nio.file.Paths;

public class FileWork 
{

    public static void main(String[] args) throws IOException {

        String line = Files.readAllLines(Paths.get("D:/abc.txt")).get(1);

        System.out.println(line);  
    }

}

BufferedReader 대신 LineNumberReader를 사용할 수 있습니다. API를 살펴보십시오. setLineNumber 및 getLineNumber 메소드를 찾을 수 있습니다.


BufferedReader의 하위 클래스 인 LineNumberReader를 살펴볼 수도 있습니다. readline 메소드와 함께 행 번호에 액세스하는 setter / getter 메소드도 있습니다. 파일에서 데이터를 읽는 동안 읽은 행 수를 추적하는 데 매우 유용합니다.


public String readLine(int line){
        FileReader tempFileReader = null;
        BufferedReader tempBufferedReader = null;
        try { tempFileReader = new FileReader(textFile); 
        tempBufferedReader = new BufferedReader(tempFileReader);
        } catch (Exception e) { }
        String returnStr = "ERROR";
        for(int i = 0; i < line - 1; i++){
            try { tempBufferedReader.readLine(); } catch (Exception e) { }
        }
        try { returnStr = tempBufferedReader.readLine(); }  catch (Exception e) { }

        return returnStr;
    }

skip () 함수를 사용하여 처음부터 줄을 건너 뛸 수 있습니다.

public static void readFile(String filePath, long lineNum) {
    List<String> list = new ArrayList<>();
    long totalLines, startLine = 0;

    try (Stream<String> lines = Files.lines(Paths.get(filePath))) {
        totalLines = Files.lines(Paths.get(filePath)).count();
        startLine = totalLines - lineNum;
        // Stream<String> line32 = lines.skip(((startLine)+1));

        list = lines.skip(startLine).collect(Collectors.toList());
        // lines.forEach(list::add);
    } catch (IOException e1) {
        // TODO Auto-generated catch block
        e1.printStackTrace();
    }

    list.forEach(System.out::println);

}

그들은 모두 틀 렸습니다. 제가 방금 약 10 초 만에 썼습니다. 이것으로 메인 메소드에서 object.getQuestion ( "linenumber")를 호출하여 원하는 라인을 반환 할 수있었습니다.

public class Questions {

File file = new File("Question2Files/triviagame1.txt");

public Questions() {

}

public String getQuestion(int numLine) throws IOException {
    BufferedReader br = new BufferedReader(new FileReader(file));
    String line = "";
    for(int i = 0; i < numLine; i++) {
        line = br.readLine();
    }
    return line; }}

참고 URL : https://stackoverflow.com/questions/2312756/how-to-read-a-specific-line-using-the-specific-line-number-from-a-file-in-java

반응형