有没有办法在一个 Java8 流中读取两个或多个文件?

Is there any way for reading two or more files in one Java8-stream?

我喜欢新的 Java8 StreamAPI 并且希望它不仅仅用于一个文件。 像往常一样,我使用这个代码:

Stream<String> lines = Files.lines(Paths.get("/somepathtofile"));

但是如果可能的话,如何在一个流中读取两个文件呢?

没有任何额外的辅助函数或外部库,最简单的是:

Stream<String> lines1 = Files.lines(Paths.get("/somepathtofile"));
Stream<String> lines2 = Files.lines(Paths.get("/somepathtoanotherfile"));

Stream.concat(lines1, lines)
    .filter(...)
    .forEach(...);

如果 Files.lines 没有被声明为抛出检查异常,你可以做

Stream.of("/file1", "/file2")
     .map(Paths::get)
     .flatMap(Files::lines)....

但是,唉,我们不能那样做。有几种解决方法。一种是制作自己的 Files.lines 版本,调用标准版本,捕获 IOException 并作为 UncheckedIOException 重新抛出。另一种方法是一种更通用的方法,可以从抛出已检查异常的方法中创建函数。它看起来像这样:

@FunctionalInterface
public interface ThrowingFunction<T,R> extends Function<T,R> {

    @Override
    public default R apply(T t) {
        try {
            return throwingApply(t);
        } catch (Exception e) {
            throw new RuntimeException(e);
        }
    }

    public static<T,R> Function<T,R> wrap(ThrowingFunction<T,R> f) {
        return f;
    }

    R throwingApply(T t) throws Exception;
}

然后

Stream.of("/somefile", "/someotherfile", "/yetanotherfile")
        .map(Paths::get)
        .flatMap(ThrowingFunction.wrap(Files::lines))
        .....

有几个库经历了为每个功能接口编写类似上述内容的麻烦。

使用 cyclops-streams(我们创建的库)您可以编写

  SequenceM.of("/somepathtofile1","/somepathtofile2")
             .flatMapFile(File::new)
             .forEach(System.out::println);

Javadoc SequenceM 扩展了 java.util.stream.Stream(以及 org.jooq.lambda.Seq)以添加许多额外的便利方法。

您可以使用以下代码

Files.list(Paths.get("path"))
            .filter(Files::isRegularFile)
            .flatMap(s -> {
                try {
                    return Files.lines(s);
                } catch (IOException e) {
                    e.printStackTrace();
                }
                return null;
            })
            .forEach(System.out::println);