关于spring:真的简单文本文件逐行处理–用java8-Stream流的方式

43次阅读

共计 1353 个字符,预计需要花费 4 分钟才能阅读完成。

本文中为大家介绍应用 java8 Stream API 逐行读取文件,以及依据某些条件过滤文件内容

1. Java 8 逐行读取文件

在此示例中,我将按行读取文件内容并在控制台打印输出。

Path filePath = Paths.get("c:/temp", "data.txt");
 
//try-with-resources 语法, 不必手动的编码敞开流
try (Stream<String> lines = Files.lines( filePath)) 
{lines.forEach(System.out::println);
} 
catch (IOException e) 
{e.printStackTrace();// 只是测试用例,生产环境下不要这样做异样解决
}

下面的程序输入将在控制台中逐行打印文件的内容。

Never
store
password
except
in mind.

2.Java 8 读取文件–过滤行

在此示例中,咱们将文件内容读取为 Stream。而后,咱们将过滤其中蕴含单词 ”password” 的所有行。

Path filePath = Paths.get("c:/temp", "data.txt");
 
try (Stream<String> lines = Files.lines(filePath)){
 
     List<String> filteredLines = lines
                    .filter(s -> s.contains("password"))
                    .collect(Collectors.toList());
      
     filteredLines.forEach(System.out::println);
 
} catch (IOException e) {e.printStackTrace();// 只是测试用例,生产环境下不要这样做异样解决
}

程序输入。

password

咱们将读取给定文件的内容,并查看是否有任何一行蕴含 ”password” 而后将其打印进去。

3.Java 7 –应用 FileReader 读取文件

Java 7 之前的版本,咱们能够应用 FileReader 形式进行逐行读取文件。

private static void readLinesUsingFileReader() throws IOException 
{File file = new File("c:/temp/data.txt");
 
    FileReader fr = new FileReader(file);
    BufferedReader br = new BufferedReader(fr);
 
    String line;
    while((line = br.readLine()) != null)
    {if(line.contains("password")){System.out.println(line);
        }
    }
    br.close();
    fr.close();}

欢送关注我的博客,外面有很多精品合集

  • 本文转载注明出处(必须带连贯,不能只转文字):字母哥博客。

感觉对您有帮忙的话,帮我点赞、分享!您的反对是我不竭的创作能源!。另外,笔者最近一段时间输入了如下的精品内容,期待您的关注。

  • 《手摸手教你学 Spring Boot2.0》
  • 《Spring Security-JWT-OAuth2 一本通》
  • 《实战前后端拆散 RBAC 权限管理系统》
  • 《实战 SpringCloud 微服务从青铜到王者》
  • 《VUE 深入浅出系列》

正文完
 0