如何解析 numpydoc 文档字符串并访问组件?
How can I parse a numpydoc docstring and access components?
我想解析 numpydoc 文档字符串并以编程方式访问每个组件。
例如:
def foobar(a, b):
'''Something something
Parameters
----------
a : int, default: 5
Does something cool
b : str
Wow
'''
我想做的是:
parsed = magic_parser(foobar)
parsed.text # Something something
parsed.a.text # Does something cool
parsed.a.type # int
parsed.a.default # 5
我四处搜索并找到了 numpydoc and napoleon 之类的东西,但我还没有找到任何关于如何在我自己的程序中使用它们的好的线索。如果有任何帮助,我将不胜感激。
您可以使用 numpydoc
中的 NumpyDocString 将文档字符串解析为 Python 友好的结构。
这是一个如何使用它的例子:
from numpydoc.docscrape import NumpyDocString
class Photo():
"""
Array with associated photographic information.
Parameters
----------
x : type
Description of parameter `x`.
y
Description of parameter `y` (with type not specified)
Attributes
----------
exposure : float
Exposure in seconds.
Methods
-------
colorspace(c='rgb')
Represent the photo in the given colorspace.
gamma(n=1.0)
Change the photo's gamma exposure.
"""
def __init__(x, y):
print("Snap!")
doc = NumpyDocString(Photo.__doc__)
print(doc["Summary"])
print(doc["Parameters"])
print(doc["Attributes"])
print(doc["Methods"])
但是,由于我不明白的原因,这不适用于您提供的示例(也不适用于我想要 运行 的很多代码)。相反,您需要使用特定的 FunctionDoc
或 ClassDoc
class,具体取决于您的用例。
from numpydoc.docscrape import FunctionDoc
def foobar(a, b):
"""
Something something
Parameters
----------
a : int, default: 5
Does something cool
b : str
Wow
"""
doc = FunctionDoc(foobar)
print(doc["Parameters"])
我通过查看 this test in their source code 了解了这一切。因此,这并没有真正记录在案,但希望足以让您入门。
我想解析 numpydoc 文档字符串并以编程方式访问每个组件。
例如:
def foobar(a, b):
'''Something something
Parameters
----------
a : int, default: 5
Does something cool
b : str
Wow
'''
我想做的是:
parsed = magic_parser(foobar)
parsed.text # Something something
parsed.a.text # Does something cool
parsed.a.type # int
parsed.a.default # 5
我四处搜索并找到了 numpydoc and napoleon 之类的东西,但我还没有找到任何关于如何在我自己的程序中使用它们的好的线索。如果有任何帮助,我将不胜感激。
您可以使用 numpydoc
中的 NumpyDocString 将文档字符串解析为 Python 友好的结构。
这是一个如何使用它的例子:
from numpydoc.docscrape import NumpyDocString
class Photo():
"""
Array with associated photographic information.
Parameters
----------
x : type
Description of parameter `x`.
y
Description of parameter `y` (with type not specified)
Attributes
----------
exposure : float
Exposure in seconds.
Methods
-------
colorspace(c='rgb')
Represent the photo in the given colorspace.
gamma(n=1.0)
Change the photo's gamma exposure.
"""
def __init__(x, y):
print("Snap!")
doc = NumpyDocString(Photo.__doc__)
print(doc["Summary"])
print(doc["Parameters"])
print(doc["Attributes"])
print(doc["Methods"])
但是,由于我不明白的原因,这不适用于您提供的示例(也不适用于我想要 运行 的很多代码)。相反,您需要使用特定的 FunctionDoc
或 ClassDoc
class,具体取决于您的用例。
from numpydoc.docscrape import FunctionDoc
def foobar(a, b):
"""
Something something
Parameters
----------
a : int, default: 5
Does something cool
b : str
Wow
"""
doc = FunctionDoc(foobar)
print(doc["Parameters"])
我通过查看 this test in their source code 了解了这一切。因此,这并没有真正记录在案,但希望足以让您入门。