PEP8编码规范
- 导包时候有要求,最好不要from xxx import * ,导包顺序最好是先导入Python中标准库,然后是第三方库,最后导入自己的包
- 空行问题,顶级函数之间空两行,类之间空1行,末尾要空留一行
- 引入外来算法或者配置的时候在注释中添加源连接
- 变量命名问题,尽量见名思义,尽量不要使用单字母,全局变量使用大写字母
- 注释问题
- 独立逻辑抽离成独立的函数,让代码更加清晰
python的一些魔法指令
__str__: 格式化输出对象
__init__: 初始化对象
__add__: 加法,可以实现字典相加
__div__: 除法,
__sub__: 减法
__mul__: 乘法
__eq__: ==
__ne__: !=
__lt__: <
__le__: <=
__gt__: >
__ge__: >=
__len__: 类似于len方法
__iter__: for,用于迭代器中
__contains__: 和in类似
__getitem__: 和[ ] 类似,可以索引取值
__setitem__: 对list和dict有效,当key不存在的时候可以设置默认
__miss__: 对dict有效,缺失值的时候可以绑定这个函数
__call__: 可以让类变成一装饰器
with管理
__enter__: 进入with代码块之前的操作
__exit__: 退出时候的操作
__dict__: 显示出一个类所有的属性,包括方法
Python的自省方法
__setattr__: 和setattr()对应
__getattribute__: 获取属性,和getattr()对应
__hasattr__ : 判断是否有对应的属性
__slots__: 固定类所具有的属性
如:
class A:
__slots__ = ['x', 'y'] # 固定属性
垃圾回收关键字
- 引用计数
- 标记清除
- 分代回收
使用类方法实现单例模式
class Fun():
__instance = None
def __new__(cls, *args, ***kwargs):
if cls.__instance is None:
cls.__instance = object.__new__(cls)
return cls.__instance
使用类装饰器实现反复尝试的功能
class Example():
def __init__(self, sleep_time, counts):
self.sleep_tme = sleep_time
self.counts = counts
def__call(self, func)__: # 通过__call__的方法实现类装饰器
def inner(*args, **kwargs):
for i in range(self.counts):
result = func(*args, **kwargs):
print('第{}次尝试的值是{}'.format(i, result))
time.sleep(self.sleep_time)
return inner
@Example(2, 4):
def fun(x, y):
return random.randint(x,y)
使用迭代器生成斐波那契数列和range的功能
class Test():
def __init__(self, n):
self.n = n
self.count = 1
self.left = 1
self.right = 1
def __iter__(self):
return self
def __next__(self):
if self.count < self.n:
result = self.left
self.left, self.right = self.right, self.left + self.right
self.count += 1
return result
else:
raise StopInteration()
# range功能的实现
class Range():
def __init__(self, end, step=1):
self.start = 0
self.end = end
self.step = step
def __iter__(self):
return self
def __next__(self):
if self.start < self.end:
res = self.start
self.start += self.step
return res
else:
raise StopIteration()
使用yield实现斐波那契数列和range功能
# range功能
def my_range(n, step=1):
start = 0
while start < n:
res = start
start += step
yield start
# 斐波那契数列
def fei(n):
left = 0
right = 1
count = 0
while count < n:
res = right
left, right = right, left + right
yield res
迭代器:是一个带状态的对象,这个对象的方法中包含了iter 和 next的方法
生成器:是一种特殊的额迭代器,不需要iter和 next, 使用yield实现
网友评论