Python:__eq__和__str__函数的使⽤⽰例
⼀.__eq__⽅法
在我们定义⼀个类的时候,常常想对⼀个类所实例化出来的两个对象进⾏判断这两个对象是否是完全相同的。⼀般情况下,我们认为如果同⼀个类实例化出来的两个对象的属性全都是⼀样的话,那么这两个对象是相同的。但是如果我们直接⽤"==”来判断这两个对象知否相等,那么结果⼀定是不相等的,因为这两个对象的地址⼀定不同,它们在内存当中的不同区域,⽐如我们有代码:
class Item:
def __init__(self, name, weight):
self.name=name
字符串函数strself.weight=weight
cat_1 = Item('Cat', 5)
cat_2 = Item('Cat', 5)
print(cat_1 == cat_2)
这段代码当中,我们创建了两个“item”对象,它们的属性“name”和“weight”都完全⼀致,这段程序看似正确,应该打印出True,但实际上输出是:
False
原因则是因为这两个对象的地址是不同的,那么怎么才能够让它们只要属性相同两个对象就相等呢?那就是利⽤__eq__⽅法来进⾏判断,这个⽅法默认有两个参数,⼀个是self,另⼀个是other.也就是⽤⾃⾝的属性和other对象的属性分别进⾏⽐较,如果⽐对成功则返回True,失败则返回False。你也可以⾃定义想要⽐较的属性有哪些,也不⼀定是全部的属性都⼀样才相等。我们有代码:
class Item:
def __init__(self, name, weight):
self.name=name
self.weight=weight
def __eq__(self, other):
# `__eq__` is an instance method, which also accepts
# one other object as an argument.
if type(other)==type(self) and other.name==self.name and other.weight==self.weight:
return True
else:
return False# 返回False这⼀步也是需要写的哈,不然判断失败就没有返回值了
cat_1 = Item('Cat', 5)
cat_2 = Item('Cat', 5)
print(cat_1.__eq__(cat_2)) # should evaluate to True
print(cat_1 == cat_2) # should also evaluate to True
这样,就会打印出两个True了。
⼆.__str__⽅法
我们如果把⾃⼰创建的对象直接打印出来,那么⼀般是这样,⽐如我们有代码:
print(cat_1)
输出:
<__main__.Item object at 0x7f8e3d99f190
这是⼀个看起来⼗分难看的输出,输出的是这对象的类别和地址。但我们可以把这个输出改成⾃⼰想要的样⼦,那就是利⽤__str__⽅法。我们重写这个⽅法,让这个返回⼀个值,那么最后输出的就是我们的返回值,如下所⽰:
class Item:
def __init__(self, name, weight):
self.name=name
self.weight=weight
def __eq__(self, other):
if type(other)==type(self) and other.name==self.name and other.weight==self.weight:
return True
else:
return False
def __str__(self):
return 'the name of this cat is {}'.format(self.name)
再次创建并打印:
cat_1 = Item('Cat', 5)
cat_2 = Item('Cat', 5)
print(cat_1)
print(cat_2)
可得到输出:
the name of this cat is Cat
the name of this cat is Cat
这样这个输出看起来就不会有那么⿇烦了,⾃定义的输出果然清晰了不少啊!
以上就是Python:__eq__和__str__函数的使⽤⽰例的详细内容,更多关于Python __eq__和__str__函数的资料请关注其它相关⽂章!

版权声明:本站内容均来自互联网,仅供演示用,请勿用于商业和其他非法用途。如果侵犯了您的权益请与我们联系QQ:729038198,我们将在24小时内删除。