• 主页

  • 投资

  • IT

    🔥
  • 设计

  • 销售

关闭

返回栏目

关闭

返回python栏目

25 - 语法 - .__xx__()魔法方法 - 直接使用

作者:

贺及楼

成为作者

更新日期:2024-10-27 16:45:54

__xx__()魔法方法直接使用

魔法方法汇总

Python中的魔法方法(也称为特殊方法或内置方法)是一系列以双下划线__开头和结尾的方法。这些方法在特定操作或内置操作时被自动调用,例如__init__()在对象创建时初始化对象,__len__()返回容器的长度,__str__()定义对象的字符串表示等。魔法方法允许开发者控制类的行为,使其与Python的数据类型和内置函数无缝协作,增强了类的功能性和灵活性。

python的魔法方法是通过__xx__()下划线来进行调用,是python已经有的方法,可以直接使用

分类 方法 说明 作用
算术运算符 __add__(self, other) 定义加法的行为:+
算术运算符 __sub__(self, other) 定义减法的行为:-
算术运算符 __mul__(self, other) 定义乘法的行为:*
算术运算符 __truediv__(self, other) 定义真除法的行为:/
算术运算符 __floordiv__(self, other) 定义整数除法的行为://
算术运算符 __mod__(self, other) 定义取模算法的行为:百分号
比较运算符 __lt__(self, other) 定义小于号的行为:x < y 调用 x.lt(y)
比较运算符 __le__(self, other) 定义小于等于号的行为:x <= y 调用 x.le(y)
比较运算符 __eq__(self, other) 定义等于号的行为:x == y 调用 x.eq(y)
比较运算符 __ne__(self, other) 定义不等号的行为:x != y 调用 x.ne(y)
比较运算符 __gt__(self, other) 定义大于号的行为:x > y 调用 x.gt(y)
比较运算符 __ge__(self, other) 定义大于等于号的行为:x >= y 调用 x.ge(y)
__doc__() 文档解释
__sizeof__() 打印系统分配空间的大小
__class__() 调用子类方法

__doc__()类解释

  1. class ClassName:
  2. '''
  3. 这个是我定义的类的注释
  4. '''
  5. def __init__(self):
  6. '''
  7. 这是一个类属性
  8. '''
  9. index = ClassName()
  10. print(index.__doc__) # print(index.__doc__)
  11. print(index.__init__.__doc__) # 这是一个类属性

__doc__类解释

__sizeof__()打印系统分配空间的大小

  1. class Dog():
  2. def d(self):
  3. print("aa")
  4. if __name__ == "__main__":
  5. my_dog = Dog()
  6. print(my_dog.__sizeof__())

__sizeof__打印系统分配空间的大小

__add__(self, other)__sub__(self, other)__truediv__(self, other)__floordiv__(self, other)__mod__(self, other)

  1. class Dog:
  2. def __init__(self):
  3. self.x = 30
  4. self.y = 8
  5. main = Dog()
  6. print(main.x.__add__(6)) # 定义减法的行为:+ 36
  7. print(main.x.__sub__(6)) # 定义减法的行为:- 24
  8. print(main.x.__mul__(6)) # 定义乘法的行为:* 180
  9. print(main.x.__truediv__(6)) # 定义真除法的行为:/ 5.0
  10. print(main.x.__floordiv__(6)) # 定义整数除法的行为:// 5
  11. print(main.y.__mod__(6)) # 定义取模算法的行为:百分号 2

python魔法方法

__gt__()__ge__()__le__()__lt__()__eq__()__ne__()

Python3中已经不能使用cmp()函数

  1. import operator #首先要导入运算符模块
  2. operator.gt(1,2) #意思是greater than(大于)
  3. operator.ge(1,2) #意思是greater and equal(大于等于)
  4. operator.eq(1,2) #意思是equal(等于)
  5. operator.le(1,2) #意思是less and equal(小于等于)
  6. operator.lt(1,2) #意思是less than(小于)
  7. operator.__lt__(a, b)
  8. operator.__le__(a, b)
  9. operator.__eq__(a, b)
  10. operator.__ne__(a, b)
  11. operator.__ge__(a, b)
  12. operator.__gt__(a, b)

lt(a, b) 相当于 a < b
le(a,b) 相当于 a <= b
eq(a,b) 相当于 a == b
ne(a,b) 相当于 a != b
gt(a,b) 相当于 a > b
ge(a, b)相当于 a>= b

__class__()调用子类

  1. class Foo(object):
  2. def create_new(self):
  3. return self.__class__()
  4. def create_new2(self):
  5. return Foo()
  6. class Bar(Foo):
  7. pass
  8. b = Bar()
  9. c = b.create_new()
  10. print type(c) # We got an instance of Bar
  11. d = b.create_new2()
  12. print type(d) # we got an instance of Foo