我已经看到了几个标准,用于编写关于函数在 Python 中期望和返回的数据类型的注释。是否就哪一个是最佳实践达成共识?
http://www.python.org/dev/peps/pep-3107/中的新功能是我应该开始使用的吗?
我已经看到了几个标准,用于编写关于函数在 Python 中期望和返回的数据类型的注释。是否就哪一个是最佳实践达成共识?
http://www.python.org/dev/peps/pep-3107/中的新功能是我应该开始使用的吗?
函数注解不是为了特定用途,它们可以用于任何事情。
可以编写工具来从注释中提取信息并做任何你想做的事情,包括检查类型或生成文档。但是 python 本身并没有对这些信息做任何事情。您可以使用完全不同的目的,即提供将在参数上调用的函数或声明可能返回值的字符串。
注释可以是任何对象:
def somefunc(param1: "string annotation",
param2: 151631,
param3: any_object): -> "some information here":
您可以使用以下方法检索对象:
print (somefunc.func_annotations)
{'param1': "string annotation",
'param2': 151631,
'param3': <object any_object>,
'return': "some information here"}
PEP 提供的用例建议:
由于函数注解语法太新,它实际上并没有用于任何生产工具。
我建议使用其他方法来记录。我使用 epydoc 来生成我的文档,它可以从文档字符串中读取参数类型信息:
def x_intercept(m, b):
"""
Return the x intercept of the line M{y=m*x+b}. The X{x intercept}
of a line is the point at which it crosses the x axis (M{y=0}).
This function can be used in conjuction with L{z_transform} to
find an arbitrary function's zeros.
@type m: number
@param m: The slope of the line.
@type b: number
@param b: The y intercept of the line. The X{y intercept} of a
line is the point at which it crosses the y axis (M{x=0}).
@rtype: number
@return: the x intercept of the line M{y=m*x+b}.
"""
return -b/m
这个例子来自epydoc 的网站。它可以生成各种格式的文档,并且可以从您的类和调用配置文件中生成良好的图表。
如果您使用epydoc生成 API 文档,您有三种选择。
密码文本。
重组文本,RST。
JavaDoc 表示法,看起来有点像 epytext。
我推荐 RST,因为它可以很好地与sphinx一起生成包含 API 参考的整体文档套件。RST 标记在这里定义。您可以指定的各种 epydoc 字段在此处定义。
例子。
def someFunction( arg1, arg2 ):
"""Returns the average of *two* (and only two) arguments.
:param arg1: a numeric value
:type arg1: **any** numeric type
:param arg2: another numeric value
:type arg2: **any** numeric type
:return: mid-point (or arithmetic mean) between two values
:rtype: numeric type compatible with the args.
"""
return (arg1+arg2)/2
Python 3.5 官方typing
https://docs.python.org/3/library/typing.html
此更新使类型成为语言的实际部分。
例子:
#!/usr/bin/env python3
from typing import List
def f(x: int, ys: List[float]) -> str:
return "abc"
# Good.
f(1, [2.0, 3.0])
# Bad.
f("abc", {}) # line 12
x = 1
x = "a" # line 15
y = [] # type: List[int]
y.append("a") # line 18
此代码运行正常:Python 3.5 默认不强制键入。
但是它可以被静态 linter 用来诊断问题,例如:
sudo pip3 install mypy
mypy a.py
给出:
a.py:12: error: Argument 1 to "f" has incompatible type "str"; expected "int"
a.py:12: error: Argument 2 to "f" has incompatible type Dict[<nothing>, <nothing>]; expected List[float]
a.py:15: error: Incompatible types in assignment (expression has type "str", variable has type "int")
a.py:18: error: Argument 1 to "append" of "list" has incompatible type "str"; expected "int"
现有的静态分析器(如 Pycharm)已经可以解析 Sphinx 文档类型,但此语言更新提供了一种可能会流行的官方规范方式。
Sphinx 1.8.2 似乎还不支持它,但这只是时间问题:Python 3: Sphinx doesn't show type hints correct