白板鱼人 发表于 2020-6-3 17:48:54

Python第45讲课后练习最后一题

编写一个 Counter 类,用于实时检测对象有多少个属性。
参考答案如下:
>>> class Counter:
              k = []
              def __init__(self):
                        self.counter = 0
              def __setattr__(self, name, value):
                        if name != 'counter':
                                if name not in self.k:
                                      self.counter += 1
                                               self.k.append(name)
                        super().__setattr__(name, value)
              def __delattr__(self, name):
                        self.counter -= 1
                        self.k.remove(name)
                        super().__delattr__(name)
当我实例化d = Counter()之后,输入d.a = 1时会出错,
Traceback (most recent call last):
File "<pyshell#57>", line 1, in <module>
    d.a = 1
File "<pyshell#55>", line 9, in __setattr__
    self.counter += 1
AttributeError: 'Counter' object has no attribute 'counter'
我看到小甲鱼说 self.counter = 0 # 这里会触发 __setattr__ 调用,需要 __setattr__ 调用后才能真正设置 self.counter 的值,所以这时候 self.counter 还没有定义,所以没法 += 1
所以想问下大佬们,设置了__setattr__(self,name,value)之后,怎么给对象设置初始属性呢?

Twilight6 发表于 2020-6-3 17:52:42

本帖最后由 Twilight6 于 2020-6-3 17:54 编辑

初始值直接在 __init__ 里面填入你后续要加入的值赋值时会自动调用 __setattr__方法来赋值

而且代码我这正常,并不会报错
class Counter:
    k = []

    def __init__(self):
      self.counter = 0

    def __setattr__(self, name, value):
      if name != 'counter':
            if name not in self.k:
                self.counter += 1
                self.k.append(name)

      super().__setattr__(name, value)


def __delattr__(self, name):
    self.counter -= 1
    self.k.remove(name)
    super().__delattr__(name)
d = Counter()
d.a = 1
print(d.a)

白板鱼人 发表于 2020-6-3 19:15:38

Twilight6 发表于 2020-6-3 17:52
初始值直接在 __init__ 里面填入你后续要加入的值赋值时会自动调用 __setattr__方法来赋值

而且代码我 ...

那麻烦再试试这个呢?
class Counter:
        def __init__(self):
                self.counter = 0
        def __setattr__(self,name,value):
                self.counter += 1
                super().__setattr__(name,value)

Twilight6 发表于 2020-6-3 19:27:47

白板鱼人 发表于 2020-6-3 19:15
那麻烦再试试这个呢?
class Counter:
        def __init__(self):


这个当然会报错了   self.counter = 0 也会自动调用 __setattr__ 方法

白板鱼人 发表于 2020-6-3 20:44:34

Twilight6 发表于 2020-6-3 19:27
这个当然会报错了   self.counter = 0 也会自动调用 __setattr__ 方法

有点蒙,这段代码和您那段的区别在哪里呢,您那一段的self.counter = 0 就不会触发__setsttr__吗?

Twilight6 发表于 2020-6-3 20:47:47

白板鱼人 发表于 2020-6-3 20:44
有点蒙,这段代码和您那段的区别在哪里呢,您那一段的self.counter = 0 就不会触发__setsttr__吗?

没发现你的原代码上有带一个 if 判断嘛他的作用就是如果变量不为 counter才进行 counter += 1

Twilight6 发表于 2020-6-3 20:50:45

白板鱼人 发表于 2020-6-3 20:44
有点蒙,这段代码和您那段的区别在哪里呢,您那一段的self.counter = 0 就不会触发__setsttr__吗?

你如果想设置初始值 直接在 init 里面设置即可 ,重写 __setattr__时候要么就不给与赋值,要么就学小甲鱼老师一样进行一次判断即可

zwhe 发表于 2020-6-6 10:56:05

{:10_316:}
页: [1]
查看完整版本: Python第45讲课后练习最后一题