Map遍历之Entry

Entry是Map接口的一个内部接口,作用是当Map集合一创建,就会在Map集合中创建一个Entry对象,用来记录键和值(键值和对象,键和值的映射关系)

Map集合遍历的第二中方式:使用Entry进行遍历
Map集合中的方法:
Set> entrySet() 返回此映射中包含的映射关系的set视图

1、使用Map集合中的方法entrySet(),把Map集合中多个Entry对象取出来,存储到一个set集合中
2、遍历set集合,获取每一个Entry对象
3、使用Entry对象中的getKey()和getValue()获取键和值

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

public class demo3Entry {
    public static void main(String[] args){
        //创建map集合对象
        Map map = new HashMap<>();
        map.put("诸葛亮",1);
        map.put("刘伯温",2);
        map.put("张良",3);
        map.put("东方朔",4);

        //1、使用Map集合中的方法entrySet(),把Map集合中多个Entry对象取出来,存储到一个set集合中
        Set> set = map.entrySet();
        //2、遍历set集合,获取每一个Entry对象
        //使用迭代器遍历set集合
        Iterator>  iterator = set.iterator();
        while(iterator.hasNext()){
            Map.Entry  entry = iterator.next();
            //3、使用Entry对象中的getKey()和getValue()获取键和值
            String key = entry.getKey();
            Integer value = entry.getValue();
            System.out.println(key+"------"+value);
        }
        System.out.println("-------------------------------");
        for (Map.Entry entry:set){
            //3、使用Entry对象中的getKey()和getValue()获取键和值
            String key = entry.getKey();
            Integer value = entry.getValue();
            System.out.println(key+"------"+value);
        }




    }
}

你可能感兴趣的:(Map遍历之Entry)