I need to traverse a list backwards. I read about xrange() and reversed(). Which one is more expensive?
reversed() vs. xrange()
768 Views Asked by jon At
2
There are 2 best solutions below
2

xrange()
produces a sequence of numbers. You can then use those numbers as list indices if you want, or you can use them for anything where you want those numbers.
for i in xrange( len(l)-1, -1, -1):
item = l[i]
print item
reversed()
produces the items from something that has a length and can be indexed.
for item in reversed(l):
print item
I would use reversed()
because it makes you code shorter, simpler, clearer, and easier to write correctly.
You can use Python's timeit library to time things like this. You don't say what kind of list you have, so I am assuming a simple list of strings. First I create a list 100 items long and then time both:
This gives the following result:
As you can see, in this example
reversed()
is a bit faster.