通常遍歷數組,遍歷collection的一些實現類,像ArrayList、LinkedList,都熟覺得常了。但前段時間在一次筆試過程當中,碰到了一個要寫遍歷map的問題,當時確實是懵逼的,故特此總結記錄:數組
public class Mapper { public static void main(String[] args) { Map<String, String> map = new HashMap<String, String>(); map.put("1", "v1"); map.put("2", "v2"); map.put("3", "v3"); //第一種:遍歷key,再經過key獲取對應的value System.out.println("經過Map.keySet遍歷key和value:"); for (String key : map.keySet()) { System.out.println("key= "+ key + " and value= " + map.get(key)); } //第二種:使用Entry,尤爲是容量大時 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.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()); } //第四種: 單單遍歷value System.out.println("經過Map.values()遍歷全部的value,但不能遍歷key"); for (String v : map.values()) { System.out.println("value= " + v); } } }