Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

What happens if you call the same iterator twice on the same collection?

If I set up an iterator for myList:

Iterator iter = myList.iterator();
while(iter.hasNext())
{
    MyObj myObj = (MyObj)iter.next();
    doPrint(myObj.toString());
}

And I call it a second time:

while(iter.hasNext())
{
    MyObj myObj = (MyObj)iter.next();
    doPrint(myObj.toString());
}

Will it go back to the start of the collection the second time I call it?

like image 426
Chris Avatar asked Sep 30 '10 14:09

Chris


2 Answers

The iterator interface provides just three methods:

  • hasNext()
  • next()
  • remove()

So there is no way to tell the iterator to "reset", to "restart from the beginning" or to "go back". Once it sits on the last element of the underlying sequence, it has done it's job and there's no need to keep the reference. Whisper R.I.P and make it meet Big GC.

like image 115
Andreas Dolk Avatar answered Sep 20 '22 16:09

Andreas Dolk


iter.hasNext() in the second loop will return false immediately, so the code inside the loop won't be executed.

If you re-create the iterator, however (by list.iterator()), iteration will be restarted from the beginning.

like image 27
Bozho Avatar answered Sep 19 '22 16:09

Bozho