迭代器和hashmap中for循环之间的差异

时间:2016-10-12 06:42:44

标签: java collections hashmap

下面是迭代器和for循环的场景:

1)使用迭代器:

  ihm.put("Zara", new Double(3434.34));
  ihm.put("Mahnaz", new Double(123.22));
  ihm.put("Ayan", new Double(1378.00));
  ihm.put("Daisy", new Double(99.22));
  ihm.put("Qadir", new Double(-19.08));

  // Get a set of the entries
  Set set = ihm.entrySet();

  // Get an iterator
  Iterator i = set.iterator();

  // Display elements
  while(i.hasNext()) {
     Map.Entry me = (Map.Entry)i.next();
     System.out.print(me.getKey() + ": ");
     System.out.println(me.getValue());
  }
  System.out.println();

=====================================

使用For循环:

    HashMap<String, Integer> map = new HashMap<String, Integer>();

    //Adding key-value pairs

    map.put("ONE", 1);

    map.put("TWO", 2);

    map.put("THREE", 3);

    map.put("FOUR", 4);

    //Adds key-value pair 'ONE-111' only if it is not present in map

    map.putIfAbsent("ONE", 111);

    //Adds key-value pair 'FIVE-5' only if it is not present in map

    map.putIfAbsent("FIVE", 5);

    //Printing key-value pairs of map

    Set<Entry<String, Integer>> entrySet = map.entrySet();

    for (Entry<String, Integer> entry : entrySet) 
    {
        System.out.println(entry.getKey()+" : "+entry.getValue());
    }        
}    

在上面的两种情况下,迭代器和for循环都在做同样的工作。所以任何人都可以告诉我它们之间的区别是什么,以及何时可以使用迭代器和循环。

1 个答案:

答案 0 :(得分:0)

循环和迭代器之间的区别(除了逻辑,可读性,速度等)是在使用迭代器时,您可以通过该迭代器实例编辑映射的内容。

如果您在循环浏览时尝试编辑地图,则会收到Concurrent ModificationException

如果要在迭代地图时更新地图,则应使用迭代器,例如删除符合某些条件的条目

Iterator<Entry> it = map.iterator();
while(it.hasNext())
      if(check(it.next()))
           it.remove();
相关问题