您可以使用一个扫描程序对象读取多个文件吗?

Can you use one scanner object to read more than one file?

提问人:Joe 提问时间:1/28/2021 更新时间:1/28/2021 访问量:1019

问:

我想知道的是,我是否可以创建一个 Scanner 对象,并且能够读取一个文件,完成读取其内容,然后读取另一个文件。

因此,与其这样做:

Scanner scan = new Scanner(file);
Scanner scan2 = new Scanner(file2);

我会有类似的东西

Scanner scan = new Scanner(file);
*Code reading contents of file*
scan = Scanner(file2);

提前致谢!

java io java.util.scanner

评论

0赞 Slaw 1/28/2021
你是在问如何使用单个变量,还是单个实例?Scanner
0赞 Charlie Armstrong 1/28/2021
不。每个 Scanner 对象只能从一个源获取输入。但是,您可以创建一个 SequenceInputStream,它可用于从多个文件中获取输入并将其全部合并到一个输入流中,然后您的扫描仪可以从中读取数据。
0赞 NomadMaker 1/28/2021
您可以做您想做的事,尽管您正在创建第二个扫描仪。在覆盖引用之前,应关闭第一个引用。
0赞 Jim Garrison 1/28/2021
你为什么要这样做?没有任何好处,它只会使您的代码复杂化。

答:

2赞 Charlie Armstrong 1/28/2021 #1

您可以通过两种不同的方式执行此操作。一种是简单地创建一个新的 Scanner 对象,这似乎是您想要的。为此,您只需将一个新的 Scanner 对象分配给同一个变量,然后就可以从新的 Scanner 中读取数据。像这样的东西:

Scanner scan = new Scanner(file);
// Code reading contents of file
scan.close();
scan = new Scanner(file2);
// Code reading contents of file2
scan.close();

现在,您实际上询问了使用单个 Scanner 对象从多个文件中读取的问题,因此从技术上讲,上面的代码并不能回答您的问题。如果您查看 Scanner 的文档,则没有更改输入源的方法。值得庆幸的是,Java 有一个简洁的小类,叫做 SequenceInputStream。这使您可以将两个输入流合并为一个。它从第一个输入流读取,直到它完全耗尽,然后切换到第二个输入流。我们可以使用它从一个文件读取,然后切换到第二个文件,所有这些都在一个输入流中。下面是如何执行此操作的示例:

// Create your two separate file input streams:
FileInputStream fis1 = new FileInputStream(file);
FileInputStream fis2 = new FileInputStream(file2);

// We want to be able to see the separation between the two files,
// so I stuck a double line separator in here (not necessary):
ByteArrayInputStream sep = new ByteArrayInputStream((System.lineSeparator() + System.lineSeparator()).getBytes());

// Combine the first file and the separator into one input stream:
SequenceInputStream sis1 = new SequenceInputStream(fis1, sep);

// Combine our combined input stream above and the second file into one input stream:
SequenceInputStream sis2 = new SequenceInputStream(sis1, fis2);

// Print it all out:
try (Scanner scan = new Scanner(sis2)) {
    scan.forEachRemaining(System.out::println);
}

这将产生如下内容:

Content
of
file
1

Content
of
file
2

现在,您实际上只创建了一个 Scanner 对象,并且您可以使用它从两个不同的文件中读取输入。

注意:为了减少样板代码,我省略了上述代码片段中的所有异常处理,因为问题没有明确涉及异常。我假设您知道如何自己处理异常。

评论

0赞 Joe 1/29/2021
我知道如何处理异常,非常感谢您的帮助!