What is the best way to get the count/length/size of an iterator? What is the best way to get the count/length/size of an iterator? java java

What is the best way to get the count/length/size of an iterator?


Using Guava library:

int size = Iterators.size(iterator);

Internally it just iterates over all elements so its just for convenience.


If you've just got the iterator then that's what you'll have to do - it doesn't know how many items it's got left to iterate over, so you can't query it for that result. There are utility methods that will seem to do this efficiently (such as Iterators.size() in Guava), but underneath they're just consuming the iterator and counting as they go, the same as in your example.

However, many iterators come from collections, which you can often query for their size. And if it's a user made class you're getting the iterator for, you could look to provide a size() method on that class.

In short, in the situation where you only have the iterator then there's no better way, but much more often than not you have access to the underlying collection or object from which you may be able to get the size directly.


Your code will give you an exception when you reach the end of the iterator. You could do:

int i = 0;while(iterator.hasNext()) {    i++;    iterator.next();}

If you had access to the underlying collection, you would be able to call coll.size()...

EDITOK you have amended...