dict.items()和dict.iteritems()之间有什么适用的区别吗?
来自Python文档:
dict.items():返回字典的(键,值)对列表的副本。
dict.iteritems():返回字典(key, value)对上的迭代器。
如果我运行下面的代码,每一个似乎都返回一个对相同对象的引用。有没有什么细微的差别是我没有注意到的?
#!/usr/bin/python
d={1:'one',2:'two',3:'three'}
print 'd.items():'
for k,v in d.items():
if d[k] is v: print '\tthey are the same object'
else: print '\tthey are different'
print 'd.iteritems():'
for k,v in d.iteritems():
if d[k] is v: print '\tthey are the same object'
else: print '\tthey are different'
输出:
d.items():
they are the same object
they are the same object
they are the same object
d.iteritems():
they are the same object
they are the same object
they are the same object
如果你有
{key1:value1, key2:value2, key3:value3,…}
在Python 2中,dict.items()复制每个元组并返回字典中的元组列表,即[(key1,value1), (key2,value2),…]。
含义是整个字典被复制到包含元组的新列表中
dict = {i: i * 2 for i in xrange(10000000)}
# Slow and memory hungry.
for key, value in dict.items():
print(key,":",value)
iteritems()返回字典项迭代器。返回项的值也是相同的,即(key1,value1), (key2,value2),…,但这不是一个清单。这只是一个字典项迭代器对象。这意味着更少的内存使用(减少50%)。
作为可变快照的列表:d.items() -> list(d.items())
迭代器对象:d.t iteritems() -> iter(d.s ititems ())
元组是一样的。你比较了每个的元组,所以你得到相同的结果。
dict = {i: i * 2 for i in xrange(10000000)}
# More memory efficient.
for key, value in dict.iteritems():
print(key,":",value)
在Python 3中,dict.items()返回迭代器对象。Dict.iteritems()被移除,因此不再有问题。
你问:“dict.items()和dict.iteritems()之间有什么适用的区别吗?”
这可能会有帮助(对于Python 2.x):
>>> d={1:'one',2:'two',3:'three'}
>>> type(d.items())
<type 'list'>
>>> type(d.iteritems())
<type 'dictionary-itemiterator'>
可以看到d.items()返回键和值对的元组列表,而d.iteritems()返回一个dictionary-itemiterator。
作为一个列表,d.s items()是可切片的:
>>> l1=d.items()[0]
>>> l1
(1, 'one') # an unordered value!
但是没有__iter__方法:
>>> next(d.items())
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: list object is not an iterator
作为一个迭代器,d.t iteritems()是不可切片的:
>>> i1=d.iteritems()[0]
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
TypeError: 'dictionary-itemiterator' object is not subscriptable
但确实有__iter__:
>>> next(d.iteritems())
(1, 'one') # an unordered value!
所以物品本身是一样的——运送物品的容器是不同的。一个是列表,另一个是迭代器(取决于Python版本…)
因此,dict.items()和dict.iteritems()之间的适用差异与列表和迭代器之间的适用差异相同。