线程主java.util.InputMismatchException中的异常

时间:2015-06-28 10:10:47

标签: java

我正在实施一个简单的HashMap程序,它存储人名和年龄。 这是我的代码:

import java.util.*;

class StoreName {
    public static void main(String[] args) {
        HashMap<String, Integer> map = new HashMap<String, Integer>();
        Scanner sc = new Scanner(System.in);
        for (int i = 0; i < 5; i++) {
            String name = sc.nextLine();
            int age = sc.nextInt();
            map.put(name, age);
        }

        for (String key : map.keySet())
            System.out.println(key + "=" + map.get(key));
    }
}

当我从nextInt()获取输入时,扫描程序抛出InputMismatchException异常 但是如果我从nextLine()获取输入然后将其解析为int,那么我的代码就可以正常运行了。请解释一下。

如果我可以将字符串输入解析为任何类型,我为什么还要使用nextInt()或nextDouble()。

2 个答案:

答案 0 :(得分:6)

sc.nextInt()没有阅读整行。

假设您输入

John
20
Dan
24

现在让我们看看每个扫描仪调用将返回的内容:

  String name=sc.nextLine(); // "John"
  int age=sc.nextInt(); // 20
  String name=sc.nextLine(); // "" (the end of the second line)
  int age=sc.nextInt(); // "Dan" - oops, this is not a number - InputMismatchException 

以下小改动将克服该异常:

for(int i=0;i<5;i++)
{
   String name=sc.nextLine();
   int age=sc.nextInt();
   sc.nextLine(); // add this
   map.put(name,age);
}

现在,Scanner将正常运行:

String name=sc.nextLine(); // "John"
int age=sc.nextInt(); // 20
sc.nextLine(); // "" (the end of the second line)
String name=sc.nextLine(); // "Dan"
int age=sc.nextInt(); // 24
sc.nextLine(); // "" (the end of the fourth line)

答案 1 :(得分:1)

尝试使用sc.next()来读取名称,而不是使用nextLine()

for (int i = 0; i < 5; i++) {
    String name = sc.next();//Change here
    int age = sc.nextInt();
    map.put(name, age);
}

可以在此处找到有关next()和nextLine()之间差异的详细说明

What's the difference between next() and nextLine() methods from Scanner class?