在編程過程當中,多瞭解語言周邊的一些知識,以及一些技巧,可讓你加速成爲一個優秀的程序員。html
對於Python程序員,你須要注意一下本文所提到的這些事情。 你也能夠看看Zen of Python(Python之禪),這裏面提到了一些注意事項,並配以示例,能夠幫助你快速提升。java
實現一個功能:讀取一列數據,只返回偶數併除以2。下面的代碼,哪一個更好一些呢?python
halve_evens_only = lambda nums: map(lambda i: i/2, filter(lambda i: not i%2, nums))
VSgit
def halve_evens_only(nums): return [i/2 for i in nums if not i % 2]
# 交換兩個變量 a, b = b, a # 切片(slice)操做符中的step參數。(切片操做符在python中的原型是[start:stop:step],即:[開始索引:結束索引:步長值]) a = [1,2,3,4,5] >>> a[::2] # 遍歷列表中增量爲2的數據 [1,3,5] # 特殊狀況下,`x[::-1]`是實現x逆序的實用的方式 >>> a[::-1] [5,4,3,2,1] # 逆序並切片 >>> x[::-1] [5, 4, 3, 2, 1] >>> x[::-2] [5, 3, 1]
def function(x, l=[]): #不要這樣 def function(x, l=None): # 好的方式 if l is None: l = []
這是由於當def聲明被執行時,默認參數老是被評估。程序員
iteritems 使用generators ,所以當經過很是大的列表進行迭代時,iteritems 更好一些。github
d = {1: "1", 2: "2", 3: "3"} for key, val in d.items() # 當調用時構建完整的列表 for key, val in d.iteritems() # 當請求時只調用值
# 不要這樣作 if type(s) == type(""): ... if type(seq) == list or \ type(seq) == tuple: ... # 應該這樣 if isinstance(s, basestring): ... if isinstance(seq, (list, tuple)): ...
緣由可參閱:stackoverflow編程
注意我使用的是basestring 而不是str,由於若是一個unicode對象是字符串的話,可能會試圖進行檢查。例如:數據結構
>>> a=u'aaaa' >>> print isinstance(a, basestring) True >>> print isinstance(a, str) False
這是由於在Python 3.0如下版本中,有兩個字符串類型str 和unicode。函數
Python有各類容器數據類型,在特定的狀況下,相比內置容器(如list 和dict ),這是更好的選擇。post
我敢確定,大部分人不使用它。我身邊一些粗枝大葉的人,一些可能會用下面的方式來寫代碼。
freqs = {} for c in "abracadabra": try: freqs[c] += 1 except: freqs[c] = 1
也有人會說下面是一個更好的解決方案:
freqs = {} for c in "abracadabra": freqs[c] = freqs.get(c, 0) + 1
更確切來講,應該使用collection 類型defaultdict。
from collections import defaultdict freqs = defaultdict(int) for c in "abracadabra": freqs[c] += 1
其餘容器:
namedtuple() # 工廠函數,用於建立帶命名字段的元組子類 deque # 相似列表的容器,容許任意端快速附加和取出 Counter # dict子類,用於哈希對象計數 OrderedDict # dict子類,用於存儲添加的命令記錄 defaultdict # dict子類,用於調用工廠函數,以補充缺失的值
__eq__(self, other) # 定義 == 運算符的行爲 __ne__(self, other) # 定義 != 運算符的行爲 __lt__(self, other) # 定義 < 運算符的行爲 __gt__(self, other) # 定義 > 運算符的行爲 __le__(self, other) # 定義 <= 運算符的行爲 __ge__(self, other) # 定義 >= 運算符的行爲
Ellipsis 是用來對高維數據結構進行切片的。做爲切片(:)插入,來擴展多維切片到全部的維度。例如:
>>> from numpy import arange >>> a = arange(16).reshape(2,2,2,2) # 如今,有了一個4維矩陣2x2x2x2,若是選擇4維矩陣中全部的首元素,你可使用ellipsis符號。 >>> a[..., 0].flatten() array([ 0, 2, 4, 6, 8, 10, 12, 14]) # 這至關於 >>> a[:,:,:,0].flatten() array([ 0, 2, 4, 6, 8, 10, 12, 14])