我想检索与hashmap中的值相关联的特定键
我想检索“ME”的密钥,我该怎么办呢?
代码段:
HashMap<Integer,String> map = new HashMap<Integer,String>();
map.put(1,"I");
map.put(2,"ME");
答案 0 :(得分:3)
你想要做的事情有一个小问题。在hashmap中可能会出现多次相同的值,因此如果按值查找键,可能会有多个结果(多个键具有相同的值)。
尽管如此,如果你确定不会发生这种情况,可以做到;请参阅以下示例:
import java.util.*;
public class Main {
public static void main(String[] args) {
HashMap<Integer, String> map = new HashMap<Integer, String>();
map.put(5, "vijf");
map.put(36, "zesendertig");
}
static Integer getKey(HashMap<Integer, String> map, String value) {
Integer key = null;
for(Map.Entry<Integer, String> entry : map.entrySet()) {
if((value == null && entry.getValue() == null) || (value != null && value.equals(entry.getValue()))) {
key = entry.getKey();
break;
}
}
return key;
}
}
答案 1 :(得分:2)
迭代地图的条目:
for(Entry<Integer, String> entry : map.entrySet()){
if("ME".equals(entry.getValue())){
Integer key = entry.getKey();
// do something with the key
}
}
答案 2 :(得分:0)
您必须遍历密钥集合才能找到您的价值。
请查看此帖子了解详情:Java Hashmap: How to get key from value?
答案 3 :(得分:0)
答案 4 :(得分:0)
/**
* Return keys associated with the specified value
*/
public List<Integer> getKey(String value, Map<Integer, String> map) {
List<Integer> keys = new ArrayList<Integer>();
for(Entry<Integer, String> entry:map.entrySet()) {
if(value.equals(entry.getValue())) {
keys.add(entry.getKey());
}
}
return keys;
}