文档测试

如果你经常阅读Python的官方文档,可以看到很多文档都有示例代码。比如re模块就带了很多示例代码:

  1. >>> import re
  2. >>> m = re.search('(?<=abc)def', 'abcdef')
  3. >>> m.group(0)
  4. 'def'

可以把这些示例代码在Python的交互式环境下输入并执行,结果与文档中的示例代码显示的一致。

这些代码与其他说明可以写在注释中,然后,由一些工具来自动生成文档。既然这些代码本身就可以粘贴出来直接运行,那么,可不可以自动执行写在注释中的这些代码呢?

答案是肯定的。

当我们编写注释时,如果写上这样的注释:

  1. def abs(n):
  2. '''
  3. Function to get absolute value of number.
  4. Example:
  5. >>> abs(1)
  6. 1
  7. >>> abs(-1)
  8. 1
  9. >>> abs(0)
  10. 0
  11. '''
  12. return n if n >= 0 else (-n)

无疑更明确地告诉函数的调用者该函数的期望输入和输出。

并且,Python内置的“文档测试”(doctest)模块可以直接提取注释中的代码并执行测试。

doctest严格按照Python交互式命令行的输入和输出来判断测试结果是否正确。只有测试异常的时候,可以用表示中间一大段烦人的输出。

让我们用doctest来测试上次编写的Dict类:

  1. class Dict(dict):
  2. '''
  3. Simple dict but also support access as x.y style.
  4. >>> d1 = Dict()
  5. >>> d1['x'] = 100
  6. >>> d1.x
  7. 100
  8. >>> d1.y = 200
  9. >>> d1['y']
  10. 200
  11. >>> d2 = Dict(a=1, b=2, c='3')
  12. >>> d2.c
  13. '3'
  14. >>> d2['empty']
  15. Traceback (most recent call last):
  16. ...
  17. KeyError: 'empty'
  18. >>> d2.empty
  19. Traceback (most recent call last):
  20. ...
  21. AttributeError: 'Dict' object has no attribute 'empty'
  22. '''
  23. def __init__(self, **kw):
  24. super(Dict, self).__init__(**kw)
  25. def __getattr__(self, key):
  26. try:
  27. return self[key]
  28. except KeyError:
  29. raise AttributeError(r"'Dict' object has no attribute '%s'" % key)
  30. def __setattr__(self, key, value):
  31. self[key] = value
  32. if __name__=='__main__':
  33. import doctest
  34. doctest.testmod()

运行python mydict.py

  1. $ python mydict.py

什么输出也没有。这说明我们编写的doctest运行都是正确的。如果程序有问题,比如把getattr()方法注释掉,再运行就会报错:

  1. $ python mydict.py
  2. **********************************************************************
  3. File "mydict.py", line 7, in __main__.Dict
  4. Failed example:
  5. d1.x
  6. Exception raised:
  7. Traceback (most recent call last):
  8. ...
  9. AttributeError: 'Dict' object has no attribute 'x'
  10. **********************************************************************
  11. File "mydict.py", line 13, in __main__.Dict
  12. Failed example:
  13. d2.c
  14. Exception raised:
  15. Traceback (most recent call last):
  16. ...
  17. AttributeError: 'Dict' object has no attribute 'c'
  18. **********************************************************************

注意到最后两行代码。当模块正常导入时,doctest不会被执行。只有在命令行运行时,才执行doctest。所以,不必担心doctest会在非测试环境下执行。

小结

doctest非常有用,不但可以用来测试,还可以直接作为示例代码。通过某些文档生成工具,就可以自动把包含doctest的注释提取出来。用户看文档的时候,同时也看到了doctest。

原文: https://wizardforcel.gitbooks.io/liaoxuefeng/content/py2/52.html