python旧版课后作业
class MyDes:def __init__(self, initval=None, name=None):
self.val = initval
self.name = name
def __get__(self, instance, owner):
print("正在获取变量:", self.name)
return self.val
def __set__(self, instance, value):
print("正在修改变量:", self.name)
self.val = value
def __delete__(self, instance):
print("正在删除变量:", self.name)
print("噢~这个变量没法删除~")
>>> class Test:
x = MyDes(10, 'x')
>>> test = Test()
>>> y = test.x
正在获取变量: x
>>> y
10
>>> test.x = 8
正在修改变量: x
>>> del test.x
正在删除变量: x
噢~这个变量没法删除~
>>> test.x
正在获取变量: x
8
为什么下面输入 y = tesr.x 的时候不打印10,代码 __get__那里不是有 return self.val 吗?
输入 y 时为什么只打印10,没有文字 1,只有一个 y = test.x 呀
2,因为 y 没有实现 __get__ 方法
第一个问题:
虽然你 return 了,但是你要清楚 return 不是输出,只是返回一个值而已,
就像你直接执行 python 文件,你没有 print 是看不到输出的,
但是在 python shell 里面比较特殊,它可以直接看得到表达式的值,
所以你直接用 y.x 的时候你可以看到返回的 x 的值,但是赋值表达式是没有值的,
所以你用 y = test.x 就没有看到 __get__ 的返回值了,你看一下这个就明白了:
>>> def test():
... return 10
...
>>> test() # 可以看到返回值
10
>>> y = test() # 赋值表达式看不到返回值
>>>
第二个问题:
在 y = test.x 这个赋值表达式中,你只是把 __get__ 的返回值赋给了 y,
所以 y 就是一个普普通通的整数,你能指望它有什么惊天动地的表现
页:
[1]