建议复制到你的IDE上看,不然着实瞎眼。。
另外,python学到这里应该去了解一下pep8规范,缩进,空格不规范别人看你的代码很难受的
https://www.jianshu.com/p/ffcc66bab3ce
class Rectangle:
def __init__(self, width = 0, height = 0):
self.width = width
self.height = height
'''
这一部分注释在看完super()下面的注释后再看:
如果你把'super().__setattr__(name, value)'这一行注释掉
会报错,提示''Rectangle' object has no attribute 'width''
————Rectangle类的属性没有叫'width'的属性
原因就是,你把设置属性的方法重写了,破坏了
导致这里的self.width = width 根本没有发挥作用
它仅仅是判断了 属性名是不是'square'
当然,就算是也没有任何意义
因为if下面的两行也是 甲 = 乙 这样的语句
依然需要调用被破坏掉的__setattr__方法
'''
def __setattr__(self, name, value):
# 重写设置属性值的方法
super().__setattr__(name, value)
'''
这一句实现的是保证原本的设置属性方法继续有效
由于Rectangle这个类的设置属性方法已经被你重写
相当于你已经破坏了这个类的设置属性方法
即,对于 a = Rectangle() 来说
a.width = 100; a.height = 1000
这种语句全会失效,因为实现 '=' 的方法已经被你破坏了
为了保证这个基本功能不失效,我们要从Rectangle的基类去重新调用这个方法
至于它的基类是什么你不用管,super函数会帮你找到
'''
if name == 'square':
# 再来实现额外功能,如果属性名是'square'
self.width = value # 将宽和高都重新赋值为value
self.height = value
def getArea(self):
return self.width * self.height
a = Rectangle(4,3)
print('width: %d' % a.width)
print('height: %d' % a.height)
a.color = 'red'
print('添加颜色属性后')
print('width: %d' % a.width)
print('height: %d' % a.height)
print('color: %s' % a.color)
print('添加square属性后')
a.square = 2333
print('width: %d' % a.width)
print('height: %d' % a.height)
print('color: %s' % a.color)
print('square: %d' % a.square)
|