I don't quite understand how iterators have memory in Python.
>>> l1 = [1, 2, 3, 4, 5, 6]
>>> l2 = [2, 3, 4, 5, 6, 7]
>>> iz = izip(l1, l2)
We still require O(min(l1, l2))
memory as we need to load the lists l1
and l2
in memory.
I thought one of the main uses of iterators was to save memory - yet it does not seem to be useful here.
Similarly, the code below is unclear to me:
>>> l1 = ( n for n in [1, 2, 3, 4, 5, 6] )
>>> l2 = ( n for n in [2, 3, 4, 5, 6, 7] )
>>> iz = izip(l1, l2)
We need to load the lists before converting them into generators, right? This means we'll waste memory. So - what is the point of generators here as well.
This is the only case that makes sense to me:
def build_l1():
for n in xrange(1, 6):
yield n
def build_l2:
for n in xrange(2, 7):
yield n
l1 = build_l1()
l2 = build_l2()
iz = izip(l1, l2)
None of the arrays is being loaded into memory. Hence we're in O(1)
memory.
How does the memory usage of the iterator functions in Python work? The first two cases seem to use O(min(l1, l2))
memory. I thought the main point of iterators was to save memory, which makes the first two cases seem useless.