生成器支持close()方法,throw()方法,send()方法
1.close()方法:调用不用参数,手动关闭生成器函数,后面的调用会直接返回StopIteration异常。
def g4():
yield 1
yield 2
yield 3
g=g4()
print g.next() #1
g.close()
print g.next() #关闭后,yield 2和yield 3语句将不再起作用;并且返回一个 StopIteration 异常
2.throw 方法
用来向生成器函数送入一个异常,可以结束系统定义的异常,或者自定义的异常。throw()后直接跑出异常并结束程序,或者消耗掉一个yield,或者在没有下一个yield的时候直接进行到程序的结尾。
def gen():
while True:
try:
yield 'normal value'
yield 'normal value 2'
print('here')
except ValueError:
print('we got ValueError here')
except TypeError:
break
g=gen()
print(next(g))
print(g.throw(ValueError))
print(next(g))
print(g.throw(TypeError))
结果
normal value
we got ValueError here
normal value
normal value 2
Traceback (most recent call last):
File "h.py", line 15, in
print(g.throw(TypeError))
StopIteration
1.print(next(g)):会输出normal value,并停留在yield ‘normal value 2’之前。
2.由于执行了g.throw(ValueError),所以会跳过所有后续的try语句,也就是说yield ‘normal value 2’不会被执行,然后进入到except语句,打印出we got ValueError here。然后再次进入到while语句部分,消耗一个yield,所以会输出normal value。
3.print(next(g)),会执行yield ‘normal value 2’语句,并停留在执行完该语句后的位置。
4.g.throw(TypeError):会跳出try语句,从而print(‘here’)不会被执行,然后执行break语句,跳出while循环,然后到达程序结尾,所以跑出StopIteration异常。
3.send()方法
生成器函数最大的特点是可以接受外部传入的一个变量,并根据变量内容计算结果后返回。
def gen():
value=0
while True:
receive=yield value
if receive=='e':
break
value = 'got: %s' % receive
g=gen()
print(g.send(None))
print(g.send('aaa'))
print(g.send(3))
print(g.send('e'))
流程:
1通过g.send(None)或者next(g)可以启动生成器函数,并执行到第一个yield语句结束的位置。此时,执行完了yield语句,但是没有给receive赋值。yield value会输出初始值0注意:在启动生成器函数时只能send(None),如果试图输入其它的值都会得到错误提示信息。
2.通过g.send(‘aaa’),会传入aaa,并赋值给receive,然后计算出value的值,并回到while头部,执行yield value语句有停止。此时yield value会输出”got: aaa”,然后挂起。
3.通过g.send(3),会重复第2步,最后输出结果为”got: 3″
4.当我们g.send(‘e’)时,程序会执行break然后推出循环,最后整个函数执行完毕,所以会得到StopIteration异常。
结果
got: aaa
got: 3
Traceback (most recent call last):
File "h.py", line 14, in
print(g.send('e'))
StopIteration
转http://python.jobbole.com/81911/