super问题求助
本帖最后由 zwjwwxa 于 2024-9-7 16:59 编辑class C:
def__getattribute__(self,name):
print("getattribute")
return super().__getattribute__(name)
def__getattr__(self, name):
print("getattr")
def __setattr__(self,name,value):
print("setattr")
super().__setattr__(name, value)
def__delattr__(self,name):
print("delattr")
super().__delattr__(name)
>>>c = C()
>>>c.x
getattribute
getattr
>>>c.x =1
setattr
>>>c.x
getattribute
1
>>>del c.x
delattr
这里的super调用基类的 __getattribute__方法,那这个方法是啥呢,
方法是返回x属性对应的值1吗?
为什么用super调用后return返回的结果是1。 在您的代码中,`super().__getattribute__(name)` 实际上调用的是基类 `object` 的 `__getattribute__` 方法。简单来说,`super()` 会寻找当前类的父类,然后调用此方法。
具体到您的代码:
1. 当您执行 `c.x` 时:
- `__getattribute__` 方法被调用,打印 `getattribute`。
- `super().__getattribute__(name)` 继续执行,实际上调用的是 `object` 的 `__getattribute__` 方法。
- 对于当前访问的属性(例如 `x`),返回该属性的值(如果存在)。
2. 当您执行 `c.x = 1` 时:
- `__setattr__` 方法被调用,打印 `setattr`。
- `super().__setattr__(name, value)` 继续执行,实际将 `x` 属性设置为值 1。
3. 再次执行 `c.x` 时:
- `__getattribute__` 方法被调用,打印 `getattribute`。
- 由于 `x` 属性存在且其值为 1,因此 `super().__getattribute__(name)` 返回 `x` 属性对应的值,即 1。
所以,您的疑问解释如下:
- `return super().__getattribute__(name)` 返回的是属性 `x` 对应的值,即1。
- 用 `super()` 调用的结果是1,因为 `x` 属性已经用 `__setattr__` 方法设置为1。
就是这样,`super()` 实际上访问的是基类的方法,而这个基类的方法就是标准的给定属性值的方法,这就是为什么得到的值是1。
以上回复来自 FishC AI 小助理,如未能正确解答您的问题,请继续追问。 对
页:
[1]