0

该代码第一次通过。但在那之后,输出不起作用。这样做的主要目标是创建一个无限循环,要求用户输入一个短语,然后是一个字母。然后,输出短语中字母的出现次数。另外 - - 我将如何通过输入一个单词来打破这个循环?

Scanner in = new Scanner(System.in);

for (;;) {

    System.out.println("Enter a word/phrase");
    String sentence = in.nextLine();

    int times = 0;

    System.out.println("Enter a character.");
    String letter = in.next();

    for (int i = 0; i < sentence.length(); i++) {
        char lc = letter.charAt(0);
        char sc = sentence.charAt(i);
        if (lc == sc) {
            times++;
        }
    }
    System.out.print("The character appeared:" + times + " times.");
}
4

3 回答 3

2

删除for循环并用while替换它。

while 循环应该检查一个短语,当遇到这个短语时它会自动退出。

所以像

while (!phraseToCheckFor){
// your code
}

这听起来像家庭作业,所以我不会发布所有代码,但这应该足以让你开始。

于 2013-11-03T21:31:21.187 回答
0

如果您需要无限循环,只需执行以下操作:

for(;;) {  //or while(true) {
    //insert code here
}

您可以使用该break语句来中断循环,例如:

for(;;) {
    String s = in.nextLine();
    if(s.isEmpty()) {
        break; //loop terminates here
    }
    System.out.println(s + " isn't empty.");
}
于 2013-11-03T21:30:45.803 回答
0

为了让您的程序正确运行,您需要使用最后一个换行符。您可以通过添加对nextLine的调用来做到这一点。工作示例,

public static void main(String[] args) {

        Scanner in = new Scanner(System.in);

        for (;;) {

            System.out.println("Enter a word/phrase");
            String sentence = in.nextLine();

            if (sentence.trim().equals("quit")) {
                break;
            }

            int times = 0;


            System.out.println("Enter a character.");
            String letter = in.next();

            for (int i = 0; i < sentence.length(); i++) {
                char lc = letter.charAt(0);
                char sc = sentence.charAt(i);
                if (lc == sc) {
                    times++;
                }
            }
            System.out.println("The character appeared:" + times + " times.");
            in.nextLine();//consume the last new line
        }
    }
于 2013-11-03T21:36:52.273 回答