首先,创建一个map并存入数据
Map map=new HashMap();
map.put(“小李”, 20);
map.put(“校长”, 21);
map.put(“小王”, 25);
一、Map的遍历
1、遍历map的key组成的Set集合和value组成的集合(不是Set集合了)
for (String str : map.keySet())
{
System.out.println(“key=”+str+”;value=”+map.get(str));
}
for (Integer num : map.values())
{
System.out.println(“value=”+num);
}
2、遍历map的entry键值对(Set集合)
for (Map.Entry entry: map.entrySet())
{
System.out.println(entry.getKey()+”:”+entry.getValue());
}
3、使用迭代器获取Map的entry集合从而遍历
for (Iterator> it=map.entrySet().iterator();it.hasNext();)
{
Map.Entry itt=it.next();
System.out.println(itt.getKey()+”:”+itt.getValue());
System.out.println(itt);
}
4、Java1.8中有lambda表达式也可以实现对map的遍历
map.forEach((k,v)->{System.out.println(k+”;”+v);});
二、Map的删除
Map的删除主要有两种方法:
1、最常见的
map.remove(“小李”);//输入要删除的key的值
2、那么要怎么根据Map的value删除键值对呢
Iterator> it = map.entrySet().iterator();
while (it.hasNext())
{
Entry tempentry = it.next();
if (tempentry.getValue() == 25)
{
it.remove();
}
}
ps:1、 HashMap源码里没有做同步操作,多个线程操作可能会出现线程安全的问题,建议
用Collections.synchronizedMap 来包装,变成线程安全的Map,例如:
Map map = Collections.synchronizedMap(new HashMap());
2、任何集合在遍历时要进行删除操作时都需要使用迭代器