久久国产成人av_抖音国产毛片_a片网站免费观看_A片无码播放手机在线观看,色五月在线观看,亚洲精品m在线观看,女人自慰的免费网址,悠悠在线观看精品视频,一级日本片免费的,亚洲精品久,国产精品成人久久久久久久

分享

符合語言習(xí)慣的 Python 優(yōu)雅編程技巧

 LibraryPKU 2018-09-24

來源:安生

http:///pythonic-python-programming.html

Python最大的優(yōu)點(diǎn)之一就是語法簡潔,,好的代碼就像偽代碼一樣,干凈,、整潔,、一目了然。要寫出 Pythonic(優(yōu)雅的、地道的,、整潔的)代碼,,需要多看多學(xué)大牛們寫的代碼,,github 上有很多非常優(yōu)秀的源代碼值得閱讀,比如:requests,、flask,、tornado,下面列舉一些常見的Pythonic寫法,。

0. 程序必須先讓人讀懂,,然后才能讓計(jì)算機(jī)執(zhí)行。

“Programs must be written for people to read, and only incidentally for machines to execute.”

1. 交換賦值

##不推薦
temp = a
a = b
b = a  

##推薦
a, b = b, a  #  先生成一個(gè)元組(tuple)對(duì)象,,然后unpack

2. Unpacking

##不推薦
l = ['David''Pythonista''+1-514-555-1234']
first_name = l[0]
last_name = l[1]
phone_number = l[2]  

##推薦
l = ['David''Pythonista''+1-514-555-1234']
first_name, last_name, phone_number = l
# Python 3 Only
first, *middle, last = another_list

3. 使用操作符in

##不推薦
if fruit == 'apple' or fruit == 'orange' or fruit == 'berry':
    # 多次判斷  

##推薦
if fruit in ['apple''orange''berry']:
    # 使用 in 更加簡潔

4. 字符串操作

##不推薦
colors = ['red''blue''green''yellow']

result = ''
for s in colors:
    result += s  #  每次賦值都丟棄以前的字符串對(duì)象, 生成一個(gè)新對(duì)象  

##推薦
colors = ['red''blue''green''yellow']
result = ''.join(colors)  #  沒有額外的內(nèi)存分配

5. 字典鍵值列表

##不推薦
for key in my_dict.keys():
    #  my_dict[key] ...  

##推薦
for key in my_dict:
    #  my_dict[key] ...

# 只有當(dāng)循環(huán)中需要更改key值的情況下,,我們需要使用 my_dict.keys()
# 生成靜態(tài)的鍵值列表。

6. 字典鍵值判斷

##不推薦
if my_dict.has_key(key):
    # ...do something with d[key]  

##推薦
if key in my_dict:
    # ...do something with d[key]

7. 字典 get 和 setdefault 方法

##不推薦
navs = {}
for (portfolio, equity, position) in data:
    if portfolio not in navs:
            navs[portfolio] = 0
    navs[portfolio] += position * prices[equity]
##推薦
navs = {}
for (portfolio, equity, position) in data:
    # 使用 get 方法
    navs[portfolio] = navs.get(portfolio, 0) + position * prices[equity]
    # 或者使用 setdefault 方法
    navs.setdefault(portfolio, 0)
    navs[portfolio] += position * prices[equity]

8. 判斷真?zhèn)?/span>

##不推薦
if x == True:
    # ....
if len(items) != 0:
    # ...
if items != []:
    # ...  

##推薦
if x:
    # ....
if items:
    # ...

9. 遍歷列表以及索引

##不推薦
items = 'zero one two three'.split()
# method 1
i = 0
for item in items:
    print i, item
    i += 1
# method 2
for i in range(len(items)):
    print i, items[i]

##推薦
items = 'zero one two three'.split()
for i, item in enumerate(items):
    print i, item

10. 列表推導(dǎo)

##不推薦
new_list = []
for item in a_list:
    if condition(item):
        new_list.append(fn(item))  

##推薦
new_list = [fn(item) for item in a_list if condition(item)]

11. 列表推導(dǎo)-嵌套

##不推薦
for sub_list in nested_list:
    if list_condition(sub_list):
        for item in sub_list:
            if item_condition(item):
                # do something...  
##推薦
gen = (item for sl in nested_list if list_condition(sl) \
            for item in sl if item_condition(item))
for item in gen:
    # do something...

12. 循環(huán)嵌套

##不推薦
for x in x_list:
    for y in y_list:
        for z in z_list:
            # do something for x & y  

##推薦
from itertools import product
for x, y, z in product(x_list, y_list, z_list):
    # do something for x, y, z

13. 盡量使用生成器代替列表

##不推薦
def my_range(n):
    i = 0
    result = []
    while i < n:
        result.append(fn(i))
        i += 1
    return result  #  返回列表

##推薦
def my_range(n):
    i = 0
    result = []
    while i < n:
        yield fn(i)  #  使用生成器代替列表
        i += 1
*盡量用生成器代替列表,,除非必須用到列表特有的函數(shù),。

14. 中間結(jié)果盡量使用imap/ifilter代替map/filter

##不推薦
reduce(rf, filter(ff, map(mf, a_list)))

##推薦
from itertools import ifilter, imap
reduce(rf, ifilter(ff, imap(mf, a_list)))
*lazy evaluation 會(huì)帶來更高的內(nèi)存使用效率,特別是當(dāng)處理大數(shù)據(jù)操作的時(shí)候,。

15. 使用any/all函數(shù)

##不推薦
found = False
for item in a_list:
    if condition(item):
        found = True
        break
if found:
    # do something if found...  

##推薦
if any(condition(item) for item in a_list):
    # do something if found...

16. 屬性(property)

=

##不推薦
class Clock(object):
    def __init__(self):
        self.__hour = 1
    def setHour(self, hour):
        if 25 > hour > 0: self.__hour = hour
        elseraise BadHourException
    def getHour(self):
        return self.__hour

##推薦
class Clock(object):
    def __init__(self):
        self.__hour = 1
    def __setHour(self, hour):
        if 25 > hour > 0: self.__hour = hour
        elseraise BadHourException
    def __getHour(self):
        return self.__hour
    hour = property(__getHour, __setHour)

17. 使用 with 處理文件打開

##不推薦
f = open('some_file.txt')
try:
    data = f.read()
    # 其他文件操作..
finally:
    f.close()

##推薦
with open('some_file.txt'as f:
    data = f.read()
    # 其他文件操作...

18. 使用 with 忽視異常(僅限Python 3)

##不推薦
try:
    os.remove('somefile.txt')
except OSError:
    pass

##推薦
from contextlib import ignored  # Python 3 only

with ignored(OSError):
    os.remove('somefile.txt')

19. 使用 with 處理加鎖

##不推薦
import threading
lock = threading.Lock()

lock.acquire()
try:
    # 互斥操作...
finally:
    lock.release()

##推薦
import threading
lock = threading.Lock()

with lock:
    # 互斥操作...

20. 參考

1) Idiomatic Python: http:///~goodger/projects/pycon/2007/idiomatic/handout.html

2) PEP 8: Style Guide for Python Code: http://www./dev/peps/pep-0008/


【關(guān)于投稿】


如果大家有原創(chuàng)好文投稿,,請(qǐng)直接給公號(hào)發(fā)送留言。


① 留言格式:
【投稿】+《 文章標(biāo)題》+ 文章鏈接

② 示例:
【投稿】《不要自稱是程序員,,我十多年的 IT 職場(chǎng)總結(jié)》:http://blog./94148/

③ 最后請(qǐng)附上您的個(gè)人簡介哈~



看完本文有收獲,?請(qǐng)轉(zhuǎn)發(fā)分享給更多人

關(guān)注「Python開發(fā)者」,提升Python技能

    本站是提供個(gè)人知識(shí)管理的網(wǎng)絡(luò)存儲(chǔ)空間,,所有內(nèi)容均由用戶發(fā)布,,不代表本站觀點(diǎn)。請(qǐng)注意甄別內(nèi)容中的聯(lián)系方式,、誘導(dǎo)購買等信息,,謹(jǐn)防詐騙。如發(fā)現(xiàn)有害或侵權(quán)內(nèi)容,,請(qǐng)點(diǎn)擊一鍵舉報(bào),。
    轉(zhuǎn)藏 分享 獻(xiàn)花(0

    0條評(píng)論

    發(fā)表

    請(qǐng)遵守用戶 評(píng)論公約

    類似文章 更多