原文連線:hzy 部落格
count()接受兩個引數
from itertools import count
"""無窮的迭代器 count()
"""c = count(0, 2)
v = next(c)
while v < 10:
v = next(c)
print(v, end=',')
cycle就是一while true,無限迴圈裡面的數字。
"""
無窮迭代器 cycle()
"""from itertools import cycle
c = cycle('abcd')
for i in range(10):
print(next(c), end=',')
重複迭代elem,n次
"""
無窮迭代器 repeat()
"""from itertools import repeat
r = repeat(1, 3)
for i in range(3):
print(next(r), end=',')
使用func的函式對迭代物件p進行累積。
"""
迭代器 accumulate()
"""from itertools import accumulate
test_list = [i for i in range(1, 11)]
for i in accumulate(test_list): # 預設是operator.add
print(i, end=',')
print()
for i in accumulate(test_list, lambda x, y: x * y): # operator.mul
print(i, end=',')
chain()中可以放多個迭代物件,然後一一迭代出來。
"""
迭代器 chain()
"""from itertools import chain
ch = chain([1, 2, 3], , , (9,), [10, [11, 12]])
for i in ch:
print(i)
跟chain不同的地方在於:
"""
迭代器 chain.from_iterable()
"""def gen_iterables():
for i in range(10):
yield range(i)
for i in chain.from_iterable(gen_iterables()):
print(i)
這是就是看下這個就知道了s是selectors中的元素。
(d[0] if s[0]), (d[1] if s[1]), ...
"""
迭代器 compress
"""from itertools import compress
print(list(compress(['a', 'b', 'c', 'd'], [0, 1, 1, 1])))
迴圈開始的條件是,直到遇到第一次
不滿足pred條件的情況,才開始遍歷。
"""
迭代器 dropwhile()
"""from itertools import dropwhile
l = [1, 7, 6, 3, 8, 2, 10]
print(list(dropwhile(lambda x: x < 3, l)))
這個感覺挺有意思的,有點像sql中的group_by。可以對字串,列表等進行分組。
from itertools import groupby
# 對字串進行分組
for k, g in groupby('11111234567'):
print(k, list(g))
d =
# 按照字典value來進行分組
for k, g in groupby(d, lambda x: d.get(x)):
print(k, list(g))
這個就是對迭代物件進行切割,不支援負數,有點像range(1,10,2)這種
from itertools import islice
print(list(islice('abcdefg', 2,3, none)))
這個和zip很像,不同地方在於:
from itertools import zip_longest
for x,y in zip_longest([1,2,3],[1,2]):
print(x,y)
for x,y in zip([1,2,3],[1,2]):
print(x,y)
相當於 巢狀的for「」"
排列組合迭代器 product 巢狀的for
「」"from itertools import product
for i,j in product([1,2,3],[4,5]):
print(i,j
全排列,比如輸出123的全部情況。(1,2,3),(1,3,2)…
from itertools import permutations
print(list(permutations('123')))
從p中找出所有長度為r的排列情況… 有順序
from itertools import combinations
print(list(combinations([1,2,3],2)))
從p中找出所有長度為r的排列情況,有順序,但包括自身就是會重複的意思。
三十三 深入Python中的itertools模組
author runsen 在python中有乙個功能強大的迭代工具包itertools,是python自帶的標準工具包之一。由於itertools是內建庫,不需要任何安裝,直接import itertools即可。product 用於求多個可迭代物件的笛卡爾積 cartesian product ...
Python3學習筆記23 itertools
python的內建模組itertools提供了非常有用的用於操作迭代物件的函式。首先,我們看看itertools提供的幾個 無限 迭代器 因為count 會建立乙個無限的迭代器,所以上述 會列印出自然數序列,根本停不下來,只能按ctrl c退出。cycle 會把傳入的乙個序列無限重複下去 同樣停不下...
python中 python中的 與
這一部分首先要理解python記憶體機制,python中萬物皆物件。對於不可變物件,改變了原來的值,其別名 變數名 繫結到了新值上面,id肯定會改變 對於可變物件,操作改變了值,id肯定會變,而 是本地操作,其值原地修改 對於 號操作,可變物件和不可變物件呼叫的都是 add 操作 對於 號操作,可變...