Python 編碼時應該注意的幾件事情

來源:互聯網
上載者:User

編程過程中,多瞭解語言周邊的一些知識,以及一些技巧,可以讓你加速成為一個優秀的程式員。

對於Python程式員,你需要注意一下本文所提到的這些事情。你也可以看看Zen of Python(Python之禪),這裡面提到了一些注意事項,並配以樣本,可以協助你快速提高。

1.  漂亮勝於醜陋

實現一個功能:讀取一列資料,只返回偶數併除以2。下面的代碼,哪個更好一些呢?

Python代碼
  1. #----------------------------------------    
  2.   halve_evens_only = lambda nums: map(lambda i: i/2, filter(lambda i: not i%2, nums))  
  3.     
  4. #----------------------------------------    
  5.     
  6.   def halve_evens_only(nums):  
  7.       return [i/2 for i in nums if not i % 2]  

2.  記住Python中非常簡單的事情

Python代碼
  1. # 交換兩個變數  
  2.   
  3.       a, b = b, a  
  4.   
  5. # 切片(slice)操作符中的step參數。(切片操作符在python中的原型是[start:stop:step],即:[開始索引:結束索引:步長值])  
  6.   
  7.       a = [1,2,3,4,5]  
  8.       >>> a[::2]  # 遍曆列表中增量為2的資料  
  9.       [1,3,5]  
  10.   
  11. # 特殊情況下,`x[::-1]`是實現x逆序的實用的方式  
  12.   
  13.       >>> a[::-1]  
  14.       [5,4,3,2,1]  
  15.   
  16. # 逆序並切片  
  17.   
  18.       >>> x[::-1]  
  19.       [5, 4, 3, 2, 1]  
  20.   
  21.       >>> x[::-2]  
  22.       [5, 3, 1]  

3.  不要使用可變對象作為預設值

Python代碼
  1. def function(x, l=[]):          #不要這樣  
  2.   
  3. def function(x, l=None):        # 好的方式  
  4.     if l is None:  
  5. l = []  

這是因為當def聲明被執行時,預設參數總是被評估。

4.  使用iteritems而不是items

iteritems 使用generators ,因此當通過非常大的列表進行迭代時,iteritems 更好一些。

Python代碼
  1. d = {1: "1", 2: "2", 3: "3"}  
  2.   
  3. for key, val in d.items()       # 當調用時構建完整的列表  
  4.   
  5. for key, val in d.iteritems()   # 當請求時只調用值  

5.  使用isinstance ,而不是type

Python代碼
  1. # 不要這樣做  
  2.   
  3.   if type(s) == type(""): ...  
  4.   if type(seq) == list or \  
  5.      type(seq) == tuple: ...  
  6.   
  7. # 應該這樣  
  8.   
  9.   if isinstance(s, basestring): ...  
  10.   if isinstance(seq, (list, tuple)): ...  

原因可參閱:stackoverflow

注意我使用的是basestring 而不是str,因為如果一個unicode對象是字串的話,可能會試圖進行檢查。例如:

Python代碼
  1. >>> a=u'aaaa'  
  2. >>> print isinstance(a, basestring)  
  3. True  
  4. >>> print isinstance(a, str)  
  5. False  

這是因為在Python 3.0以下版本中,有兩個字串類型str 和unicode。

6.  瞭解各種容器

Python有各種容器資料類型,在特定的情況下,相比內建容器(如list 和dict ),這是更好的選擇。

我敢肯定,大部分人不使用它。我身邊一些粗心大意的人,一些可能會用下面的方式來寫代碼。

Python代碼
  1. freqs = {}  
  2. for c in "abracadabra":  
  3.     try:  
  4.         freqs[c] += 1  
  5.     except:  
  6.         freqs[c] = 1  

也有人會說下面是一個更好的解決方案:

Python代碼
  1. freqs = {}  
  2. for c in "abracadabra":  
  3.     freqs[c] = freqs.get(c, 0) + 1  

更確切來說,應該使用collection 類型defaultdict。

Python代碼
  1. from collections import defaultdict  
  2. freqs = defaultdict(int)  
  3. for c in "abracadabra":  
  4.     freqs[c] += 1  

其他容器:

Python代碼
  1. namedtuple()    # 工廠函數,用於建立帶命名欄位的元組子類  
  2. deque           # 類似列表的容器,允許任意端快速附加和取出  
  3. Counter   # dict子類,用於雜湊對象計數  
  4. OrderedDict   # dict子類,用於儲存添加的命令記錄  
  5. defaultdict   # dict子類,用於調用工廠函數,以補充缺失的值  

7.  Python中建立類的魔術方法(magic methods)

Python代碼
  1. __eq__(self, other)      # 定義 == 運算子的行為  
  2. __ne__(self, other)      # 定義 != 運算子的行為  
  3. __lt__(self, other)      # 定義 < 運算子的行為  
  4. __gt__(self, other)      # 定義 > 運算子的行為  
  5. __le__(self, other)      # 定義 <= 運算子的行為  
  6. __ge__(self, other)      # 定義 >= 運算子的行為  

8.  必要時使用Ellipsis(省略符號“...”)

Ellipsis 是用來對高維資料結構進行切片的。作為切片(:)插入,來擴充多維切片到所有的維度。例如:

Python代碼
>>> 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]) 
相關文章

聯繫我們

該頁面正文內容均來源於網絡整理,並不代表阿里雲官方的觀點,該頁面所提到的產品和服務也與阿里云無關,如果該頁面內容對您造成了困擾,歡迎寫郵件給我們,收到郵件我們將在5個工作日內處理。

如果您發現本社區中有涉嫌抄襲的內容,歡迎發送郵件至: info-contact@alibabacloud.com 進行舉報並提供相關證據,工作人員會在 5 個工作天內聯絡您,一經查實,本站將立刻刪除涉嫌侵權內容。

A Free Trial That Lets You Build Big!

Start building with 50+ products and up to 12 months usage for Elastic Compute Service

  • Sales Support

    1 on 1 presale consultation

  • After-Sales Support

    24/7 Technical Support 6 Free Tickets per Quarter Faster Response

  • Alibaba Cloud offers highly flexible support services tailored to meet your exact needs.