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

mec*_*kos 6 java file-io java-8 java-stream

我喜欢新的Java8 StreamAPI,并且不仅要将它用于一个文件.通常,我使用此代码:

Stream<String> lines = Files.lines(Paths.get("/somepathtofile"));
Run Code Online (Sandbox Code Playgroud)

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

Mis*_*sha 11

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

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

Stream.concat(lines1, lines)
    .filter(...)
    .forEach(...);
Run Code Online (Sandbox Code Playgroud)

如果Files.lines没有声明要抛出一个检查过的异常,你就能做到

Stream.of("/file1", "/file2")
     .map(Paths::get)
     .flatMap(Files::lines)....
Run Code Online (Sandbox Code Playgroud)

但是,唉,我们不能这样做.有几种解决方法.一种是使你自己的版本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;
}
Run Code Online (Sandbox Code Playgroud)

然后

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

有几个库经历了为每个功能接口编写类似上面的东西的麻烦.

  • 这不是更好或更糟.这不一样.如果您发现自己经常遇到类似问题并且检查异常,那么您可能应该使用可以在任何地方应用的通用解决方案.如果只是这一次,也许适度的解决方案更合适.无论您感觉如何,您的代码都更容易理解. (2认同)