我试图编写以下代码,以便在输入E时允许连续抛硬币并退出。不确定do-while循环是否是连续执行的正确方法,或者我应该使用其他方法。
do {
guess = sc.next();
tossGenerator(guess);
}while(!guess.equals("E")||!guess.equals("e"));
所以,我是否错误地使用了代码,因为我无法退出do循环或者应该使用不同的方法。请帮忙。谢谢。
答案 0 :(得分:8)
将&&
更改为||
:
} while (!guess.equals("E") && !guess.equals("e"));
或者像这样重新排列:
} while (!(guess.equals("E") || guess.equals("e")));
或者,您可以使用String.equalsIgnoreCase()
并删除conjunction:
} while (!guess.equalsIgnoreCase("e"));
答案 1 :(得分:3)
将其更改为
while(!guess.equalsIgnoreCase("E") );
答案 2 :(得分:2)
退出条件应该是AND运算符:
!guess.equals("E") && !guess.equals("e")
否则任何"E"
或"e"
至少会使其中一个变得非常真实,因为如果它是“e”那么它就不是“E”而反之亦然。
答案 3 :(得分:1)
您的代码存在的一个问题是,即使tossGenerator(guess)
为“e”,它也会调用guess
。另一个是guess
总是不是“e”或不是“E”(它不能同时出现)。我会这样写:
guess = sc.next();
while (!"e".equalsIgnoreCase(guess)) {
tossGenerator(guess);
guess = sc.next();
}
或者,使用for
循环:
for (guess = sc.next(); !"e".equalsIgnoreCase(guess); guess = sc.next()) {
tossGenerator(guess);
}