python系列教程165——其他迭代器
Posted 人工智能AI技术
tags:
篇首语:本文由小常识网(cha138.com)小编为大家整理,主要介绍了python系列教程165——其他迭代器相关的知识,希望对你有一定的参考价值。
朋友们,如需转载请标明出处:https://blog.csdn.net/jiangjunshow
声明:在人工智能技术教学期间,不少学生向我提一些python相关的问题,所以为了让同学们掌握更多扩展知识更好地理解AI技术,我让助理负责分享这套python系列教程,希望能帮到大家!由于这套python教程不是由我所写,所以不如我的AI技术教学风趣幽默,学起来比较枯燥;但它的知识点还是讲到位的了,也值得阅读!想要学习AI技术的同学可以点击跳转到我的教学网站。PS:看不懂本篇文章的同学请先看前面的文章,循序渐进每天学一点就不会觉得难了!
和range类似,map、zip以及filter内置函数在Python 3.0中也转变成迭代器以节约内存空间,而不再在内存中一次性生成一个结果列表。
和其他迭代器一样,如果确实需要一个列表的话,可以用list(…)来强制一个列表,但是,对于较大的结果集来说,默认的行为可以节省不少内存空间:
>>>M = map(abs,(-1,0,1)) # map returns an iterator,not a list
>>>M
<map object at 0x0276B890>
>>>next(M) # Use iterator manually: exhausts results
1 # These do not support len() or indexing
>>>next(M)
0
>>>next(M)
1
>>>next(M)
StopIteration
>>>for x in M: print(x) # map iterator is now empty: one pass only
...
>>>M = map(abs,(-1,0,1)) # Make a new iterator to scan again
>>>for x in M: print(x) # Iteration contexts auto call next()
...
101
>>>list(map(abs,(-1,0,1))) # Can force a real list if needed
[1,0,1]
zip内置函数,返回以同样方式工作的迭代器:
>>>Z = zip((1,2,3),(10,20,30)) # zip is the same: a one-pass iterator
>>>Z
<zip object at 0x02770EE0>
>>>list(Z)
[(1,10),(2,20),(3,30)]
>>>for pair in Z: print(pair) # Exhausted after one pass
...
>>>Z = zip((1,2,3),(10,20,30))
>>>for pair in Z: print(pair) # Iterator used automatically or manually
...
(1,10)
(2,20)
(3,30)
>>>Z = zip((1,2,3),(10,20,30))
>>>next(Z)
(1,10)
>>>next(Z)
(2,20)
filter内置函数,也是类似的:
>>>filter(bool,['spam','','ni'])
<filter object at 0x0269C6D0>
>>>list(filter(bool,['spam','','ni']))
['spam','ni']
以上是关于python系列教程165——其他迭代器的主要内容,如果未能解决你的问题,请参考以下文章