我知道可以通过子类化为namedtuples添加文档字符串,例如

from collections import namedtuple
NT = namedtuple('NT', ['f1', 'f2', 'f3'])
class NTWithDoc(NT):
    """ DOCSTRING """
    __slots__ = ()


现在,我希望为f1,f2和f3添加文档字符串。有办法吗?我们公司正在使用Python2,不要以为别人会让我使用3。

最佳答案

我不确定在python2.x上是否有个好方法。在python3.x上,您可以直接换出__doc__

$ python3
Python 3.6.0a2 (v3.6.0a2:378893423552, Jun 13 2016, 14:44:21)
[GCC 4.2.1 (Apple Inc. build 5666) (dot 3)] on darwin
Type "help", "copyright", "credits" or "license" for more information.
>>> from collections import namedtuple
>>> NT = namedtuple('NT', ['f1', 'f2', 'f3'])
>>> NT.f1.__doc__
'Alias for field number 0'
>>> NT.f1.__doc__ = 'Hello'


不幸的是,python2.x在这一点上给你一个错误:

>>> NT.f1.__doc__ = 'Hello World.'
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: readonly attribute


在python2.x上,您可以通过重新定义所有属性来获得它:

>>> from collections import namedtuple
>>> NT = namedtuple('NT', ['f1', 'f2', 'f3'])
>>> class NTWithDoc(NT):
...     """docstring."""
...     __slots__ = ()
...     f1 = property(NT.f1.fget, None, None, 'docstring!')
...
>>> help(NTWithDoc)

>>> a = NTWithDoc(1, 2, 3)
>>> a.f1
1


但这很难获得文档字符串:-)。

关于python - 将文档字符串添加到namedtuple字段,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/38536959/

10-12 18:11