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的函數
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
)的回傳值將賦值給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()
Wen Chuan Fighting! Traceback (most recent call last): File "/home/evergreen/Codes/yidld.py", line 11, in <module> c.next() StopIteration
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!'
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
def close(self): try: self.throw(GeneratorExit) except (GeneratorExit, StopIteration): pass else: raise RuntimeError("generator ignored GeneratorExit") # Other exceptions are not caught
Traceback (most recent call last): File "/home/evergreen/Codes/yidld.py", line 14, in <module> d = c.send('Fighting!') #d 获取了yield 12 的参数值12 StopIteration