深入领略yield
yield的英文单词意思是出产,刚打仗Python的时候感想很是狐疑,一直没弄大白yield的用法。
只是大致的知道yield可以用来为一个函数返回值塞数据,好比下面的例子:
def addlist(alist): for i in alist: yield i + 1
取出alist的每一项,然后把i + 1塞进去。然后通过挪用取出每一项:
alist = [1, 2, 3, 4] for x in addlist(alist): print x,
这简直是yield应用的一个例子
1. 包括yield的函数
如果你看到某个函数包括了yield,这意味着这个函数已经是一个Generator,它的执行会和其他普通的函数有许多差异。好比下面的简朴的函数:
def h(): print 'To be brave' yield 5 h()
可以看到,挪用h()之后,print 语句并没有执行!这就是yield,那么,如何让print 语句执行呢?这就是后头要接头的问题,通事后头的接头和进修,就会大白yield的事情道理了。
2. yield是一个表达式
Python2.5以前,yield是一个语句,但此刻2.5中,yield是一个表达式(Expression),好比:
m = yield 5
表达式(yield 5)的返回值将赋值给m,所以,认为 m = 5 是错误的。那么如何获取(yield 5)的返回值呢?需要用到后头要先容的send(msg)要领。
3. 透过next()语句看道理
此刻,我们来发表yield的事情道理。我们知道,我们上面的h()被挪用后并没有执行,因为它有yield表达式,因此,我们通过next()语句让它执行。next()语句将规复Generator执行,并直到下一个yield表达式处。好比:
def h(): print 'Wen Chuan' yield 5 print 'Fighting!' c = h() c.next()
c.next()挪用后,h()开始执行,直到碰着yield 5,因此输出功效:
Wen Chuan
当我们再次挪用c.next()时,会继承执行,直到找到下一个yield表达式。由于后头没有yield了,因此会拋出异常:
Wen Chuan Fighting! Traceback (most recent call last): File "/home/evergreen/Codes/yidld.py", line 11, in <module> c.next() StopIteration
4. send(msg) 与 next()
相识了next()如何让包括yield的函数执行后,我们再来看别的一个很是重要的函数send(msg)。其实next()和send()在必然意义上浸染是相似的,区别是send()可以通报yield表达式的值进去,而next()不能通报特定的值,只能通报None进去。因此,我们可以看做
c.next() 和 c.send(None) 浸染是一样的。
来看这个例子:
def h(): print 'Wen Chuan', m = yield 5 # Fighting! print m d = yield 12 print 'We are together!' c = h() c.next() #相当于c.send(None) c.send('Fighting!') #(yield 5)表达式被赋予了'Fighting!'
输出的功效为:
Wen Chuan Fighting!
需要提醒的是,第一次挪用时,请利用next()语句或是send(None),不能利用send发送一个非None的值,不然会堕落的,因为没有yield语句来吸收这个值。
5. send(msg) 与 next()的返回值
send(msg) 和 next()是有返回值的,它们的返回值很非凡,返回的是下一个yield表达式的参数。好比yield 5,则返回 5 。到这里,是不是大白了一些什么对象?本文第一个例子中,通过for i in alist 遍历 Generator,其实是每次都挪用了alist.Next(),而每次alist.Next()的返回值正是yield的参数,即我们开始认为被压进去的东东。我们再延续上面的例子:
def h(): print 'Wen Chuan', m = yield 5 # Fighting! print m d = yield 12 print 'We are together!' c = h() m = c.next() #m 获取了yield 5 的参数值 5 d = c.send('Fighting!') #d 获取了yield 12 的参数值12 print 'We will never forget the date', m, '.', d
输出功效:
Wen Chuan Fighting! We will never forget the date 5 . 12
6. throw() 与 close()间断 Generator
#p#分页标题#e#
间断Generator是一个很是机动的能力,可以通过throw抛出一个GeneratorExit异常来终止Generator。Close()要领浸染是一样的,其实内部它是挪用了throw(GeneratorExit)的。我们看:
def close(self): try: self.throw(GeneratorExit) except (GeneratorExit, StopIteration): pass else: raise RuntimeError("generator ignored GeneratorExit") # Other exceptions are not caught
因此,当我们挪用了close()要领后,再挪用next()或是send(msg)的话会抛出一个异常:
Traceback (most recent call last): File "/home/evergreen/Codes/yidld.py", line 14, in <module> d = c.send('Fighting!') #d 获取了yield 12 的参数值12 StopIteration