Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Enhanced for loop

I often come across cases where I want to use an enchanced for-loop for some Collection or array that I get from some object.

e.g.

items = basket.getItems();
for (int item : items) {
    // Do something
}

Another way to do that is:

for (int item : basket.getItems()) {
    // Do something
}

The second one is more compact and improves readability in my opinion, especially when the item variable won't be used anywhere else.

I would like to know whether the getter in the for statement has any impact in performance. Will it be optimized to something similar to the 1st one? Or will it access the getter every time? Of course the getItems() might do something quite slow (e.g. network access, etc)

Question is similar to some others, but is referring to the getter of the collection/array itself and not the size of it. However, it may be the same case in the end.

like image 422
LyK Avatar asked Jan 31 '14 09:01

LyK


2 Answers

The getItems() method will be called only once in both cases. There is no difference between the two, apart from one using an extra local variable which you could use somewhere else.

As you can read in JLS 14.14.2, the enhanced for loop is translated roughly to this traditional for loop:

for (I #i = Expression.iterator(); #i.hasNext(); ) {
    TargetType Identifier = (TargetType) #i.next();
    Statement
}

#i is an automatically generated identifier that is distinct from any other identifiers (automatically generated or otherwise) that are in scope (§6.3) at the point where the enhanced for statement occurs.

From here it's clear that Expression is evaluted only once.

like image 55
Joni Avatar answered Sep 27 '22 03:09

Joni


As you can see on the following code sample, on the enhanced for, the initialization of the collection on which to iterate is done only once. So, the second choice is more compact, and does not impact performance.

package test;

public class Main {

        static class Basket {
            int[] items = { 1, 2, 3 };

        public int[] getItems() {
                System.out.println("in getItems()");
            return items;
        }

    }

    public static void main(String[] args) {
        Basket basket = new Basket();
        for (int item : basket.getItems()) {
            System.out.println(item);
        }

    }
}
like image 22
Andres Avatar answered Sep 27 '22 03:09

Andres