我有一个包含以下数据的日志文件:

最短路径(2):: RV3280-RV0973C-RV2888C
最短路径(1):: RV3280-RV2502C
最短路径(2):: RV3280-RV2501C-RV1263
最短路径(2):: RV2363-Rv3285-RV3280

在每一行中,我都需要括号内的数字,第一个蛋白质的名称(第一行中的RV3280)和最后一个蛋白质的名称(第一行中的RV2888C)。

我已经使用Scanner对象为此编写了一个代码。

try{
                Scanner s = new Scanner(new File(args[0]));
                while (s.hasNextLine()) {
                    s.findInLine("Shortest path\\((\\d+)\\)::(\\w+).*-(\\w+)"); // at each line, look for this pattern
                    MatchResult result = s.match(); // results from
                    for (int i=1; i<=result.groupCount(); i++) {
                        System.out.println(result.group(i));
                    }
                    s.nextLine(); // line no. 29
                }
                s.close();
        }

        catch (FileNotFoundException e) {
            System.out.print("cannot find file");
        }

我得到了预期的结果,但我也收到了一条错误消息。我为上述输入文件得到的输出是:
Exception in thread "main" java.util.NoSuchElementException: No line found
        at java.util.Scanner.nextLine(Scanner.java:1516)
        at nearnessindex.Main.main(Main.java:29)
2
RV3280
RV2888C
1
RV3280
RV2502C
2
RV3280
RV1263
2
RV2363
RV3280
Java Result: 1
BUILD SUCCESSFUL (total time: 1 second)

为什么会发生此错误,如何解决?

最佳答案

您的输入数据可能不会以行分隔符结尾,而这会导致这种情况。调用findInLine会将扫描仪移到匹配的模式之外,如果您在调用nextLine时位于输入数据的末尾,则会抛出NoSuchElementException
一个简单的解决方法,而无需重新安排太多代码,将结束while循环:

if (s.hasNextLine()) {
    s.nextLine();
}

09-05 19:38