get_twister_opt.py 5.9 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203
  1. #!/usr/bin/env python3
  2. # SPDX-License-Identifier: Apache-2.0
  3. # Copyright (c) 2021 Intel Corporation
  4. # A script to generate twister options based on modified files.
  5. import re, os
  6. import sh
  7. import argparse
  8. import glob
  9. import yaml
  10. if "ZEPHYR_BASE" not in os.environ:
  11. exit("$ZEPHYR_BASE environment variable undefined.")
  12. repository_path = os.environ['ZEPHYR_BASE']
  13. sh_special_args = {
  14. '_tty_out': False,
  15. '_cwd': repository_path
  16. }
  17. def parse_args():
  18. parser = argparse.ArgumentParser(
  19. description="Generate twister argument files based on modified file")
  20. parser.add_argument('-c', '--commits', default=None,
  21. help="Commit range in the form: a..b")
  22. return parser.parse_args()
  23. def find_archs(files):
  24. # we match both arch/<arch>/* and include/arch/<arch> and skip common.
  25. # Some architectures like riscv require special handling, i.e. riscv
  26. # directory covers 2 architectures known to twister: riscv32 and riscv64.
  27. archs = set()
  28. for f in files:
  29. p = re.match(r"^arch\/([^/]+)\/", f)
  30. if not p:
  31. p = re.match(r"^include\/arch\/([^/]+)\/", f)
  32. if p:
  33. if p.group(1) != 'common':
  34. if p.group(1) == 'riscv':
  35. archs.add('riscv32')
  36. archs.add('riscv64')
  37. else:
  38. archs.add(p.group(1))
  39. if archs:
  40. with open("modified_archs.args", "w") as fp:
  41. fp.write("-a\n%s" %("\n-a\n".join(archs)))
  42. def find_boards(files):
  43. boards = set()
  44. all_boards = set()
  45. for f in files:
  46. if f.endswith(".rst") or f.endswith(".png") or f.endswith(".jpg"):
  47. continue
  48. p = re.match(r"^boards\/[^/]+\/([^/]+)\/", f)
  49. if p and p.groups():
  50. boards.add(p.group(1))
  51. for b in boards:
  52. suboards = glob.glob("boards/*/%s/*.yaml" %(b))
  53. for subboard in suboards:
  54. name = os.path.splitext(os.path.basename(subboard))[0]
  55. if name:
  56. all_boards.add(name)
  57. if all_boards:
  58. with open("modified_boards.args", "w") as fp:
  59. fp.write("-p\n%s" %("\n-p\n".join(all_boards)))
  60. def find_tests(files):
  61. tests = set()
  62. for f in files:
  63. if f.endswith(".rst"):
  64. continue
  65. d = os.path.dirname(f)
  66. while d:
  67. if os.path.exists(os.path.join(d, "testcase.yaml")) or \
  68. os.path.exists(os.path.join(d, "sample.yaml")):
  69. tests.add(d)
  70. break
  71. else:
  72. d = os.path.dirname(d)
  73. if tests:
  74. with open("modified_tests.args", "w") as fp:
  75. fp.write("-T\n%s\n--all" %("\n-T\n".join(tests)))
  76. def _get_match_fn(globs, regexes):
  77. # Constructs a single regex that tests for matches against the globs in
  78. # 'globs' and the regexes in 'regexes'. Parts are joined with '|' (OR).
  79. # Returns the search() method of the compiled regex.
  80. #
  81. # Returns None if there are neither globs nor regexes, which should be
  82. # interpreted as no match.
  83. if not (globs or regexes):
  84. return None
  85. regex = ""
  86. if globs:
  87. glob_regexes = []
  88. for glob in globs:
  89. # Construct a regex equivalent to the glob
  90. glob_regex = glob.replace(".", "\\.").replace("*", "[^/]*") \
  91. .replace("?", "[^/]")
  92. if not glob.endswith("/"):
  93. # Require a full match for globs that don't end in /
  94. glob_regex += "$"
  95. glob_regexes.append(glob_regex)
  96. # The glob regexes must anchor to the beginning of the path, since we
  97. # return search(). (?:) is a non-capturing group.
  98. regex += "^(?:{})".format("|".join(glob_regexes))
  99. if regexes:
  100. if regex:
  101. regex += "|"
  102. regex += "|".join(regexes)
  103. return re.compile(regex).search
  104. class Tag:
  105. """
  106. Represents an entry for a tag in tags.yaml.
  107. These attributes are available:
  108. name:
  109. List of GitHub labels for the area. Empty if the area has no 'labels'
  110. key.
  111. description:
  112. Text from 'description' key, or None if the area has no 'description'
  113. key
  114. """
  115. def _contains(self, path):
  116. # Returns True if the area contains 'path', and False otherwise
  117. return self._match_fn and self._match_fn(path) and not \
  118. (self._exclude_match_fn and self._exclude_match_fn(path))
  119. def __repr__(self):
  120. return "<Tag {}>".format(self.name)
  121. def find_tags(files):
  122. tag_cfg_file = os.path.join(repository_path, 'scripts', 'ci', 'tags.yaml')
  123. with open(tag_cfg_file, 'r') as ymlfile:
  124. tags_config = yaml.safe_load(ymlfile)
  125. tags = {}
  126. for t,x in tags_config.items():
  127. tag = Tag()
  128. tag.exclude = True
  129. tag.name = t
  130. # tag._match_fn(path) tests if the path matches files and/or
  131. # files-regex
  132. tag._match_fn = _get_match_fn(x.get("files"), x.get("files-regex"))
  133. # Like tag._match_fn(path), but for files-exclude and
  134. # files-regex-exclude
  135. tag._exclude_match_fn = \
  136. _get_match_fn(x.get("files-exclude"), x.get("files-regex-exclude"))
  137. tags[tag.name] = tag
  138. for f in files:
  139. for t in tags.values():
  140. if t._contains(f):
  141. t.exclude = False
  142. exclude_tags = set()
  143. for t in tags.values():
  144. if t.exclude:
  145. exclude_tags.add(t.name)
  146. if exclude_tags:
  147. with open("modified_tags.args", "w") as fp:
  148. fp.write("-e\n%s" %("\n-e\n".join(exclude_tags)))
  149. if __name__ == "__main__":
  150. args = parse_args()
  151. if not args.commits:
  152. exit(1)
  153. # pylint does not like the 'sh' library
  154. # pylint: disable=too-many-function-args,unexpected-keyword-arg
  155. commit = sh.git("diff", "--name-only", args.commits, **sh_special_args)
  156. files = commit.split("\n")
  157. find_boards(files)
  158. find_archs(files)
  159. find_tests(files)
  160. find_tags(files)