get_maintainer.py 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552
  1. #!/usr/bin/env python3
  2. # Copyright (c) 2019 Nordic Semiconductor ASA
  3. # SPDX-License-Identifier: Apache-2.0
  4. """
  5. Lists maintainers for files or commits. Similar in function to
  6. scripts/get_maintainer.pl from Linux, but geared towards GitHub. The mapping is
  7. in MAINTAINERS.yml.
  8. The comment at the top of MAINTAINERS.yml in Zephyr documents the file format.
  9. See the help texts for the various subcommands for more information. They can
  10. be viewed with e.g.
  11. ./get_maintainer.py path --help
  12. This executable doubles as a Python library. Identifiers not prefixed with '_'
  13. are part of the library API. The library documentation can be viewed with this
  14. command:
  15. $ pydoc get_maintainer
  16. """
  17. import argparse
  18. import operator
  19. import os
  20. import pathlib
  21. import re
  22. import shlex
  23. import subprocess
  24. import sys
  25. from yaml import load, YAMLError
  26. try:
  27. # Use the speedier C LibYAML parser if available
  28. from yaml import CLoader as Loader
  29. except ImportError:
  30. from yaml import Loader
  31. def _main():
  32. # Entry point when run as an executable
  33. args = _parse_args()
  34. try:
  35. args.cmd_fn(Maintainers(args.maintainers), args)
  36. except (MaintainersError, GitError) as e:
  37. _serr(e)
  38. def _parse_args():
  39. # Parses arguments when run as an executable
  40. parser = argparse.ArgumentParser(
  41. formatter_class=argparse.RawDescriptionHelpFormatter,
  42. description=__doc__)
  43. parser.add_argument(
  44. "-m", "--maintainers",
  45. metavar="MAINTAINERS_FILE",
  46. help="Maintainers file to load. If not specified, MAINTAINERS.yml in "
  47. "the top-level repository directory is used, and must exist. "
  48. "Paths in the maintainers file will always be taken as relative "
  49. "to the top-level directory.")
  50. subparsers = parser.add_subparsers(
  51. help="Available commands (each has a separate --help text)")
  52. id_parser = subparsers.add_parser(
  53. "path",
  54. help="List area(s) for paths")
  55. id_parser.add_argument(
  56. "paths",
  57. metavar="PATH",
  58. nargs="*",
  59. help="Path to list areas for")
  60. id_parser.set_defaults(cmd_fn=Maintainers._path_cmd)
  61. commits_parser = subparsers.add_parser(
  62. "commits",
  63. help="List area(s) for commit range")
  64. commits_parser.add_argument(
  65. "commits",
  66. metavar="COMMIT_RANGE",
  67. nargs="*",
  68. help="Commit range to list areas for (default: HEAD~..)")
  69. commits_parser.set_defaults(cmd_fn=Maintainers._commits_cmd)
  70. list_parser = subparsers.add_parser(
  71. "list",
  72. help="List files in areas")
  73. list_parser.add_argument(
  74. "area",
  75. metavar="AREA",
  76. nargs="?",
  77. help="Name of area to list files in. If not specified, all "
  78. "non-orphaned files are listed (all files that do not appear in "
  79. "any area).")
  80. list_parser.set_defaults(cmd_fn=Maintainers._list_cmd)
  81. areas_parser = subparsers.add_parser(
  82. "areas",
  83. help="List areas and maintainers")
  84. areas_parser.add_argument(
  85. "maintainer",
  86. metavar="MAINTAINER",
  87. nargs="?",
  88. help="List all areas maintained by maintaier.")
  89. areas_parser.set_defaults(cmd_fn=Maintainers._areas_cmd)
  90. orphaned_parser = subparsers.add_parser(
  91. "orphaned",
  92. help="List orphaned files (files that do not appear in any area)")
  93. orphaned_parser.add_argument(
  94. "path",
  95. metavar="PATH",
  96. nargs="?",
  97. help="Limit to files under PATH")
  98. orphaned_parser.set_defaults(cmd_fn=Maintainers._orphaned_cmd)
  99. args = parser.parse_args()
  100. if not hasattr(args, "cmd_fn"):
  101. # Called without a subcommand
  102. sys.exit(parser.format_usage().rstrip())
  103. return args
  104. class Maintainers:
  105. """
  106. Represents the contents of a maintainers YAML file.
  107. These attributes are available:
  108. areas:
  109. A dictionary that maps area names to Area instances, for all areas
  110. defined in the maintainers file
  111. filename:
  112. The path to the maintainers file
  113. """
  114. def __init__(self, filename=None):
  115. """
  116. Creates a Maintainers instance.
  117. filename (default: None):
  118. Path to the maintainers file to parse. If None, MAINTAINERS.yml in
  119. the top-level directory of the Git repository is used, and must
  120. exist.
  121. """
  122. self._toplevel = pathlib.Path(_git("rev-parse", "--show-toplevel"))
  123. if filename is None:
  124. self.filename = self._toplevel / "MAINTAINERS.yml"
  125. else:
  126. self.filename = pathlib.Path(filename)
  127. self.areas = {}
  128. for area_name, area_dict in _load_maintainers(self.filename).items():
  129. area = Area()
  130. area.name = area_name
  131. area.status = area_dict.get("status")
  132. area.maintainers = area_dict.get("maintainers", [])
  133. area.collaborators = area_dict.get("collaborators", [])
  134. area.inform = area_dict.get("inform", [])
  135. area.labels = area_dict.get("labels", [])
  136. area.description = area_dict.get("description")
  137. # area._match_fn(path) tests if the path matches files and/or
  138. # files-regex
  139. area._match_fn = \
  140. _get_match_fn(area_dict.get("files"),
  141. area_dict.get("files-regex"))
  142. # Like area._match_fn(path), but for files-exclude and
  143. # files-regex-exclude
  144. area._exclude_match_fn = \
  145. _get_match_fn(area_dict.get("files-exclude"),
  146. area_dict.get("files-regex-exclude"))
  147. self.areas[area_name] = area
  148. def path2areas(self, path):
  149. """
  150. Returns a list of Area instances for the areas that contain 'path',
  151. taken as relative to the current directory
  152. """
  153. # Make directory paths end in '/' so that foo/bar matches foo/bar/.
  154. # Skip this check in _contains() itself, because the isdir() makes it
  155. # twice as slow in cases where it's not needed.
  156. is_dir = os.path.isdir(path)
  157. # Make 'path' relative to the repository root and normalize it.
  158. # normpath() would remove a trailing '/', so we add it afterwards.
  159. path = os.path.normpath(os.path.join(
  160. os.path.relpath(os.getcwd(), self._toplevel),
  161. path))
  162. if is_dir:
  163. path += "/"
  164. return [area for area in self.areas.values()
  165. if area._contains(path)]
  166. def commits2areas(self, commits):
  167. """
  168. Returns a set() of Area instances for the areas that contain files that
  169. are modified by the commit range in 'commits'. 'commits' could be e.g.
  170. "HEAD~..", to inspect the tip commit
  171. """
  172. res = set()
  173. # Final '--' is to make sure 'commits' is interpreted as a commit range
  174. # rather than a path. That might give better error messages.
  175. for path in _git("diff", "--name-only", commits, "--").splitlines():
  176. res.update(self.path2areas(path))
  177. return res
  178. def __repr__(self):
  179. return "<Maintainers for '{}'>".format(self.filename)
  180. #
  181. # Command-line subcommands
  182. #
  183. def _path_cmd(self, args):
  184. # 'path' subcommand implementation
  185. for path in args.paths:
  186. if not os.path.exists(path):
  187. _serr("'{}': no such file or directory".format(path))
  188. res = set()
  189. orphaned = []
  190. for path in args.paths:
  191. areas = self.path2areas(path)
  192. res.update(areas)
  193. if not areas:
  194. orphaned.append(path)
  195. _print_areas(res)
  196. if orphaned:
  197. if res:
  198. print()
  199. print("Orphaned paths (not in any area):\n" + "\n".join(orphaned))
  200. def _commits_cmd(self, args):
  201. # 'commits' subcommand implementation
  202. commits = args.commits or ("HEAD~..",)
  203. _print_areas({area for commit_range in commits
  204. for area in self.commits2areas(commit_range)})
  205. def _areas_cmd(self, args):
  206. # 'areas' subcommand implementation
  207. for area in self.areas.values():
  208. if args.maintainer:
  209. if args.maintainer in area.maintainers:
  210. print("{:25}\t{}".format(area.name, ",".join(area.maintainers)))
  211. else:
  212. print("{:25}\t{}".format(area.name, ",".join(area.maintainers)))
  213. def _list_cmd(self, args):
  214. # 'list' subcommand implementation
  215. if args.area is None:
  216. # List all files that appear in some area
  217. for path in _ls_files():
  218. for area in self.areas.values():
  219. if area._contains(path):
  220. print(path)
  221. break
  222. else:
  223. # List all files that appear in the given area
  224. area = self.areas.get(args.area)
  225. if area is None:
  226. _serr("'{}': no such area defined in '{}'"
  227. .format(args.area, self.filename))
  228. for path in _ls_files():
  229. if area._contains(path):
  230. print(path)
  231. def _orphaned_cmd(self, args):
  232. # 'orphaned' subcommand implementation
  233. if args.path is not None and not os.path.exists(args.path):
  234. _serr("'{}': no such file or directory".format(args.path))
  235. for path in _ls_files(args.path):
  236. for area in self.areas.values():
  237. if area._contains(path):
  238. break
  239. else:
  240. print(path) # We get here if we never hit the 'break'
  241. class Area:
  242. """
  243. Represents an entry for an area in MAINTAINERS.yml.
  244. These attributes are available:
  245. status:
  246. The status of the area, as a string. None if the area has no 'status'
  247. key. See MAINTAINERS.yml.
  248. maintainers:
  249. List of maintainers. Empty if the area has no 'maintainers' key.
  250. collaborators:
  251. List of collaborators. Empty if the area has no 'collaborators' key.
  252. inform:
  253. List of people to inform on pull requests. Empty if the area has no
  254. 'inform' key.
  255. labels:
  256. List of GitHub labels for the area. Empty if the area has no 'labels'
  257. key.
  258. description:
  259. Text from 'description' key, or None if the area has no 'description'
  260. key
  261. """
  262. def _contains(self, path):
  263. # Returns True if the area contains 'path', and False otherwise
  264. return self._match_fn and self._match_fn(path) and not \
  265. (self._exclude_match_fn and self._exclude_match_fn(path))
  266. def __repr__(self):
  267. return "<Area {}>".format(self.name)
  268. def _print_areas(areas):
  269. first = True
  270. for area in sorted(areas, key=operator.attrgetter("name")):
  271. if not first:
  272. print()
  273. first = False
  274. print("""\
  275. {}
  276. \tstatus: {}
  277. \tmaintainers: {}
  278. \tcollaborators: {}
  279. \tinform: {}
  280. \tlabels: {}
  281. \tdescription: {}""".format(area.name,
  282. area.status,
  283. ", ".join(area.maintainers),
  284. ", ".join(area.collaborators),
  285. ", ".join(area.inform),
  286. ", ".join(area.labels),
  287. area.description or ""))
  288. def _get_match_fn(globs, regexes):
  289. # Constructs a single regex that tests for matches against the globs in
  290. # 'globs' and the regexes in 'regexes'. Parts are joined with '|' (OR).
  291. # Returns the search() method of the compiled regex.
  292. #
  293. # Returns None if there are neither globs nor regexes, which should be
  294. # interpreted as no match.
  295. if not (globs or regexes):
  296. return None
  297. regex = ""
  298. if globs:
  299. glob_regexes = []
  300. for glob in globs:
  301. # Construct a regex equivalent to the glob
  302. glob_regex = glob.replace(".", "\\.").replace("*", "[^/]*") \
  303. .replace("?", "[^/]")
  304. if not glob.endswith("/"):
  305. # Require a full match for globs that don't end in /
  306. glob_regex += "$"
  307. glob_regexes.append(glob_regex)
  308. # The glob regexes must anchor to the beginning of the path, since we
  309. # return search(). (?:) is a non-capturing group.
  310. regex += "^(?:{})".format("|".join(glob_regexes))
  311. if regexes:
  312. if regex:
  313. regex += "|"
  314. regex += "|".join(regexes)
  315. return re.compile(regex).search
  316. def _load_maintainers(path):
  317. # Returns the parsed contents of the maintainers file 'filename', also
  318. # running checks on the contents. The returned format is plain Python
  319. # dicts/lists/etc., mirroring the structure of the file.
  320. with open(path, encoding="utf-8") as f:
  321. try:
  322. yaml = load(f, Loader=Loader)
  323. except YAMLError as e:
  324. raise MaintainersError("{}: YAML error: {}".format(path, e))
  325. _check_maintainers(path, yaml)
  326. return yaml
  327. def _check_maintainers(maints_path, yaml):
  328. # Checks the maintainers data in 'yaml', which comes from the maintainers
  329. # file at maints_path, which is a pathlib.Path instance
  330. root = maints_path.parent
  331. def ferr(msg):
  332. _err("{}: {}".format(maints_path, msg)) # Prepend the filename
  333. if not isinstance(yaml, dict):
  334. ferr("empty or malformed YAML (not a dict)")
  335. ok_keys = {"status", "maintainers", "collaborators", "inform", "files",
  336. "files-exclude", "files-regex", "files-regex-exclude",
  337. "labels", "description"}
  338. ok_status = {"maintained", "odd fixes", "orphaned", "obsolete"}
  339. ok_status_s = ", ".join('"' + s + '"' for s in ok_status) # For messages
  340. for area_name, area_dict in yaml.items():
  341. if not isinstance(area_dict, dict):
  342. ferr("malformed entry for area '{}' (not a dict)"
  343. .format(area_name))
  344. for key in area_dict:
  345. if key not in ok_keys:
  346. ferr("unknown key '{}' in area '{}'"
  347. .format(key, area_name))
  348. if "status" in area_dict and \
  349. area_dict["status"] not in ok_status:
  350. ferr("bad 'status' key on area '{}', should be one of {}"
  351. .format(area_name, ok_status_s))
  352. if not area_dict.keys() & {"files", "files-regex"}:
  353. ferr("either 'files' or 'files-regex' (or both) must be specified "
  354. "for area '{}'".format(area_name))
  355. for list_name in "maintainers", "collaborators", "inform", "files", \
  356. "files-regex", "labels":
  357. if list_name in area_dict:
  358. lst = area_dict[list_name]
  359. if not (isinstance(lst, list) and
  360. all(isinstance(elm, str) for elm in lst)):
  361. ferr("malformed '{}' value for area '{}' -- should "
  362. "be a list of strings".format(list_name, area_name))
  363. for files_key in "files", "files-exclude":
  364. if files_key in area_dict:
  365. for glob_pattern in area_dict[files_key]:
  366. # This could be changed if it turns out to be too slow,
  367. # e.g. to only check non-globbing filenames. The tuple() is
  368. # needed due to pathlib's glob() returning a generator.
  369. paths = tuple(root.glob(glob_pattern))
  370. if not paths:
  371. ferr("glob pattern '{}' in '{}' in area '{}' does not "
  372. "match any files".format(glob_pattern, files_key,
  373. area_name))
  374. if not glob_pattern.endswith("/"):
  375. for path in paths:
  376. if path.is_dir():
  377. ferr("glob pattern '{}' in '{}' in area '{}' "
  378. "matches a directory, but has no "
  379. "trailing '/'"
  380. .format(glob_pattern, files_key,
  381. area_name))
  382. for files_regex_key in "files-regex", "files-regex-exclude":
  383. if files_regex_key in area_dict:
  384. for regex in area_dict[files_regex_key]:
  385. try:
  386. re.compile(regex)
  387. except re.error as e:
  388. ferr("bad regular expression '{}' in '{}' in "
  389. "'{}': {}".format(regex, files_regex_key,
  390. area_name, e.msg))
  391. if "description" in area_dict and \
  392. not isinstance(area_dict["description"], str):
  393. ferr("malformed 'description' value for area '{}' -- should be a "
  394. "string".format(area_name))
  395. def _git(*args):
  396. # Helper for running a Git command. Returns the rstrip()ed stdout output.
  397. # Called like git("diff"). Exits with SystemError (raised by sys.exit()) on
  398. # errors.
  399. git_cmd = ("git",) + args
  400. git_cmd_s = " ".join(shlex.quote(word) for word in git_cmd) # For errors
  401. try:
  402. git_process = subprocess.Popen(
  403. git_cmd, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
  404. except FileNotFoundError:
  405. _giterr("git executable not found (when running '{}'). Check that "
  406. "it's in listed in the PATH environment variable"
  407. .format(git_cmd_s))
  408. except OSError as e:
  409. _giterr("error running '{}': {}".format(git_cmd_s, e))
  410. stdout, stderr = git_process.communicate()
  411. if git_process.returncode:
  412. _giterr("error running '{}'\n\nstdout:\n{}\nstderr:\n{}".format(
  413. git_cmd_s, stdout.decode("utf-8"), stderr.decode("utf-8")))
  414. return stdout.decode("utf-8").rstrip()
  415. def _ls_files(path=None):
  416. cmd = ["ls-files"]
  417. if path is not None:
  418. cmd.append(path)
  419. return _git(*cmd).splitlines()
  420. def _err(msg):
  421. raise MaintainersError(msg)
  422. def _giterr(msg):
  423. raise GitError(msg)
  424. def _serr(msg):
  425. # For reporting errors when get_maintainer.py is run as a script.
  426. # sys.exit() shouldn't be used otherwise.
  427. sys.exit("{}: error: {}".format(sys.argv[0], msg))
  428. class MaintainersError(Exception):
  429. "Exception raised for MAINTAINERS.yml-related errors"
  430. class GitError(Exception):
  431. "Exception raised for Git-related errors"
  432. if __name__ == "__main__":
  433. _main()