流畅的python笔记1.2

时间:2022-01-20 16:06:34

1.2 如何使用特殊方法

首先创建类:

#coding=utf-8\
from math import hypot
class Vector:
def __init__(self, x=0, y=0):
self.x = x
self.y = y
#pythonz中有一个内置函数repr,能将一个对象以字符串的形式表达出来以便辨认
def __repr__(self):#pythonz中有一个内置函数repr
return 'Vector(%r, %r)'%(self.x, self.y)
def __abs__(self):
return hypot(self.x, self.y)
def __bool__(self):
return bool(abs(self))
def __add__(self, other):
x = self.x + other.x
y = self.y + other.y
return Vector(x, y)
def __mul__(self, scale):
return Vector(scale*self.x, scale*self.y)
对于__repr__,他的目的在于准确无歧义地表示出这个对象,而__str__实在str()方法被调用,或是print()函数时调用,所以它返回的字符串应该对用户更加友好。

如果一个对象没有__str__函数,而python在调用它时会使用__repr__代替。

sample = Vector(5, 6)
print(sample)
结果:

Vector(5, 6)


对于自定义的布尔值,在使用if,while,and,not, or运算符时,python会调用bool(),bool()运算在背后是调用__bool__的结果,如果没有定义__bool__,bool()会尝试调用__len__方法,如果返回0,则为false,否则为true。