在zip对象列表上执行len清除zip

时间:2013-01-31 23:36:36

标签: python python-3.x

使用zip()函数时,我看到一种奇怪的行为。当我执行以下操作len(list(z)),其中z是一个zip对象,结果为0(这对我来说似乎不对),并且该操作似乎清除了zip对象。有人可以帮我理解发生了什么。

# python3
Python 3.2.3 (default, Sep 30 2012, 16:41:36) 
[GCC 4.7.2] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> w = [11, 22, 33, 44, 55, 66]
>>> x = [1, 2, 3, 4]
>>> y = ['a', 'b', 'c']
>>> z = zip(x, y, w)
>>> z
<zip object at 0x7f854f613cb0>
>>> list(z)
[(1, 'a', 11), (2, 'b', 22), (3, 'c', 33)]
>>> len(list(z))
0
>>> list(z)
[]
>>> z
<zip object at 0x7f854f613cb0>
>>> 

谢谢你, 艾哈迈德。

2 个答案:

答案 0 :(得分:11)

在Python 3中zip is a generator。执行list(z)时,生成器已耗尽。您可以根据生成器返回的值创建一个列表并对其进行操作。

l = list(z)
len(l)
# -> 3
l
# -> [(1, 'a', 11), (2, 'b', 22), (3, 'c', 33)]

Generators是一件好事。它们允许我们编写内存高效的代码,几乎与编写处理列表的代码一样。要使用链接的wiki中的示例:

def double(L):
    return [x*2 for x in L]

可以重写为生成器,以避免在内存中创建另一个列表:

def double(L):
    for x in L:
        yield x*2

答案 1 :(得分:3)

要完成上一个答案,有一个名为cardinality的Python库用于获取可迭代的大小。

http://cardinality.readthedocs.io/en/latest/