python __add__和__radd__

+ 号运算符号,通常我们用来重载一些实例之间的添加操作,这里讲述一下__add__和__radd__的运算解析流程

class A:
	def __add__(self, other):
		print("A __add__")
		
	def __radd__(self, other):
		print("A __radd__")
		
class B:
	pass

>>> a = A()
>>> b = B()
>>> a+b
A __add__
>>> b+a
A __radd__
>>> c = B()
>>> b + c
Traceback (most recent call last):
  File "", line 1, in 
TypeError: unsupported operand type(s) for +: 'instance' and 'instance'


python __add__和__radd___第1张图片


如果 a 有 __add__ 方法, 而且返回值不是 NotImplemented, 调用a.__add__(b), 然后返回结果。
如果 a 没有 __add__ 方法, 或者调用 __add__ 方法返回NotImplemented, 检查 b 有没有 __radd__ 方法, 如果有, 而且没有返回 NotImplemented, 调用 b.__radd__(a), 然后返回结果。
如果 b 没有 __radd__ 方法, 或者调用 __radd__ 方法返回NotImplemented, 抛出 TypeError, 并在错误消息中指明操作数类型不支持。

你可能感兴趣的:(python)