可迭代:直接作用于for循环的变量
迭代器:不但可以作用于for循环的变量,还可以被next调用,list不是迭代器
可迭代对象转化为迭代器用Iter(d)函数
判断是否可迭代
from collections import Iterable
l=[1,2,3,4]
print(isinstance(l,Iterable))
判断是否为迭代器
from collections import Iterator
l=[1,2,3,4]
print(isinstance(l,Iterator))
生成器:一边循环一边计算下个元素的算法,需满足三个条件:
- 每次调用都产生出for循环需要的下一个元素
- 如果达到最后一个后,抛出StopIteration异常
- 可以被next函数调用
如何生成一个生成器:
- 直接调用
- 如果函数包含了yield,则这个函数就叫生成器了
- next调用函数,遇到 yield就返回
g=(i for i in range(1:10)
def fun():
print("one")
yield 1
print("two")
yield 2
one=next(fun())
print(one) #one
two=next(fun())
print(two) #one
g=fun()
one=next(g)
print(one) #one
two=next(g)
print(two) #two
斐波那契函数的生成器写法
def fib(max):
n,a,b=0,0,1
while n<max:
yield b
a,b=b,a+b
n+=1
return 'done'#抛出异常的返回值就是return 的返回值
g=fib(4)
for i in range(5):
re=next(g)
print(re)