zoukankan      html  css  js  c++  java
  • Effective Java 46 Prefer for-each loops to traditional for loops

    Prior to release 1.5, this was the preferred idiom for iterating over a collection:

    // No longer the preferred idiom to iterate over a collection!

    for (Iterator i = c.iterator(); i.hasNext(); ) {

    doSomething((Element) i.next()); // (No generics before 1.5)

    }

       

    This was the preferred idiom for iterating over an array:

    // No longer the preferred idiom to iterate over an array!

    for (int i = 0; i < a.length; i++) {

    doSomething(a[i]);

    }

       

    // The preferred idiom for iterating over collections and arrays

    for (Element e : elements) {

    doSomething(e);

    }

       

    Advantage of for-each loop

    1. Slight performance advantage over an ordinary for loop since it computes the limit of the array index only once.

       

    1. It's not error propone for Nested iteration over multiple collections.

      // Preferred idiom for nested iteration on collections and arrays

      for (Suit suit : suits)

      for (Rank rank : ranks)

      deck.add(new Card(suit, rank));

         

    2. It lets you iterate over any object that implements the Iterable interface.

      public interface Iterable<E> {

      // Returns an iterator over the elements in this iterable

      Iterator<E> iterator();

      }

         

    Three common situations where you can't use a for-each loop

    1. Filtering— If you need to traverse a collection and remove selected elements, then you need to use an explicit iterator so that you can call its remove method.
    2. Transforming—If you need to traverse a list or array and replace some or all of the values of its elements, then you need the list iterator or array index in order to set the value of an element.
    3. Parallel iteration—If you need to traverse multiple collections in parallel, then you need explicit control over the iterator or index variable, so that all iterators or index variables can be advanced in lockstep (as demonstrated unintentionally in the buggy card and dice examples above).

       

    Summary

    The for-each loop provides compelling advantages over the traditional for loop in clarity and bug prevention, with no performance penalty. You should use it wherever you can.

  • 相关阅读:
    Spark运行模式_基于YARN的Resource Manager的Client模式(集群)
    Spark运行模式_spark自带cluster manager的standalone cluster模式(集群)
    Spark运行模式_Spark自带Cluster Manager的Standalone Client模式(集群)
    Spark运行模式_本地伪集群运行模式(单机模拟集群)
    Spark运行模式_local(本地模式)
    Spark_安装配置_运行模式
    二叉树的非递归遍历算法
    142. Linked List Cycle II
    139. Word Break
    136. Single Number
  • 原文地址:https://www.cnblogs.com/haokaibo/p/prefer-for-each-loops-to-traditional-for-loops.html
Copyright © 2011-2022 走看看