【46讲课后题】描述符太tm难了!!!
本帖最后由 xiaofan1228 于 2020-3-8 14:58 编辑题目
>>> 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
答案
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("噢~这个变量没法删除~")
我的问题是,
为什么在上述题目中,delete方法没有办法删除变量x??
另:
“必须把描述符定义成另外一个类触发的类属性,不能定义到构造函数。”
这句话该怎么理解呢?
1. 因为在 MyDes 中的 __delete__ 方法没有写删除 x 的语句,所以 x 一直存在。
2. 就是必须在类中,但不能在函数中定义。
比如,这是正确的:
class Test:
x = MyDes(10, 'x')
这是错误的:
class Test:
def __init__(self):
self.x = MyDes(10, 'x') zltzlt 发表于 2020-3-8 15:20
1. 因为在 MyDes 中的 __delete__ 方法没有写删除 x 的语句,所以 x 一直存在。
2. 就是必须在类中,但 ...
class MyDes:
def __init__(self, value, name):
self.value = value
self.name= name
def __get__(self, instance, owner):
print("Getting variable:%s" %self.name)
return self.value
def __set__(self, instance, value):
print("Setting variable:%s" %self.name)
self.value = value
def __delete__(self, instance):
print("Deleting variable: %s" %self.name)
if self.value:
del self.value
else:
print("Delete no more!")
class Test:
x = MyDes(10,"x")
这个是我写的,本意是想说 del t.x 之后 再调用delt.x会显示不能删除。
提示AttributeError: 'MyDes' object has no attribute 'value'
那其实__delete__是附带着值和实例x一起删除了?所以在第二次调用的时候 self 没有指向了 ?可以这么理解吗?
xiaofan1228 发表于 2020-3-8 15:34
这个是我写的,本意是想说 del t.x 之后 再调用delt.x会显示不能删除。
提示AttributeError: 'MyD ...
你这段代码只是删除了自身的属性 value,并没有删除自身 zltzlt 发表于 2020-3-8 15:39
你这段代码只是删除了自身的属性 value,并没有删除自身
那为什么if self.value会报错?
xiaofan1228 发表于 2020-3-8 15:43
那为什么if self.value会报错?
因为 self.value 已经不存在了,它被删除了 zltzlt 发表于 2020-3-8 17:31
因为 self.value 已经不存在了,它被删除了
啊 明白了,删除了不等于None...
改成try语句了
class MyDes:
def __init__(self, value, name):
self.value = value
self.name= name
def __get__(self, instance, owner):
print("Getting variable:%s" %self.name)
return self.value
def __set__(self, instance, value):
print("Setting variable:%s" %self.name)
self.value = value
def __delete__(self, instance):
try:
del self.value
print("Deleting variable: %s" %self.name)
except AttributeError:
print("Delete no more!")
class Test:
x = MyDes(10,"x")
页:
[1]