Python一些类继承和实例变量的使用
定义基类
class APIException:code = 500msg = "Sorry, error"error_code = 999def __init__(self, msg=None):print("APIException init ...")def error_400(self):pass
复用基类的属性值
class ClientTypeError(APIException):code = 400# msg = "client is invalid" # 子类ClientTypeError默认的错误消息error_code = 1006client_error = ClientTypeError()
print(client_error.msg) # Sorry, error
当我们需要随时修改子类错误时,需要修改基类的__init__函数
class APIException:code = 500msg = "Sorry, error"error_code = 999def __init__(self, msg=None):self.msg = msg # 重写基类修改类变量的值print("APIException init ...")def error_400(self):pass
子类自定义错误信息
class ClientTypeError(APIException):code = 400msg = "client is invalid"error_code = 1006client_error = ClientTypeError(msg="not found")
print(client_error.msg)
# APIException init ...
# not found
注:类变量和实例变量不是一个概念,类变量是所有类实例共同拥有的属性,当同一个类的实例修改了类变量的值,可能会给其他实例造成数据上的污染,如果想保证每一个实例都拥有自己的变量值,需要使用实例变量,也就在__init__函数中创建变量。