将两个扫描仪类实例压缩为一个

时间:2012-11-18 18:29:26

标签: java java.util.scanner

我创建了一种将多行转换为Pig Latin的方法。预期的输入如下:

The cat jumped over the fox

我的代码输出文本,正确翻译成Pig Latin并使用正确的格式(即单词分开,行分开。但是,我通过使用扫描类的两个实例来完成此操作。 有谁能建议我如何删除这两个实例并将它们压缩成一个?

顺便说一句,随时提供任何其他建议,但请记住,我是一个仍在学习的新手!

    File file = new File("projectdata.txt");
    try 
    {
        Scanner scan1 = new Scanner(file);
        while (scan1.hasNextLine()) 
        {
            Scanner scan2 = new Scanner(scan1.nextLine());
            while (scan2.hasNext())
            {
                String s = scan2.next();
                boolean moreThanOneSyllable = Syllable.hasMultipleSyllables(s);
                char firstLetter = s.charAt(0);
                String output = "";
                if (!moreThanOneSyllable && "aeiou".indexOf(firstLetter) >= 0)
                    output = s + "hay" + " ";
                else if (moreThanOneSyllable && "aeiou".indexOf(firstLetter) >= 0)
                    output = s + "way" + " ";
                else 
                {
                    String restOfWord = s.substring(1);
                    output = restOfWord + firstLetter + "ay" + " ";
                }
                System.out.print(output);
            }
            System.out.println("");
            scan2.close();
        }
        scan1.close();
    } 

    catch (FileNotFoundException e) 
    {
        e.printStackTrace();
    }
}

注意:几天前我在Code Overflow上发布了类似的内容,并从我在那里得到的答案中得到了一些建议。然而,虽然有人建议不使用两个扫描仪类,但我无法正确地进行格式化。

1 个答案:

答案 0 :(得分:0)

使用外循环,您可以逐行读取文件。使用外循环,您将每行读作字符串。

Scanner scan2 = new Scanner(scan1.nextLine());

这样你就试图使用String阅读Scanner。您应该按如下方式进行更改:

String line = scan1.nextLine();

将该行拆分为一个字符串(单词)数组并对其进行处理。

String[] words = line.split("\\s+");

内部循环可以遍历数组。

for(String word : words) {
    //your existing logic can go here
}

<强>更新

您可以按如下方式转义空行。不需要任何异常处理。

String line = scan1.nextLine();
if(line.isEmpty()) {
    System.out.println();
    continue;
}