Python 好的代码
防止python脚本中被重复执行
if name == ‘main’:
if x: 判断真
if not x: 判断假
if x in items: # 包含
for x in items: # 迭代
不使用临时变量交换两个值
a, b = b, a
用序列构建字符串。
sr = [‘a’, ‘a’, ‘c’, ‘c’, ‘b’, ‘b’]
ss = ''join(sr)
print(ss) # aaccbb
EAFP优于LBYL。
EAFP:
try:
x = my_dict[“key”]
except KeyError:
# handle missing key
LBYL:
if “key” in my_dict:
x = my_dict[“key”]
else:
# handle missing key
LBYL版本必须在目录中搜索两次键
使用enumerate进行迭代。
>>>seasons = ['Spring', 'Summer', 'Fall', 'Winter']
>>> list(enumerate(seasons))
[(0, 'Spring'), (1, 'Summer'), (2, 'Fall'), (3, 'Winter')]
用生成式生成列表。
data = [7, 20, 3, 15, 11]
result = [num * 3 for num in data if num > 10] #如果大于10的才会输出
print(result) # [60, 45, 33]
用zip组合键和值来创建字典。
keys = [‘0’, ‘1’, ‘2’]
values = [‘a’, ‘b’, ‘c’]
d = dict(zip(keys, values))
print(d)