java遍历map的四种方式

public static void main(String[] args) {
        // 遍历Map的4中方法
        Map map = new HashMap();
        map.put(1, 2);
        // 1. entrySet遍历,键和值都需要时使用(最常用)
        for (Map.Entry entry : map.entrySet()) {
            System.out.println("key = " + entry.getKey() + ", value = " + entry.getValue());
        }
        // 2. 通过keySet或values来实现遍历,性能略低于第一种方式
        // 遍历map中的键 -- keySet
        for (Integer key : map.keySet()) {
            System.out.println("key = " + key);
        }
        // 遍历map中的值 -- values
        for (Integer value : map.values()) {
            System.out.println("key = " + value);
        }
        // 3. 使用Iterator遍历(不常用)
        Iterator> it = map.entrySet().iterator();
        while (it.hasNext()) {
            Map.Entry entry = it.next();
            System.out.println("key = " + entry.getKey() + ", value = " + entry.getValue());
        }
        // 4. java8 Lambda,可以同时拿到key和value,
        map.forEach((key, value) -> {
            System.out.println(key + ":" + value);
        });
        
    }

 

你可能感兴趣的:(java)