您认为什么是在另一张地图中的一张地图中查找值的最佳方法。
Map <String, String> map1 = new HashMap<>();
map1.put("map1|1", "1.1");
map1.put("map1|2", "1.2");
map1.put("map1|3", "1.3");
map1.put("map1|4", "1.4");
Map <String, String> map2 = new HashMap<>();
map2.put("map2|1", "2.1");
map2.put("map2|2", "2.2");
map2.put("map2|3", "2.3");
map2.put("map2|4", "2.4");
Map<String, Map> mapOfMaps = new HashMap<>();
mapOfMaps.put("MAP|map1", map1);
mapOfMaps.put("MAP|map2", map2);
现在,如果我需要“ MAP | map2”(在mapOfMaps内)和“ map2 | 3”(在map2内)的值将为“ 2.3”
我试图做类似的事情:
System.out.println("x="+getValue(mapOfMaps,"MAP|map2", "map2|4"));
public static String getValue (Map<String, Map> map,String mapfind, String val) {
Map<Object, Object> mp = map.entrySet().stream()
.filter(x -> x.getKey().equals(mapfind))
.collect(Collectors.toMap(p -> p.getKey(), p -> p.getValue()));
System.out.println("--------"+mp);
return (String) mp.get(val);
}
但结果是:
--------{MAP|map2={map2|1=2.1, map2|4=2.4, map2|2=2.2, map2|3=2.3}}
x=null
你能帮我一些想法吗?
最佳答案
与其通过raw type声明mapOfMaps
,不如将其定义为
Map<String, Map<String, String>> mapOfMaps = new HashMap<>();
相应的
getValue
方法如下所示: public static String getValue(Map<String, Map<String, String>> mapOfMaps, String mapfind, String val) {
Map<String, String> innerMap = mapOfMaps.get(mapfind);
return innerMap != null ?
innerMap.get(val) :
null;
}
使用
Optional
我们可以编写如下: public static String getValue(Map<String, Map<String, String>> mapOfMaps, String mapfind, String val) {
return Optional.ofNullable(mapOfMaps.get(mapfind))
.map(m -> m.get(val))
.orElse(null);
}
如果我们用原始类型声明
mapOfMaps
,我们将在getValue
的第一个版本中得到有关unchecked conversion的类型安全警告,在第二个版本中,我们需要将结果显式转换为String
。由于我们仅使用mapOfMaps
将String
键映射到String
值,因此应相应地声明它。进一步阅读:What is a raw type and why shouldn't we use it?