這篇文章咱們來看幾個頗有用的 Python 內置函數 ,我認爲每一個學習 Python的 都應該知道這些函數。python
對於每一個函數,我會使用一個普通的實現來和內置函數作對比。數組
若是我直接引用了內置函數的文檔,請理解,由於這些函數文檔寫的很是棒!app
all(iterable)ide
若是可迭代的對象(數組,字符串,列表等,下同)中的元素都是 true (或者爲空)的話返回 True 。函數
_all = True for item in iterable: if not item: _all = False break if _all: # do stuff
更簡便的寫法是:學習
if all(iterable): # do stuff
any(iterable)優化
若是可迭代的對象中任何一個元素爲 true 的話返回 True 。若是可迭代的對象爲空則返回 False 。ui
''' 遇到問題沒人解答?小編建立了一個Python學習交流QQ羣:××× 尋找有志同道合的小夥伴, 互幫互助,羣裏還有不錯的視頻學習教程和PDF電子書! ''' _any = False for item in iterable: if item: _any = True break if _any: # do stuff
更簡便的寫法是:code
if any(iterable): # do stuff
cmp(x, y)視頻
比較兩個對象 x 和 y 。x < y 的時候返回負數, x ==y 的時候返回 0, x > y 的時候返回正數。
def compare(x,y): if x < y: return -1 elif x == y: return 0 else: return 1
你徹底可使用一句 cmp(x, y) 來替代。
dict([arg])
使用 arg 提供的條目生成一個新的字典。
arg 一般是未知的,可是它很方便!好比說,若是咱們想把一個含兩個元組的列表轉換成一個字典,咱們能夠這麼作。
''' 遇到問題沒人解答?小編建立了一個Python學習交流QQ羣:××× 尋找有志同道合的小夥伴, 互幫互助,羣裏還有不錯的視頻學習教程和PDF電子書! ''' l = [('Knights', 'Ni'), ('Monty', 'Python'), ('SPAM', 'SPAAAM')] d = dict() for tuple in l: d[tuple[0]] = tuple[1] # {'Knights': 'Ni', 'Monty': 'Python', 'SPAM': 'SPAAAM'}
或者這樣:
l = [('Knights', 'Ni'), ('Monty', 'Python'), ('SPAM', 'SPAAAM')] d = dict(l) # {'Knights': 'Ni', 'Monty': 'Python', 'SPAM': 'SPAAAM'}
enumerate(iterable [,start=0])
我真的是超級喜歡這個!若是你之前寫過 C 語言,那麼你可能會這麼寫:
for i in range(len(list)): # do stuff with list[i], for example, print it print i, list[i]
噢,不用那麼麻煩!你可使用 enumerate() 來提升可讀性。
for i, item in enumerate(list): # so stuff with item, for example print it print i, item
isinstance(object, classinfo)
若是 object 參數是 classinfo 參數的一個實例或者子類(直接或者間接)的話返回 True 。
當你想檢驗一個對象的類型的時候,第一個想到的應該是使用 type() 函數。
if type(obj) == type(dict): # do stuff elif type(obj) == type(list): # do other stuff ...
或者你能夠這麼寫:
if isinstance(obj, dict): # do stuff elif isinstance(obj, list): # do other stuff ...
pow(x, y [,z])
返回 x 的 y 次冪(若是 z 存在的話則以 z 爲模)。
若是你想計算 x 的 y 次方,以 z 爲模,那麼你能夠這麼寫:
mod = (x ** y) % z
可是當 x=1234567, y=4567676, z=56 的時候個人電腦足足跑了 64 秒!
不要用 ** 和 % 了,使用 pow(x, y, z) 吧!這個例子能夠寫成 pow(1234567, 4567676, 56) ,只用了 0.034 秒就出告終果!
zip([iterable, ])
這個函數返回一個含元組的列表,具體請看例子。
''' 遇到問題沒人解答?小編建立了一個Python學習交流QQ羣:××× 尋找有志同道合的小夥伴, 互幫互助,羣裏還有不錯的視頻學習教程和PDF電子書! ''' l1 = ('You gotta', 'the') l2 = ('love', 'built-in') out = [] if len(l1) == len(l2): for i in range(len(l1)): out.append((l1[i], l2[i])) # out = [('You gotta', 'love'), ('the', 'built-in)]
或者這麼寫:
l1 = ['You gotta', 'the'] l2 = ['love', 'built-in'] out = zip(l1, l2) # [('You gotta', 'love'), ('the', 'built-in)]
若是你想獲得倒序的話加上 * 操做符就能夠了。
print zip(*out) # [('You gotta', 'the'), ('love', 'built-in')]
結論
Python 內置函數很方便,它們很快而且通過了優化,因此它們可能效率更高。
我真心認爲每一個 Python 開發者都應該好好看看內置函數的文檔(引言部分)。
忘了說了,在 itertools 模塊中有不少很不錯的函數。