如何使用<string,list <integer =“” >>将值存储在哈希图中

时间:2018-11-01 17:33:22

标签: java hashmap

我有以下数组

我正在尝试将数组信息保存在哈希图中。

String[][] students = {{"Bobby", 87}, {"Charles", 100}, {"Eric", 64}, 
                               {"Charles", 22}};

Map<String, List<Integer>> map = new HashMap<>();
List<Integer> score1 = new ArrayList<>();
for(int i=0; i<students.length; i++) {
    score1.add(students[i][1]);
    map.put(students[i][0], score1);
}

但是我想将信息存储在地图键值对中。

预期输出:

"Bobby" -> 87
"Charles" -> 100,22
"Eric" -> 64

实际输出:

{Charles=[87, 100, 64, 22], Eric=[87, 100, 64, 22], Bobby=[87, 100, 64, 22]}

我该怎么做?

5 个答案:

答案 0 :(得分:3)

使用java-8,您可以在一行中使用以下所有内容:

Map<String, List<Integer>> collect1 = 
     Arrays.stream(students).collect(Collectors.groupingBy(arr -> arr[0], 
              Collectors.mapping(arr -> Integer.parseInt(arr[1]), Collectors.toList())));

在这里,我们将学生姓名的第0个索引分组,第一个索引将保留该学生的分数。

答案 1 :(得分:2)

您需要区分现有数组和新数组:

 List<Integer> currScore = map.get(students[i][0])
 if (currScore != null) {
   currScore.add(students[i][1]);
 } else {
    List<Integer> newScore = new ArrayList<>();
    newScore.add(students[i][1]);
    map.put(students[i][0], newScore);
 }

还将变量名称更改为有意义的名称

答案 2 :(得分:2)

您可以在这里检查为什么原始代码甚至无法编译:https://ideone.com/AWgBWl

在对代码进行多次修复之后,这是正确的方法(遵循您的逻辑):

// values should be like this {"Bobby", "87"} because you declared it as
// an array of strings (String[][]), this {"Bobby", 87} is a String and an int
String[][] students = {{"Bobby", "87"}, {"Charles", "100"}, {"Eric", "64"}, {"Charles", "22"}};
// the inner list must be of Strings because of the previous comment
Map<String, List<String>> map = new HashMap<>();
// list of strings because of the previous comment
List<String> score1;

for(int i = 0; i < students.length; i++) {
    score1 = map.get(students[i][0]);     // check if there is a previously added list
    if (score1 == null) {
        score1 = new ArrayList<>();      // create a new list if there is not one previously added for that name
        map.put(students[i][0], score1);
    }
    map.get(students[i][0]).add(students[i][1]); // add a new value to the list inside the map
}
System.out.println(map.toString());
// {Charles=[100, 22], Eric=[64], Bobby=[87]}

此处演示:https://ideone.com/SJpTHs

答案 3 :(得分:2)

String[][] students = { { "Bobby", "87" }, { "Charles", "100" }, { "Eric", "64" }, { "Charles", "22" } };
Map<String, List<Integer>> map = new HashMap<>();
Stream.of(students).forEach(student -> map.computeIfAbsent(student[0], s -> new ArrayList<>()).add(Integer.parseInt(student[1])));

答案 4 :(得分:1)

自从您初始化循环外的列表并将其用于所有追加之后,hashmap中的所有条目都引用同一实例。对于学生中的每个条目,您需要检查是否已经有该学生的列表。如果是这样,则检索该特定列表并将其附加到该列表。如果不是,请创建一个新列表,然后追加。 for循环中的代码将类似于以下内容:

String name = students[i][0];
List<Integer> scores = map.get(name);
if (scores == null) {
    scores = new ArrayList<>();
}
scores.add(students[i][1]);
map.put(name, scores);