Non-blocking (NIO) reading of lines

前端 未结 9 838
滥情空心
滥情空心 2020-12-31 07:01

I need to read a file line by line using java.nio, but nio doesn\'t have a method like readline() to read one, complete line at a time

9条回答
  •  时光取名叫无心
    2020-12-31 07:54

    1) You could convert a BufferedReader to a Stream using the lines method

    List list = new ArrayList<>();
    
    try (BufferedReader br = new BufferedReader(new FileReader(file))) {
        list = br.lines().collect(Collectors.toList());    
    }
    

    2) Get a Stream directly using the Files.lines method:

    try (Stream stream = Files.lines(Paths.get(fileName))) {
        stream
            .filter(s -> s.endswith("/"))
            .map(String::toUpperCase)
            .forEach(System.out::println);
    }
    

    As DanielBraun points out in his answer, you could also use the readAllLines method instead of the lines method, difference being, straight from the docs:

    Unlike readAllLines, this method does not read all lines into a List, but instead populates lazily as the stream is consumed.

    The package summary page from Java docs gives a nice and concise overview about Streams, and this article also lists out a few other ways of reading a file by line in Java.

提交回复
热议问题