HashMap根据value获取key

Map中是一个key有且只有一个value.

但是一个value可以对应多个key值.

一般都是通过key,然后map.get(key)获得到value.

如果想要反向想通过value获得key的值,提供一下两种方法:

方法一:

package cn.itcast.mapgetkey;

import java.util.ArrayList;
import java.util.HashMap;
import java.util.List;

public class HashMapDemo {
    //根据value值获取到对应的一个key值
    public static String getKey(HashMap map,String value){
        String key = null;
        //Map,HashMap并没有实现Iteratable接口.不能用于增强for循环.
        for(String getKey: map.keySet()){
            if(map.get(getKey).equals(value)){
                key = getKey;
            }
        }
        return key;
        //这个key肯定是最后一个满足该条件的key.
    }
    
    //根据value值获取到对应的所有的key值
    public static List getKeyList(HashMap map,String value){
        List keyList = new ArrayList();
        for(String getKey: map.keySet()){
            if(map.get(getKey).equals(value)){
                keyList.add(getKey);
            }
        }
        return keyList;
    }
    
    public static void main(String[] args) {
        HashMap map = new HashMap();
        map.put("CHINA", "中国");
        map.put("CN", "中国");
        map.put("AM", "美国");
        //获取一个Key
        System.out.println("通过value获取Key:"+getKey(map,"中国"));//输出"CN"
        System.out.println("通过value获取Key:"+getKey(map,"美国"));//输出"AM"
        //获得所有的key值
        System.out.println("通过value获取所有的key值:"+getKeyList(map,"中国"));//输出"[CHINA, CN]"
        
    }
}

 

方法二:

package cn.itcast.mapgetkey2;

import java.util.ArrayList;
import java.util.HashMap;
import java.util.Iterator;
import java.util.Map;
import java.util.Map.Entry;
import java.util.Set;

public class MapValueGetKey {
    HashMap map = null;

    public MapValueGetKey(HashMap map) {
        this.map = map;
    }

    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");
        MapValueGetKey mapValueGetKey = new MapValueGetKey(map);
        System.out.println(mapValueGetKey.getKey("c"));//输出[3, 4]
    }

    private ArrayList getKey(String value) {
        ArrayList keyList = new ArrayList();
        String key = null;
        Set> set = map.entrySet();// entrySet()方法就是把map中的每个键值对变成对应成Set集合中的一个对象.
        // set对象中的内容如下:[3=c, 2=b, 1=a, 5=e, 4=c]
        Iterator it = set.iterator();
        while (it.hasNext()) {
            Map.Entry entry = (Map.Entry) it.next();
            // entry中的内容就是set集合中的每个对象(map集合中的一个键值对)3=c....
            // Map.Entry就是一种类型,专值map中的一个键值对组成的对象.
            if (entry.getValue().equals(value)){
                key = (String) entry.getKey();
                keyList.add(key);
            }
        }
        return keyList;
    }
}

 

你可能感兴趣的:(hashmap)