如何在Sphinx中的方法内部自动记录功能

问题描述 投票:2回答:1

代码示例:

class A(object):
    def do_something(self):
        """ doc_a """
        def inside_function():
            """ doc_b """
            pass
        pass

我尝试过:

.. autoclass:: A
    .. autofunction:: A.do_something.inside_function

但不起作用。

有没有办法为我生成doc_b

python documentation python-sphinx restructuredtext autodoc
1个回答
1
投票

函数内的一个函数在局部变量作用域内。无法从函数外部访问函数的局部变量:

>>> def x():
...    def y():
...       pass
... 
>>> x
<function x at 0x7f68560295f0>
>>> x.y
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
AttributeError: 'function' object has no attribute 'y'

如果Sphinx无法获得对该函数的引用,则无法对其进行文档化。

一种可行的解决方法是将函数分配给函数的变量,如下所示:

>>> def x():
...    def _y():
...       pass
...    x.y = _y
... 

一开始将无法访问:

>>> x.y
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
AttributeError: 'function' object has no attribute 'y'

但是在第一次调用该函数后,它将是:

>>> x()
>>> x.y
<function _y at 0x1a720c8>

如果Sphinx导入模块时函数被执行,这可能会起作用。

© www.soinside.com 2019 - 2024. All rights reserved.