Java Map
Map中不能包含相同的键,每个键只能映射一个值。
HashMap:并不能保证它的元素的顺序,元素加入散列映射的顺序并不一定是它们被迭代方法读出的顺序。
- Map.Entry
Map.Entry 是Map中的一个接口,他的用途是表示一个映射项(里面有Key和Value)
Map.Entry里有相应的getKey和getValue方法,即JavaBean,让我们能够从一个项中取出Key和Value。
- Map.entrySet()
Map.entrySet() 这个方法返回的是一个Set<Map.Entry<K,V>>。Set里面的类型是Map.Entry,里面存放的是键值对。一个K对应一个V。
- Map.keyset()
keySet是键的集合,Set里面的类型即key的类型。
package Map.test;import java.util.*;public class Test {public static void main(String args[]) {// 创建HashMap 对象HashMap hm = new HashMap();// 加入元素到HashMap 中hm.put("John Doe", new Double(3434.34));hm.put("Tom Smith", new Double(123.22));hm.put("Jane Baker", new Double(1378.00));hm.put("Todd Hall", new Double(99.22));hm.put("Ralph Smith", new Double(-19.08));// 返回包含映射项的集合Set set = hm.entrySet();// 用Iterator 得到HashMap 中的内容Iterator i = set.iterator();// 显示元素while (i.hasNext()) {// Map.Entry 可以操作映射的输入Map.Entry me = (Map.Entry) i.next();System.out.print(me.getKey() + ": ");System.out.println(me.getValue());}System.out.println();// 让John Doe 中的值增加1000double balance = ((Double) hm.get("John Doe")).doubleValue();//得到旧值// 用新的值替换旧的值hm.put("John Doe", new Double(balance + 1000));System.out.println("John Doe's 现在的资金:" + hm.get("John Doe"));}
}
/*
Todd Hall: 99.22
John Doe: 3434.34
Ralph Smith: -19.08
Tom Smith: 123.22
Jane Baker: 1378.0John Doe's 现在的资金:4434.34
*///四种遍历Map
public static void main(String[] args) {Map<String, String> map = new HashMap<String, String>();map.put("1", "value1");map.put("2", "value2");map.put("3", "value3");//第一种:普遍使用,二次取值System.out.println("通过Map.keySet遍历key和value:");for (String key : map.keySet()) {System.out.println("key= "+ key + " and value= " + map.get(key));}//第二种System.out.println("通过Map.entrySet使用iterator遍历key和value:");Iterator<Map.Entry<String, String>> it = map.entrySet().iterator();while (it.hasNext()) {Map.Entry<String, String> entry = it.next();System.out.println("key= " + entry.getKey() + " and value= " + entry.getValue());}//第三种:推荐,尤其是容量大时System.out.println("通过Map.entrySet遍历key和value");for (Map.Entry<String, String> entry : map.entrySet()) {System.out.println("key= " + entry.getKey() + " and value= " + entry.getValue());}//第四种System.out.println("通过Map.values()遍历所有的value,但不能遍历key");for (String v : map.values()) {System.out.println("value= " + v);}}