Java - 仅比较特定键的两个映射条目



假设我有两个地图:

Map<String, String> map1 = Map.of(
"a", "1",
"b", "2",
"c", "3",
"x", "9"
);
Map<String, String> map2 = Map.of(
"z", "9"
"a", "1",
"b", "2",
"c", "3"
);

现在,我只想比较这些映射的以下键,以查看它们是否包含相同的值:["a","b","c"]

一种简单的方法是:

public boolean customEquals(Map map1, Map map2){ //please ignore NullPointerException
return map1.get("a").equals(map2.equals("a"))
&& map1.get("b").equals(map2.equals("b"))
&& map1.get("c").equals(map2.equals("c"));
}

但是,如果有更多的键要检查,这是非常低效和编码的臭味。在这种情况下,更好的方法是:

public boolean customEquals(Map map1, Map map2) { //please ignore NullPointerException
Set<String> keys = Set.of("a", "b", "c");
for (String key : keys) {
if (!(map1.get(key).equals(map2.get(key)))) {
return false;
}
}
return true;
}

有没有更好的方法可以做到这一点?(您也可以推荐流行的库功能(

首先从map1map2中获取 key=[a,b,c] 的条目List

List<SimpleEntry<String,String>> res = Stream.of("a","b","c")
.map(key->new AbstractMap.SimpleEntry<String,String>(key, map1.get(key)))
.collect(Collectors.toList());   

然后你可以检查所有这些条目是否存在于另一个Map,所以通过这种方式,你不必担心NullPointerException甚至任何一个Map都没有价值[a,b,c]

res.stream().allMatch(entry->map2.entrySet().contains(entry))  //convert map2 to entrySet before using in allMatch

我们也可以将它们合并为一行

Stream.of("a","b","c")
.map(key->new AbstractMap.SimpleEntry<String,String>(key, map1.get(key)))
.allMatch(entry->map2.entrySet().contains(entry));
Stream.of("a","b","c").allMatch(key -> map1.get(key).equals(map2.get(key)));
private static <K, V> Map<K, V> filterEntries(Map<K, V> map, Collection<K> keys) {
var entries = map.entrySet()
.stream()
.filter(entry -> keys.contains(entry.getKey()))
.toArray(Map.Entry[]::new);
return Map.ofEntries(entries);
}

(在 https://repl.it/repls/StickyGaseousAutomatedinformationsystem 运行(

可能不是更好的方法,但我更喜欢使用Streams 来过滤地图。

相关内容

  • 没有找到相关文章