1. 协议和鸭子类型
协议:
- 理解:
- 在面向对象编程中,协议是非正式的接口,即按照所需的行为实现所需的方法
- 协议是非正式的,没有强制力,因此如果知道类的具体使用场景,通常只需要实现一个协议的部分
- eg: 为了支持迭代,只需实现 __getitem__ 方法,没必要提供 __len__ 方法
2. 符合Python风格的序列
2.1 对象表示形式
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
|
from array import array
import reprlib
import math
import numbers
import functools
import operator
import itertools # <1>
class Vector:
typecode = 'd'
def __init__(self, components): # self._components 是“受保护的”实例属性
self._components = array(self.typecode, components) # 分量保存在一个数组中
def __iter__(self):
return iter(self._components) # 支持迭代协议
def __repr__(self):
components = reprlib.repr(self._components) # reprlib.repr()获取有限长度表示
components = components[components.find('['): -1]
return 'Vector({})'.format(components)
def __str__(self):
return str(tuple(self))
def __bytes__(self):
return (bytes([ord(self.typecode)]) +
bytes(self._components))
def __abs__(self):
return math.sqrt(sum(x * x for x in self))
def __bool__(self):
return bool(abs(self))
@classmethod
def frombytes(cls, octets):
typecode = chr(octets[0])
memv = memoryview(octets[1: ]).cast(typecode)
return cls(memv)
|
reprlib
- 作用: 可以生成长度有限的表示形式
- 版本:
- Pythno3 - reprlib
- Python2 - repr
- 附注: 2to3 工具能自动重写 repr 导入的内容
- 接口:
- reprlib.repr(): 用于生成大型结构或递归结构的安全表示形式,
它会限制输出字符串的长度,用 ‘…’ 表示截断的部分
__repr__
- 调用 repr() 函数的目的是调试,因此绝对不能抛出异常。如果 __repr__ 方
法的实现有问题,那么必须处理,尽量输出有用的内容,让用户能够识别目标对象
2.2 可散列对象
1
2
3
4
5
6
7
|
def __eq__(self, other):
return (len(self) == len(other) and
all(a == b for a, b in zip(self, other))) # 归约函数 all
def __hash__(self):
hashes = (hash(x) for x in self)
return functools.reduce(operator.xor, hashes, 0) # 归约各分量散列值
|
reduce(function, iterable,initializer)
- initializer
- 如果 iterable 为空, initializer 是返回的结果;否则,在归约中使用它作为第一个参数
- 因此应该使用恒等值。比如,对 +、 | 和 ^ 来说,initializer 应该是 0;而对 * 和 & 来说,应该是 1
2.3 序列协议
1
2
3
4
5
6
7
8
9
10
11
12
|
def __len__(self):
return len(self._components) # 委托给对象中的序列属性,以支持序列协议
def __getitem__(self, index): # 切片得到的应该是当前类型的新实例,而不是其他类型
cls = type(self) # 所以不能把切片简单地委托给数组切片
if isinstance(index, slice):
return cls(self._components[index])
elif isinstance(index, numbers.Integral):
return self._components[index]
else:
msg = '{.__name__} indices must be integers'
raise TypeError(msg.format(cls))
|
序列协议:
- 只需实现 __len__ 和 __getitem__ 两个方法
切片原理
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
|
>>> class MySeq:
def __getitem__(self, index):
return index # ➊
>>> s = MySeq()
>>> s[1]
1
>>> s[1: 4]
slice(1, 4, 2)
>>> s[1: 4: 2, 9] # 如果 [] 中有逗号,那么 __getitem__ 收到的是元组
(slice(1, 4, 2), 9)
>>> s[1: 4: 2, 7: 9] # 元组中甚至可以有多个切片对象
(slice(1, 4, 2), slice(7, 9, None))
>> help(slice.indices)
S.indices(len) -> (start, stop, stride)
# 给定长度为 len 的序列,计算 S 表示的扩展切片的起始( start)和结尾( stop)索
# 引,以及步幅( stride)。超出边界的索引会被截掉,这与常规切片的处理方式一样
# 假设有个长度为 5 的序列,例如 'ABCDE'
>>> slice(None, 10, 2).indices(5) # 'ABCDE'[: 10: 2] 等同于 'ABCDE'[0: 5: 2]
(0, 5, 2)
>>> slice(-3, None, None).indices(5) # 'ABCDE'[-3: ] 等同于 'ABCDE'[2: 5: 1]
(2, 5, 1)
|
Slice.indices
2.4 动态存取属性
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
|
shortcut_names = 'xyzt'
def __getattr__(self, name):
cls = type(self)
if len(name) == 1:
pos = cls.shortcut_names.find(name)
if 0 <= pos < len(self._components):
return self._components[pos]
msg = '{.__name__!r} object has no attribute {!r}'
raise AttributeError(msg.format(cls, name))
def __setattr__(self, name, value):
cls = type(self)
if len(name) == 1: # <1>
if name in cls.shortcut_names: # <2>
error = 'readonly attribute {attr_name!r}'
elif name.islower(): # <3>
error = "can't set attributes 'a' to 'z' in {cls_name!r}"
else:
error = '' # <4>
if error: # <5>
msg = error.format(cls_name=cls.__name__, attr_name=name)
raise AttributeError(msg)
# 在超类上调用 __setattr__ 方法,提供标准行为
super().__setattr__(name, value) # <6>
|
my_obj.x
- Python会检查 my_obj 实例有没有名为 x 的属性;
- 如果没有,到类 my_obj.__class__ 中查找;
- 如果还没有,顺着继承树继续查找。
- 如果依旧找不到,调用 my_obj 所属类中定义的 __getattr__ 方法,
传入 self 和属性名称的字符串形式
super()
- 作用:
- 用于动态访问超类的方法
- 程序员经常使用这个函数把子类方法的某些任务委托给超类中适当的方法
__getattr__
- 多数时候,如果实现了 __getattr__ 方法,那么也要定义 __setattr__ 方法,以防对象的行为不一致
- 如果想允许修改分量,可以使用 __setitem__ 方法,以支持 v[0] = 1.1
- 或者实现 __setattr__ 方法,以支持 v.x = 1.1
2.5 自定义格式
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
|
def angle(self, n): # <2>
r = math.sqrt(sum(x * x for x in self[n: ]))
a = math.atan2(r, self[n-1])
if (n == len(self) - 1) and (self[-1] < 0):
return math.pi * 2 - a
else:
return a
def angles(self): # <3>
return (self.angle(n) for n in range(1, len(self)))
def __format__(self, fmt_spec=''):
if fmt_spec.endswith('h'): # hyperspherical coordinates
fmt_spec = fmt_spec[: -1]
coords = itertools.chain([abs(self)],
self.angles()) # <4>
outer_fmt = '<{}>' # <5>
else:
coords = self
outer_fmt = '({})' # <6>
components = (format(c, fmt_spec) for c in coords) # <7>
return outer_fmt.format(', '.join(components)) # <8>
|
延伸阅读
Python:
reprlib
- 作用: 可以生成长度有限的表示形式
- 版本:
- Pythno3 - reprlib
- Python2 - repr
- 附注: 2to3 工具能自动重写 repr 导入的内容
blog:
函数式语言
实用工具
书籍:
附注
向量空间模型
把协议当作非正式的接口