NotImplemented与NotImplementedError区别、__slot__和\__radd__

导入

根据实例导入实例演示

  • 抛出异常时,根据初始化__init__方法,携带字符串,方便阅读,这也是写日志的最好方法
  • 若不按照初始化方法进行抛出异常时,通常采用直接携带字符串并打印出相关字符串
  • NotImplemented在源码中就不是一个类,而是NotImplementedType的一个实例
  • NotIplementedError在源码 中本身就是一个类,而且继承RuntimeError,因此这个才是正则体系中的错误类
print(type(NotImplemented))
print(type(NotImplementedError))
import sys
try:
    # raise FileNotFoundError
    raise NotImplementedError('not implemented')
except Exception as f:
    print(f.args)
    print(f)
运行结果:
<class 'NotImplementedType'> #说明NotImplemented就是NotImplementedType的一个实例
<class 'type'>  #说明NotImplementedError就是一个类
('not implemented',)
not implemented

__slot__属性

通过__slot__设定属性后,实例就再无__dict__字典属性了,因此实例的属性只能从槽位中获取,就是网络硬件板块槽位思想一致。

__radd__属性

右加:当左边没有实现add属性时,看右边又没有radd属性,如有右边又radd属性则调用此属性进行右加
如:

class A:

    def __init__(self,name,age=20):
        self.name = name
        self.age = age

    def __add__(self, other):
        self.age += other.age
        return self

    def __iadd__(self, other):
        return A(self.name,self + other)

    def __radd__(self, other):
        if hasattr(other,'age'):
            return A(self.age + other.age)
        else:
            try:
                x = int(other)
            except:
                x = 100
            self.age = self.age + x
            return self.age

tom = A('tom')
print('ss'+tom)  #因为字符串没有add方法,所以调用tom的右侧radd,进行计算
运行结果:
120

你可能感兴趣的:(python)