yield的英文单词意思是生产,刚接触Python的时候感到很是困惑,一直没弄明白yield的用法。python
只是粗略的知道yield能够用来为一个函数返回值塞数据,好比下面的例子:bash
1
2
3
|
def
addlist(alist):
for
i
in
alist:
yield
i
+
1
|
取出alist的每一项,而后把i + 1塞进去。而后经过调用取出每一项:函数
1
2
3
|
alist
=
[
1
,
2
,
3
,
4
]
for
x
in
addlist(alist):
print
x,
|
这的确是yield应用的一个例子学习
1. 包含yield的函数spa
假如你看到某个函数包含了yield,这意味着这个函数已是一个Generator,它的执行会和其余普通的函数有不少不一样。好比下面的简单的函数:code
1
2
3
4
|
def
h():
print
'To be brave'
yield
5
h()
|
能够看到,调用h()以后,print 语句并无执行!这就是yield,那么,如何让print 语句执行呢?这就是后面要讨论的问题,经过后面的讨论和学习,就会明白yield的工做原理了。ci
2. yield是一个表达式get
Python2.5之前,yield是一个语句,但如今2.5中,yield是一个表达式(Expression),好比:generator
m = yield 5string
表达式(yield 5)的返回值将赋值给m,因此,认为 m = 5 是错误的。那么如何获取(yield 5)的返回值呢?须要用到后面要介绍的send(msg)方法。
3. 透过next()语句看原理
如今,咱们来揭晓yield的工做原理。咱们知道,咱们上面的h()被调用后并无执行,由于它有yield表达式,所以,咱们经过next()语句让它执行。next()语句将恢复Generator执行,并直到下一个yield表达式处。好比:
1
2
3
4
5
6
|
def
h():
print
'Wen Chuan'
yield
5
print
'Fighting!'
c
=
h()
c.
next
()
|
c.next()调用后,h()开始执行,直到遇到yield 5,所以输出结果:
Wen Chuan
当咱们再次调用c.next()时,会继续执行,直到找到下一个yield表达式。因为后面没有yield了,所以会拋出异常:
1
2
3
4
5
6
|
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) 做用是同样的。
来看这个例子:
1
2
3
4
5
6
7
8
9
|
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的参数,即咱们开始认为被压进去的东东。咱们再延续上面的例子:
1
2
3
4
5
6
7
8
9
10
|
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
|
输出结果:
1
2
|
Wen Chuan Fighting!
We will never forget the
date
5 . 12
|
6. throw() 与 close()中断 Generator
中断Generator是一个很是灵活的技巧,能够经过throw抛出一个GeneratorExit异常来终止Generator。Close()方法做用是同样的,其实内部它是调用了throw(GeneratorExit)的。咱们看:
1
2
3
4
5
6
7
8
|
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)的话会抛出一个异常:
1
2
3
4
|
Traceback (most recent call last):
File
"/home/evergreen/Codes/yidld.py"
, line 14,
in
<module>
d = c.send(
'Fighting!'
)
#d 获取了yield 12 的参数值12
StopIteration
|