我们都知道Map是存放键值对
的容器,知道了Key值,使用方法Map.get(key)能快速获取Value值。然而,有的时候我们需要反过来获取,知道Value值,求Key值。
本文将用实例介绍三种方法,通过传入Value值,获取得到Key值。
循环法就是通过遍历Map里的Entry,一个个比较,把符合条件的找出来。
@Test
public void loop() {
Map<String, Integer> map = new HashMap<>();
map.put("A", 1);
map.put("B", 2);
map.put("C", 3);
map.put("D", 2);
//找到一个值
getKeyByLoop(map, 1);
//找到多个值
getKeysByLoop(map, 2);
//找不到
getKeyByLoop(map, 4);
}
private <K, V> Set<K> getKeysByLoop(Map<K, V> map, V value) {
Set<K> set = Sets.newHashSet();
for (Map.Entry<K, V> entry : map.entrySet()) {
if (Objects.equals(entry.getValue(), value)) {
set.add(entry.getKey());
}
}
return set;
}
Stream总是在多种集合操作上都能提供优雅直观的方法,易写但不易读。通过一个过滤器,即可把满足相等条件的值取出来。
@Test
public void stream() {
Map<String, Integer> map = ImmutableMap.of("A", 1, "B", 2, "C", 3, "D", 2);
getKeysByStream(map, 2);
}
private <K, V> Set<K> getKeysByStream(Map<K, V> map, V value) {
return map.entrySet()
.stream()
.filter(kvEntry -> Objects.equals(kvEntry.getValue(), value))
.map(Map.Entry::getKey)
.collect(Collectors.toSet());
}
添加依赖:
<dependency>
<groupId>org.apache.commonsgroupId>
<artifactId>commons-collections4artifactId>
<version>4.0version>
dependency>
Apache Commons Collections提供了双向Map的类BidiMap。它提供了getKey(value)方法返回Key值。
@Test
public void apacheCommons() {
BidiMap<String, Integer> bidiMap = new DualHashBidiMap<>();
bidiMap.put("A", 1);
bidiMap.put("B", 3);
bidiMap.put("B", 2);
bidiMap.put("E", 9);
bidiMap.put("C", null);
bidiMap.put("D", 2);
System.out.println(bidiMap.getKey(1)); // A
System.out.println(bidiMap.getKey(2)); // D
System.out.println(bidiMap.getKey(3)); // null
System.out.println(bidiMap.getKey(4)); // null
System.out.println(bidiMap.getKey(null)); // C
System.out.println(bidiMap.getKey(9)); // E
System.out.println(bidiMap); // {A=1, C=null, D=2, E=9}
}
从代码执行可知,如果出现key或者value相同的情况,后者会被替代。
本文介绍了三种通过Value值获取Map中的Key值的方法,分别是循环法、Stream、Apache Commons Collections,这三种方法类似但不尽相同。
如何选择,就看具体需求来取舍了。