HashMap:通过VALUE反向求KEY的方法

时间:2022-07-02 15:28:45

转自:http://blog.csdn.net/junmine/article/details/1050366

我们知道HashMap中的值是成对地放置的,即VALUE-KEY.因此我们一般在MAP中取出数据时得根据KEY来取出VALUE.但若我们想出VALUE值,但却不知对应地KEY,这时我们就得先遍历VALUE值,找出对应地KEY值,再根据KEY值取出VALUE值.程序如下:

 

public class Map_ValueGetKey {
HashMap map;
public Map_ValueGetKey(HashMap map) { // 初始化操作
this.map = map;
}
public Object getKey(Object value) {
Object o = null;
ArrayList all = new ArrayList(); // 建一个数组用来存放符合条件的KEY值
/*
* 这里关键是那个entrySet()的方法,它会返回一个包含Map.Entry集的Set对象.
* Map.Entry对象有getValue和getKey的方法,利用这两个方法就可以达到从值取键的目的了 *
*/
Set set = map.entrySet();
Iterator it = set.iterator();
while (it.hasNext()) {
Map.Entry entry = (Map.Entry) it.next();
if (entry.getValue().equals(value)) {
o = entry.getKey();
all.add(o); // 把符合条件的项先放到容器中,下面再一次性打印出
}
}
return all;
}

public static void main(String[] args) {
HashMap map = new HashMap();
map.put("1", "a");
map.put("2", "b");
map.put("3", "c");
map.put("4", "c");
map.put("5", "e");
Map_ValueGetKey mvg = new Map_ValueGetKey(map);
System.out.println(mvg.getKey("c"));
}

}