Map中存储的是两种对象 一种称为key键 一种称为value值 它们在Map中是一一对应关系 这一对对象又称做Map中的一个Entry(项)
Entry将键值对的对应关系封装成了对象 即键值对对象 这样我们遍历Map集合时 就可以从每一个键值对(Entry)对象中获取对应的键与对应的值
图解:
既然Entry表示了一对键和值 那么也同样提供了获取对应键盘和对应值的方法:
public K getKey():获取Entry对象中的键
public V getValue():获取Entry对象中的值
咋Map集合中也提供了获取所有Entry对象的方法
public set<Map.Entry<K,V>> entrySet():获取到Map集合中所有的键值对对象的集合(Set集合)
代码:
public static void main(String[] args) {标签:Map,set,对象,键值,集合,Entry From: https://www.cnblogs.com/shenziyi/p/16798117.html
//创建Map集合
HashMap<String, String> map = new HashMap<>();
//向Map集合中添加数据
map.put("张三","李四");
map.put("王五","赵六");
//使用Map集合中的方法entrySet() 把Map集合中多个Entry对象取出来 存储到一个Set集合中
Set<Map.Entry<String, String>> set = map.entrySet();
//将Set集合中的数据使用迭代器的方法遍历出来
Iterator<Map.Entry<String, String>> iterator = set.iterator();
while (iterator.hasNext()){
System.out.println(iterator.next());
}
System.out.println("-------------------------");
//使用增强for循环遍历set集合 输出打印key值
for (Map.Entry<String, String> entry : set) {
System.out.println(entry.getKey());
}
System.out.println("-------------------------");
//使用增强for循环遍历set集合 输出打印Value值
for (Map.Entry<String, String> entry : set) {
System.out.println(entry.getValue());
}