6

我正在阅读 Counter 类的 __init__ 方法,看到了这个:

if not args:
    TypeError("descriptor '__init__' of 'Counter' object "
              "needs an argument")

我不确定描述符是什么意思,所以我检查了python数据模型文档,发现了这个:

通常,描述符是具有“绑定行为”的对象属性,其属性访问已被描述符协议中的方法覆盖:__get__()、__set__() 和 __delete__()。如果为对象定义了这些方法中的任何一个,则称其为描述符。

这些方法似乎都不存在于类定义中,那么为什么将 __init_ 称为描述符?

4

1 回答 1

4

在 python 中,所有函数都是描述符(包括__init__)。这实际上self是他们在课堂上使用时知道什么的方式。例如,我可以定义一个函数 ( foo),然后当我查看它的方法时,我会看到它foo有一个__get__使其符合描述符协议的方法:

>>> def foo():
...   pass
... 
>>> dir(foo)
['__annotations__', '__call__', '__class__', '__closure__', '__code__', '__defaults__', '__delattr__', '__dict__', '__dir__', '__doc__', '__eq__', '__format__', '__ge__', '__get__', '__getattribute__', '__globals__', '__gt__', '__hash__', '__init__', '__kwdefaults__', '__le__', '__lt__', '__module__', '__name__', '__ne__', '__new__', '__qualname__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__sizeof__', '__str__', '__subclasshook__']
>>> '__get__' in dir(foo)
True

所以那里使用的术语至少是准确的。可以争论这是否是最好的术语......

我可能将其称为“绑定方法”而不是描述符,但在 python3.x 中,常规函数、绑定方法和未绑定方法之间的区别变得更加模糊(未绑定方法python3.x 中的常规函数​​).. .


当然,我可以使用不同类型的描述符来初始化我的Counter子类......

class MyDescriptor(object):
    def __get__(self, inst, cls):
        # This is a really useless descriptor!
        return Counter.__init__.__get__(inst, cls)

class MyCounter(Counter):
    __init__ = MyDescriptor()

并抛出一个错误,然后错误消息会更准确,但这是一个非常疯狂的情况,我不希望经常发生。

要真正了解 Raymond 在编写该代码时的想法,我想您必须问他(或者深入研究 hg 提交历史并希望他在提交消息中提到它)。

于 2016-01-27T21:43:15.627 回答