comparison contrib/check-py3-compat.py @ 27279:40eb385f798f

tests: add test for Python 3 compatibility Python 3 is inevitable. There have been incremental movements towards converting the code base to be Python 3 compatible. Unfortunately, we don't have any tests that look for Python 3 compatibility. This patch changes that. We introduce a check-py3-compat.py script whose role is to verify Python 3 compatibility of the files passed in. We add a test that calls this script with all .py files from the source checkout. The script currently only verifies that absolute_import and print_function are used. These are the low hanging fruits for Python compatbility. Over time, we can include more checks, including verifying we're able to load each Python file with Python 3. You have to start somewhere. Accepting this patch means that all new .py files must have absolute_import and print_function (if "print" is used) to avoid a new warning about Python 3 incompatibility. We've already converted several files to use absolute_import and print_function is in the same boat, so I don't think this is such a radical proposition.
author Gregory Szorc <gregory.szorc@gmail.com>
date Sun, 06 Dec 2015 22:39:12 -0800
parents
children 35e69407b1ac
comparison
equal deleted inserted replaced
27278:42aa0e570eaa 27279:40eb385f798f
1 #!/usr/bin/env python
2 #
3 # check-py3-compat - check Python 3 compatibility of Mercurial files
4 #
5 # Copyright 2015 Gregory Szorc <gregory.szorc@gmail.com>
6 #
7 # This software may be used and distributed according to the terms of the
8 # GNU General Public License version 2 or any later version.
9
10 from __future__ import absolute_import, print_function
11
12 import ast
13 import sys
14
15 def check_compat(f):
16 """Check Python 3 compatibility for a file."""
17 with open(f, 'rb') as fh:
18 content = fh.read()
19
20 root = ast.parse(content)
21 futures = set()
22 haveprint = False
23 for node in ast.walk(root):
24 if isinstance(node, ast.ImportFrom):
25 if node.module == '__future__':
26 futures |= set(n.name for n in node.names)
27 elif isinstance(node, ast.Print):
28 haveprint = True
29
30 if 'absolute_import' not in futures:
31 print('%s not using absolute_import' % f)
32 if haveprint and 'print_function' not in futures:
33 print('%s requires print_function' % f)
34
35 if __name__ == '__main__':
36 for f in sys.argv[1:]:
37 check_compat(f)
38
39 sys.exit(0)