文章目录
突然,在想为什么两个对象可以比较大小呢?比如类的两个实例,这就不得不说python3中的富比较方法了。
拿python3中的functools中的cmp_to_key函数作为例子。下面是该函数的源代码:
def cmp_to_key(mycmp):
"""Convert a cmp= function into a key= function"""
class K(object):
__slots__ = ['obj']
def __init__(self, obj):
self.obj = obj
def __lt__(self, other):
return mycmp(self.obj, other.obj) < 0
def __gt__(self, other):
return mycmp(self.obj, other.obj) > 0
def __eq__(self, other):
return mycmp(self.obj, other.obj) == 0
def __le__(self, other):
return mycmp(self.obj, other.obj) <= 0
def __ge__(self, other):
return mycmp(self.obj, other.obj) >= 0
__hash__ = None
return K
该函数内部定义了一个类,该类有5个方法,分别是__lt__, __gt__,__eq__,__le__,__ge__
其实还可以定义__ne__
方法。
这分别对应了:小于,大于,等于,小于等于,大于等于,不等于。这六个就是富比较方法。
对象之所以能够比较大小,就是因为这六个富比较方法在其作用。例如,__lt__富比较方法可以直接映射到对应的操作符如“<”,操作更方便简洁。
举个例子来讲吧:
#@author: sjl
#@creaetd: 2019/09/23
#@updated: 2019/09/23
#@desc: 实验python中的富比较方法,__lt__, __gt__, __le__, __ge__, __eq__, __ne__这6个富比较方法
class Test(object):
def __init__(self, value):
self.value = value
def __lt__(self, other):
print('调用Test的__lt__方法')
return self.value < other.value
def __gt__(self, other):
print('调用Test的__gt__方法')
return self.value > other.value
t1 = Test(1)
t2 = Test(2)
print(t1 > t2)
print(t2 < t1)
# 当比较两个实例t1和t2的大小时,实际就是调用了对应的富比较方法。
# 例子中时t1 > t2,应该映射到了Test_1类中的__gt__方法,也就是比较了这两个实例的value属性的大小。
输出结果如下:
调用Test的__gt__方法
False
调用Test的__lt__方法
False
将代码修改之后:
class Test(object):
def __init__(self, value):
self.value = value
def __lt__(self, other):
print('调用Test的__lt__方法')
return self.value < other.value
def __gt__(self, other):
print('调用Test的__gt__方法')
return self.value*10 > other.value
t1 = Test(1)
t2 = Test(2)
print(t1 > t2)
print(t2 < t1)
输出结果如下:
调用Test的__gt__方法
True
调用Test的__lt__方法
False
参考文献
[1] Python的富比较方法__eq__和__ne__之间的关联关系分析
[2] 为什么Python中称__lt__、__gt__等为“富比较”方法
转载:https://blog.csdn.net/besmarterbestronger/article/details/101217761
查看评论