其他分享
首页 > 其他分享> > Map六大遍历方式

Map六大遍历方式

作者:互联网

Map接口和常用方法

Map接口遍历方法

  1. containsKey:查找键是否存在
  2. keySet:获取所有的键
  3. entrySet:获取所有关系
  4. values:获取所有的值
import java.util.*;

@SuppressWarnings({"all"})
public class MapFor {
    public static void main(String[] args) {
        Map map = new HashMap();

        map.put("test1","test2");
        map.put("test3","test4");
        map.put("test5","test4");
        map.put("test6",null);
        map.put(null,"test7");
        map.put("test8","test9");

        //第一组:先取出所有的Key,通过Key取出对应的value
        Set keySet = map.keySet();

        //(1)增强for
        System.out.println("------第一种方式------");
        for (Object key : keySet) {
            System.out.println(key + "-" + map.get(key));
        }

        //(2)迭代器
        System.out.println("------第二种方式------");
        Iterator iterator = keySet.iterator();
        while (iterator.hasNext()) {
            Object key = iterator.next();
            System.out.println(key + "-" + map.get(key));
        }

        //第二组:把所有的value值取出
        Collection values = map.values();

        //这里可以使用所有的Collection使用的遍历方法
        //(1)增强for
        System.out.println("------取出所有的value------");
        for (Object value : values) {
            System.out.println(value);
        }

        //(2)迭代器
        Iterator iterator1 = values.iterator();
        while (iterator1.hasNext()) {
            Object next = iterator1.next();
            System.out.println(next);
        }

        //第三组:通过EntrySet来获取k-v
        Set entrySet = map.entrySet();//EntrySet<Map.Entry<k,v>>

        //(1)增强for
        System.out.println("------使用EntrySet的for增强(第3种)");
        for (Object entry : entrySet) {
            //将entry转成Map.Entry
            Map.Entry m = (Map.Entry) entry;
            System.out.println(m.getKey() + "-" + m.getValue());
        }

        //(2)迭代器
        System.out.println("------使用EntrySet的迭代器(第4种)");
        Iterator iterator2 = entrySet.iterator();
        while (iterator2.hasNext()) {
            Object entry = iterator2.next();
//            System.out.println(next.getClass());//HashMap$Node ---实现---> Map.Entry(getKey,getValue)
            //向下转型 Map.Entry
            Map.Entry m = (Map.Entry) entry;
            System.out.println(m.getKey() + "-" + m.getValue());
        }
    }
}

标签:Map,六大,遍历,map,System,------,println,out
来源: https://www.cnblogs.com/wshjyyysys/p/15818225.html