学习掌握Python的迭代器与生成器

  • Post author:
  • Post category:python




一、迭代器

迭代是在Python访问集合元素的一种方式。。

  • 迭代器是一个可以记住遍历的位置的对象。
  • 迭代器对象从集合的第一个元素开始访问,直到所有的元素被访问完结束。迭代器会一直往前,知道遍历结束。
  • 迭代器有两个基本的方法:iter() 和 next()。



1、字符串,列表或元组对象都可用于创建迭代器:

>>> list=[1,2,3,4]
>>> it = iter(list)    # 创建迭代器对象
>>> print (next(it))   # 输出迭代器的下一个元素
1
>>> print (next(it))
2
>>>



2、迭代器对象可以使用常规for语句进行遍历:

>>>list=[1,2,3,4]
>>>it = iter(list)    # 创建迭代器对象
>>>for x in it:      #循环遍历打印
...    print (x, end=" ")
...
1 2 3 4



3、也可以使用 next() 函数:


import sys         # 引入 sys 模块

list=[1,2,3,4]
it = iter(list)    # 创建迭代器对象

while True:
    try:
        print (next(it))
    except StopIteration:
        sys.exit()

结果显示:

E:\studyPy\venv\Scripts\python.exe E:/studyPy/Test.py
1
2
3
4

Process finished with exit code 0 0



二、生成器

在 Python 中,使用了 yield 的函数被称为生成器(generator)。

  • 跟普通函数不一样的是

    生成器

    是一个返回迭代器的函数,只能用于迭代操作,更简单点理解生成器就是一个迭代器。
  • 在调用生成器运行的过程中,每次遇到 yield 时函数会暂停并保存当前所有的运行信息,返回yield的值。并在下一次执行 next()方法时从当前位置继续运行。

例如使用 yield 函数实现斐波那契数列:

import sys
def fibonacci(n):
    a,b,coun = 0,1,0;
    while True:
        if(coun > n):
            return
        yield(a)
        a,b = b,a+b
        coun = coun+1

f = fibonacci(10)

while True:
    try:
        print(next(f),end = " ")
    except StopIteration:
      sys.exit();

结果显示:

E:\studyPy\venv\Scripts\python.exe E:/studyPy/Test.py
0 1 1 2 3 5 8 13 21 34 55 
Process finished with exit code 0



版权声明:本文为qq_45691220原创文章,遵循 CC 4.0 BY-SA 版权协议,转载请附上原文出处链接和本声明。