假设我有一个给定名称,姓氏对的地图,我想找到该地图中第一个条目的名称,该名称的姓氏与某个值相匹配。 我们如何以java 8方式做到这一点。
在我下面的测试用例中,我提出了两种方法。
然而,第一个(寻找姓氏为#34的第一个人的名字; Donkey")将抛出java.util.NoSuchElementException:没有值存在,因此它不安全。
第二个可以工作,但它不仅难以阅读,而且它有点不太实用。
只是想知道这里有人会建议我使用stream()
或forEach()
或两者来更轻松地实现这一目标。
@Test
public void shouldBeAbleToReturnTheKeyOfTheFirstMatchingValue() throws Exception {
Map<String, String> names = new LinkedHashMap<>();
names.put("John", "Doe");
names.put("Fred", "Flintstone");
names.put("Jane", "Doe");
String keyOfTheFirst = names.entrySet().stream().filter(e -> e.getValue().equals("Doe")).findFirst().get().getKey();
assertEquals("John", keyOfTheFirst);
try {
names.entrySet().stream().filter(e -> e.getValue().equals("Donkey")).findFirst().get();
} catch (NoSuchElementException e){
// Expected
}
Optional<Map.Entry<String, String>> optionalEntry = names.entrySet().stream().filter(e -> e.getValue().equals("Donkey")).findFirst();
keyOfTheFirst = optionalEntry.isPresent() ? optionalEntry.get().getKey() : null;
assertNull(keyOfTheFirst);
}
提前谢谢。
答案 0 :(得分:53)
要在没有匹配项时返回默认值,请使用Optional#orElse
names.entrySet().stream()
.filter(e -> e.getValue().equals("Donkey"))
.map(Map.Entry::getKey)
.findFirst()
.orElse(null);
答案 1 :(得分:1)
如果您不想使用第三方代码,@ Miki提供的解决方案是最好的解决方案。对于此类情况,My library有特殊的快捷方式ofKeys
,因为我发现这是一项非常常见的任务:
StreamEx.ofKeys(names, "Donkey"::equals).findFirst().orElse(null);
答案 2 :(得分:0)
来自类似的question:
public static <T, E> Set<T> getKeysByValue(Map<T, E> map, E value) {
return map.entrySet()
.stream()
.filter(entry -> Objects.equals(entry.getValue(), value))
.map(Map.Entry::getKey)
.collect(Collectors.toSet());
}
然后你可以选择第一个,如果你愿意的话。请注意,key
是唯一的,value
不是。
编辑: 整个代码(感谢@Peter Lawrey)
package test;
import java.util.LinkedHashMap;
import java.util.Map;
import java.util.Objects;
import java.util.Optional;
public class Main {
public static void main(String[] args) {
Map<String, String> names = new LinkedHashMap<>();
names.put("John", "Doe");
names.put("Fred", "Flintstone");
names.put("Jane", "Doe");
Optional<String> firstKey = names.entrySet().stream()
.filter(entry -> Objects.equals(entry.getValue(), "Doe"))
.map(Map.Entry::getKey).findFirst();
if (firstKey.isPresent()) {
System.out.println(firstKey.get());
}
}
}
答案 3 :(得分:0)
我喜欢老式的:
static <K, V> K findFirstKeyByValue(Map<K, V> map, String value) {
for (Entry<K, V> e : map.entrySet())
if (e.getValue().equals(value))
return e.getKey();
return null;
}
答案 4 :(得分:0)
下面是我的代码片段,用于从地图获取密钥,
Map<String,String> pageDetails = new HashMap<String,String>();
public String getAssociatedKey(){
pageDetails.entrySet().stream().filter( e -> e.getValue().contains("John").findFirst().get().getKey();
}
答案 5 :(得分:0)
为了避免空指针异常(如果映射条目存在具有空值):
private String getValueByKey(Map<String, String> map, String key)
{
return map.entrySet().stream().filter(e ->
StringUtils.equalsIgnoreCase(e.getKey(), key)).findFirst().get()
.getValue();
}