縮進
每級縮進用4個空格。
括號中使用垂直隱式縮進或使用懸掛縮進。
EXAMPLE:
# (垂直隱式縮進)對準左括號
foo = long_function_name(var_one, var_two,
var_three, var_four)
# (懸掛縮進) 一般情況只需多一層縮進
foo = long_function_name(
var_one, var_two,
var_three, var_four)
# (懸掛縮進) 但下面情況, 需再加多一層縮進, 和后續的語句塊區分開來
def long_function_name(
var_one, var_two, var_three,
var_four):
print(var_one)
# 右括號回退
my_list = [
1, 2, 3,
4, 5, 6,
]
result = some_function_that_takes_arguments(
'a', 'b', 'c',
'd', 'e', 'f',
)
錯誤示范:
# 不使用垂直對齊時,第一行不能有參數。
foo = long_function_name(var_one, var_two,
var_three, var_four)
# 參數的懸掛縮進和后續代碼塊縮進不能區別。
def long_function_name(
var_one, var_two, var_three,
var_four):
print(var_one)
# 右括號不回退,不推薦
my_list = [
1, 2, 3,
4, 5, 6,
]
result = some_function_that_takes_arguments(
'a', 'b', 'c',
'd', 'e', 'f',
)
最大行寬
每行最大行寬不超過 79 個字符
一般續行可使用反斜杠
括號內續行不需要使用反斜杠
EXAMPLE:
# 無括號續行, 利用反斜杠
with open('/path/to/some/file/you/want/to/read') as file_1, \
open('/path/to/some/file/being/written', 'w') as file_2:
file_2.write(file_1.read())
# 括號內續行, 盡量在運算符后再續行
class Rectangle(Blob):
def __init__(self, width, height,
color='black', emphasis=None, highlight=0):
if (width == 0 and height == 0 and
color == 'red' and emphasis == 'strong' or
highlight > 100):
raise ValueError("sorry, you lose")
if width == 0 and height == 0 and (color == 'red' or
emphasis is None):
raise ValueError("I don't think so -- values are %s, %s" %
(width, height))
空行
兩行空行用于分割頂層函數和類的定義
單個空行用于分割類定義中的方法
EXAMPLE:
# 類的方法定義用單個空行分割,兩行空行分割頂層函數和類的定義。
class A(object):
def method1():
pass
def method2():
pass
def method3():
pass
模塊導入
導入的每個模塊應該單獨成行
導入順序如下: (各模塊類型導入之間要有空行分割,各組里面的模塊的順序按模塊首字母自上而下升序排列)
標準庫
相關的第三方庫
本地庫
EXAMPLE:
# 按模塊首字母排序導入, 依此遞推
import active
import adidas
import create
錯誤示例:
# 一行導入多模塊
import sys, os, knife
# 不按首字母導入
import create
import active
import beyond
字符串
單引號和雙引號作用是一樣的,但必須保證成對存在,不能夾雜使用.
(建議句子使用雙引號, 單詞使用單引號, 但不強制.)
EXAMPLE:
# 單引號和雙引號效果一樣
name = 'JmilkFan'
name = "Hey Guys!"
表達式和語句中的空格
括號里邊避免空格
EXAMPLE:
spam(ham[1], {eggs: 2})
錯誤示例:
spam( ham[ 1 ], { eggs: 2 } )
逗號,冒號,分號之前避免空格
EXAMPLE:
if x == 4: print x, y; x, y = y, x
錯誤示例:
if x == 4 : print x , y ; x , y = y , x
函數調用的左括號之前不能有空格
EXAMPLE:
spam(1)
dct['key'] = lst[index]
錯誤示例:
spam (1)
dct ['key'] = lst [index]
賦值等操作符前后不能因為對齊而添加多個空格
EXAMPLE:
x = 1
y = 2
long_variable = 3
錯誤示例:
x = 1
y = 2
long_variable = 3
二元運算符兩邊放置一個空格
涉及 = 的復合操作符 ( += , -=等)
比較操作符 ( == , < , > , != , <> , <= , >= , in , not in , is , is not )
邏輯操作符( and , or , not )
EXAMPLE:
a = b
a or b
# 括號內的操作符不需要空格
name = get_name(age, sex=None, city=Beijing)
注釋
注釋塊
注釋塊通常應用在代碼前,并和代碼有同樣的縮進。每行以 ‘# ’ 開頭, 而且#后面有單個空格。
EXAMPLE:
# Have to define the param `args(List)`,
# otherwise will be capture the CLI option when execute `python manage.py server`.
# oslo_config: (args if args is not None else sys.argv[1:])
CONF(args=[], default_config_files=[CONFIG_FILE])
單行注釋(應避免無謂的注釋)
EXAMPLE:
x = x + 1 # Compensate for border
文檔字符串
評論
查看更多