您好,登錄后才能下訂單哦!
這篇文章主要介紹Python中如何保存最后N個元素,文中介紹的非常詳細(xì),具有一定的參考價值,感興趣的小伙伴們一定要看完!
問題:希望在迭代或是其他形式的處理過程中對最后幾項記錄做一個有限的歷史記錄統(tǒng)計
解決方案:選擇collections.deque。
如下的代碼對一系列文本行做簡單的文本匹配操作,當(dāng)發(fā)現(xiàn)有匹配時就輸出當(dāng)前的匹配行以及最后檢查過的N行文本:
from collections import deque def search(lines, pattern, history=5): previous_lines = deque(maxlen=history) for line in lines: if pattern in line: yield line, previous_lines previous_lines.append(line) # Example use on a file if __name__ == '__main__': with open('somefile.txt') as f: for line, prevlines in search(f, 'python', 5): for pline in prevlines: print(pline, end='') print(line, end='') print('-'*20)
正如上面的代碼一樣,當(dāng)編寫搜索某項記錄的代碼時,通常會用到含有yield關(guān)鍵字的生成器函數(shù),將處理搜索過程的代碼與使用搜索結(jié)果的代碼解耦開來。具體生成器可參考本站迭代器和生成器相關(guān)內(nèi)容。
deque(maxlen=N)
創(chuàng)建一個固定長度的隊列,當(dāng)加入新元素而隊列已滿時會自動移除最老的那條記錄:
>>> from collections import deque >>> q=deque(maxlen=3) >>> q.append(1) >>> q.append(2) >>> q.append(3) >>> q deque([1, 2, 3], maxlen=3) >>> q.append(4) >>> q deque([2, 3, 4], maxlen=3) >>> q.append(5) >>> q deque([3, 4, 5], maxlen=3) >>>
盡管可以在列表上手動完成這樣的操作(append、del),但隊列的這種解決方案要優(yōu)雅得多,運(yùn)行速度也快得多。
如果不指定隊列長度,則得到一個無界限的隊列,可在兩端執(zhí)行添加和彈出操作:
>>> q=deque() >>> q deque([]) >>> q.append(1) >>> q.append(2) >>> q.append(3) >>> q deque([1, 2, 3]) >>> q.appendleft(4) >>> q deque([4, 1, 2, 3]) >>> q.pop() 3 >>> q deque([4, 1, 2]) >>> q.popleft() 4 >>> q deque([1, 2]) >>>
以上是“Python中如何保存最后N個元素”這篇文章的所有內(nèi)容,感謝各位的閱讀!希望分享的內(nèi)容對大家有幫助,更多相關(guān)知識,歡迎關(guān)注億速云行業(yè)資訊頻道!
免責(zé)聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點(diǎn)不代表本網(wǎng)站立場,如果涉及侵權(quán)請聯(lián)系站長郵箱:is@yisu.com進(jìn)行舉報,并提供相關(guān)證據(jù),一經(jīng)查實,將立刻刪除涉嫌侵權(quán)內(nèi)容。