本文主要是介绍Java基础知识查缺补漏(map、数组、list),希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
- Map的new为什么是Map map=new HashMap;而不是new Map
Map是接口,HashMap是Map的一种实现。接口不能被实例化。
Map map=new HashMap(); 就是将map实例化成一个HashMap。
这样做的好处是调用者不需要知道map具体的实现,map接口与具体实现的映射java帮你做了。
Map.containsKey方法——判断Map集合对象中是否包含指定的键名。该方法判断Map集合对象中是否包含指定的键名。如果Map集合中包含指定的键名,则返回true,否则返回false。
map.get(“key”);//获取map中键值为“key”的值
Map 一个key对应一个value
put方法中判断key是否为null,当key!=null我们就可以覆盖value值
Map是java中的接口,Map.Entry是Map的一个内部接口。
Map提供了一些常用方法,如keySet()、entrySet()等方法,keySet()方法返回值是Map中key值的集合;entrySet()的返回值也是返回一个Set集合,此集合的类型为Map.Entry。
Map.Entry是Map声明的一个内部接口,此接口为泛型,定义为Entry<K,V>。它表示Map中的一个实体(一个key-value对)。接口中有getKey(),getValue方法。
Map中常用方法
Map map = new HashMap(); //创建mapMap iMap = new HashMap();iMap.put("狂人日记","鲁迅") map.put("家","巴金"); //添加一个键值对,如果key已存在就覆盖,且返回被覆盖的值map.put("朝花夕拾","冰心");map.put("骆驼祥子","老舍");map.put("项链","莫泊桑");map.remove("家") //删除指定key的键值对,返回被删除的key关联的value,不存在返回nullmap.remove("家","巴金") //删除指定键值对,成功返回truemap.size() //返回map中键值对的个数map.clear() //删除map中的所有键值对map.isEmpty() //判断map是否为空map.get("项链") //返回指定Key所对应的value,不存在则返回nullmap.containsKey("家") //判断Map中是否包含指定的Keymap.containsValue("巴金") //判断Map中是否包含指定的ValueCollection set = map.entrySet() //返回Map中键值对所组成的Set.集合元素是Map.Entry(Map的内部类)对象Collection set = map.keySet() //返回Map中key的set集合Collection list = map.values() //返回该Map里所有value组成的Collection
java中遍历map的方式:
方式一 这是最常见的并且在大多数情况下也是最可取的遍历方式。在键值都需要时使用。
Map<Integer, Integer> map = new HashMap<Integer, Integer>();
for (Map.Entry<Integer, Integer> entry : map.entrySet()) { System.out.println("Key = " + entry.getKey() + ", Value = " + entry.getValue());
}
方法二 在for-each循环中遍历keys或values。
如果只需要map中的键或者值,你可以通过keySet或values来实现遍历,而不是用entrySet。
Map<Integer, Integer> map = new HashMap<Integer, Integer>();
//遍历map中的键
for (Integer key : map.keySet()) { System.out.println("Key = " + key);
}
//遍历map中的值
for (Integer value : map.values()) { System.out.println("Value = " + value);
}
该方法比entrySet遍历在性能上稍好(快了10%),而且代码更加干净。
方法三使用Iterator遍历
使用泛型:
Map<Integer, Integer> map = new HashMap<Integer, Integer>();
Iterator<Map.Entry<Integer,
这篇关于Java基础知识查缺补漏(map、数组、list)的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!