Scanner 的 nextInt() 失误:理解 NoSuchElementException
当尝试使用 Scanner 的 nextInt() 方法检索整数时,您可能会遇到可怕的错误:NoSuchElementException。当没有更多的整数可用于从输入流中检索时,就会出现这种情况。
为了查明罪魁祸首,我们仔细检查代码片段:
Scanner s = new Scanner(System.in); int choice = s.nextInt(); // Error occurs here s.close();
nextInt() 方法假设整数正在等待读取,但在我们的例子中,可能没有一个。为了防止这个错误,我们可以利用 Scanner 提供的 hasNextXXXX() 方法。这些方法验证适当数据类型的可用性,确保输入已准备好检索。
在这种特定场景中,我们可以通过使用 hasNextInt() 来纠正问题:
Scanner s = new Scanner(System.in); int choice = 0; if (s.hasNextInt()) { choice = s.nextInt(); } s.close();
hasNextInt() 检查确保在尝试使用 nextInt() 检索整数之前该整数存在。这消除了出现 NoSuchElementException 的可能性。
因此,请记住,在处理 Scanner 的 nextInt() 方法时,始终使用 hasNextInt() 来保证有一个整数正在等待被消耗。
以上是为什么在使用 Scanner 的 nextInt() 时会出现 NoSuchElementException?的详细内容。更多信息请关注PHP中文网其他相关文章!