朋友们,如需转载请标明出处:https://blog.csdn.net/jiangjunshow
声明:在人工智能技术教学期间,不少学生向我提一些python相关的问题,所以为了让同学们掌握更多扩展知识更好地理解AI技术,我让助理负责分享这套python系列教程,希望能帮到大家!由于这套python教程不是由我所写,所以不如我的AI技术教学风趣幽默,学起来比较枯燥;但它的知识点还是讲到位的了,也值得阅读!想要学习AI技术的同学可以点击跳转到我的教学网站。PS:看不懂本篇文章的同学请先看前面的文章,循序渐进每天学一点就不会觉得难了!
在Python 3.0中,字典的keys、values和items方法返回可迭代的视图对象,它们一次产生一个结果项,而不是在内存中一次产生全部结果列表:
>>>D = dict(a=1,b=2,c=3)
>>>D
{'a': 1,'c': 3,'b': 2}
>>>K = D.keys() # A view object in 3.0,not a list
>>>K
<dict_keys object at 0x026D83C0>
>>>next(K) # Views are not iterators themselves
TypeError: dict_keys object is not an iterator
>>>I = iter(K) # Views have an iterator,
>>>next(I) # which can be used manually
'a'
>>>next(I)
'c'
>>>for k in D.keys(): print(k,end=' ') # All iteration contexts use auto
...
a c b
和所有的迭代器一样,我们可以通过把一个Python 3.0字典传递到list内置函数中,从而强制构建一个真正的列表:
>>>K = D.keys()
>>>list(K) # Can still force a real list if needed
['a','c','b']
>>>V = D.values()
>>>V
<dict_values object at 0x026D8260>
>>>list(V)
[1,3,2]
>>>list(D.items())
[('a',1),('c',3),('b',2)]
>>>for (k,v) in D.items(): print(k,v,end=' ')
...
a 1 c 3 b 2
此外,Python 3.0字典也有自己的迭代器。因此,我们无需直接调用keys:
>>>D
{'a': 1,'c': 3,'b': 2}
>>>I = iter(D)
>>>next(I)
'a'
>>>next(I)
'c'
>>>for key in D: print(key,end=' ')
...
a c b
由于keys不再返回一个列表,所以有时候我们需要使用一个list调用来转换keys视图,或者在一个键视图或字典自身上使用sorted调用,如下所示:
>>>D
{'a': 1,'c': 3,'b': 2}
>>>for k in sorted(D.keys())): print(k,D[k],end=' ')
...
a 1 b 2 c 3
>>>D
{'a': 1,'c': 3,'b': 2}
>>>for k in sorted(D): print(k,D[k],end=' ') # Best practice key sorting
...
a 1 b 2 c 3
|