Java - 仅比较特定键的两个地图条目

Java - Compare two Maps entries for specific keys only

假设我有两张地图:

    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 中的任何一个都不存在' t 具有 [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来过滤地图。