注:本文所有代码均经过Python 3.7实际运行检验,保证其严谨性。
本文阅读时间约为3分钟。
类的特殊方法
类的特殊方法(special method)也被称作魔术方法(magic method)。
在类定义中出现的一些特殊方法,可以方便地使用Python中的一些内置操作。
所有特殊方法的名称以两个下划线"__"(两个连接着的下划线)开始和结束。
对象构造器
__init__(self, [...)
对象的构造器,实例化对象时调用。
对象析构器
销毁对象时也有个特殊方法:
__del__(self, [...)
例子如下:
from os.path import join
class FileObject:
'''给文件对象进行包装从而确认在删除时文件流关闭'''
def __init__(self, filepath='~', filename='sample.txt'):
# 读写模式打开一个文件。
self.file = open(join(filepath, filename), 'r+')
def __del__(self):
self.file.close()
del self.file
算术运算
算术操作符(从左向右计算,self作为左操作数)
__add__(self, other): 使用+操作符。
__sub__(self, other): 使用-操作符。
__mul__(self, other): 使用*操作符。
__div__(self, other): 使用/操作符。
反运算(从右向左计算,self作为右操作数)
当从左向右计算行不通,左操作数不支持相应操作时被调用:
__radd__(self, other): 使用+操作符。
__rsub__(self, other): 使用-操作符。
__rmul__(self, other): 使用*操作符。
__rdiv__(self, other): 使用/操作符。
其中r表示right,此时self是右操作数。
大小比较
__eq__(self, other):使用==操作符。equal
__ne__(self, other):使用!=操作符。not equal
__lt__(self, other):使用<操作符。great than
__gt__(self, other):使用>操作符。less than
__le__(self, other):使用<=操作符。less and equal
__ge__(self, other):使用>=操作符。great and equal
其它特殊方法
不仅数字类型可以使用+(或__add__())和-(或__sub__))等数学运算符,例如字符串类型可以使用+进行拼接,使用*进行赋值。
__str__(self):自动转换为字符串。
__repr__(self):返回一个用来表示对象的字符串。和上面的__str__(self)几乎是一样的功能,只不过更正式。
__len__(self):返回元素个数。
To be continued.