compare_footprint 10 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297
  1. #!/usr/bin/env python3
  2. # SPDX-License-Identifier: Apache-2.0
  3. """
  4. This script help you to compare footprint results with previous commits in git.
  5. If you don't have a git repository, it will compare your current tree
  6. against the last release results.
  7. To run it you need to set up the same environment as twister.
  8. The scripts take 2 optional args COMMIT and BASE_COMMIT, which tell the scripts
  9. which commit to use as current commit and as base for comparing, respectively.
  10. The script can take any SHA commit recognized for git.
  11. COMMIT is the commit to compare against BASE_COMMIT.
  12. Default
  13. current working directory if we have changes in git tree or we don't have git.
  14. HEAD in any other case.
  15. BASE_COMMIT is the commit used as base to compare results.
  16. Default:
  17. twister_last_release.csv if we don't have git tree.
  18. HEAD is we have changes in the working tree.
  19. HEAD~1 if we don't have changes and we have default COMMIT.
  20. COMMIT~1 if we have a valid COMMIT.
  21. """
  22. import argparse
  23. import os
  24. import csv
  25. import subprocess
  26. import logging
  27. import tempfile
  28. import shutil
  29. if "ZEPHYR_BASE" not in os.environ:
  30. logging.error("$ZEPHYR_BASE environment variable undefined.\n")
  31. exit(1)
  32. logger = None
  33. GIT_ENABLED = False
  34. RELEASE_DATA = 'twister_last_release.csv'
  35. def is_git_enabled():
  36. global GIT_ENABLED
  37. proc = subprocess.Popen('git rev-parse --is-inside-work-tree',
  38. stdout=subprocess.PIPE,
  39. cwd=os.environ.get('ZEPHYR_BASE'), shell=True)
  40. if proc.wait() != 0:
  41. GIT_ENABLED = False
  42. GIT_ENABLED = True
  43. def init_logs():
  44. global logger
  45. log_lev = os.environ.get('LOG_LEVEL', None)
  46. level = logging.INFO
  47. if log_lev == "DEBUG":
  48. level = logging.DEBUG
  49. elif log_lev == "ERROR":
  50. level = logging.ERROR
  51. console = logging.StreamHandler()
  52. format = logging.Formatter('%(levelname)-8s: %(message)s')
  53. console.setFormatter(format)
  54. logger = logging.getLogger('')
  55. logger.addHandler(console)
  56. logger.setLevel(level)
  57. logging.debug("Log init completed")
  58. def parse_args():
  59. parser = argparse.ArgumentParser(
  60. description="Compare footprint apps RAM and ROM sizes. Note: "
  61. "To run it you need to set up the same environment as twister.")
  62. parser.add_argument('-b', '--base-commit', default=None,
  63. help="Commit ID to use as base for footprint "
  64. "compare. Default is parent current commit."
  65. " or twister_last_release.csv if we don't have git.")
  66. parser.add_argument('-c', '--commit', default=None,
  67. help="Commit ID to use compare footprint against base. "
  68. "Default is HEAD or working tree.")
  69. return parser.parse_args()
  70. def get_git_commit(commit):
  71. commit_id = None
  72. proc = subprocess.Popen('git rev-parse %s' % commit, stdout=subprocess.PIPE,
  73. cwd=os.environ.get('ZEPHYR_BASE'), shell=True)
  74. if proc.wait() == 0:
  75. commit_id = proc.stdout.read().decode("utf-8").strip()
  76. return commit_id
  77. def sanity_results_filename(commit=None, cwd=os.environ.get('ZEPHYR_BASE')):
  78. if not commit:
  79. file_name = "tmp.csv"
  80. else:
  81. if commit == RELEASE_DATA:
  82. file_name = RELEASE_DATA
  83. else:
  84. file_name = "%s.csv" % commit
  85. return os.path.join(cwd,'scripts', 'sanity_chk', file_name)
  86. def git_checkout(commit, cwd=os.environ.get('ZEPHYR_BASE')):
  87. proc = subprocess.Popen('git diff --quiet', stdout=subprocess.PIPE,
  88. stderr=subprocess.STDOUT, cwd=cwd, shell=True)
  89. if proc.wait() != 0:
  90. raise Exception("Cannot continue, you have unstaged changes in your working tree")
  91. proc = subprocess.Popen('git reset %s --hard' % commit,
  92. stdout=subprocess.PIPE,
  93. stderr=subprocess.STDOUT,
  94. cwd=cwd, shell=True)
  95. if proc.wait() == 0:
  96. return True
  97. else:
  98. logger.error(proc.stdout.read())
  99. return False
  100. def run_sanity_footprint(commit=None, cwd=os.environ.get('ZEPHYR_BASE'),
  101. output_file=None):
  102. if not output_file:
  103. output_file = sanity_results_filename(commit)
  104. cmd = '/bin/bash -c "source ./zephyr-env.sh && twister'
  105. cmd += ' +scripts/sanity_chk/sanity_compare.args -o %s"' % output_file
  106. logger.debug('Sanity (%s) %s' %(commit, cmd))
  107. proc = subprocess.Popen(cmd, stdout=subprocess.PIPE,
  108. cwd=cwd, shell=True)
  109. output,_ = proc.communicate()
  110. if proc.wait() == 0:
  111. logger.debug(output)
  112. return True
  113. logger.error("Couldn't build footprint apps in commit %s" % commit)
  114. logger.error(output)
  115. raise Exception("Couldn't build footprint apps in commit %s" % commit)
  116. def run_footprint_build(commit=None):
  117. logging.debug("footprint build for %s" % commit)
  118. if not commit:
  119. run_sanity_footprint()
  120. else:
  121. cmd = "git clone --no-hardlinks %s" % os.environ.get('ZEPHYR_BASE')
  122. tmp_location = os.path.join(tempfile.gettempdir(),
  123. os.path.basename(os.environ.get('ZEPHYR_BASE')))
  124. if os.path.exists(tmp_location):
  125. shutil.rmtree(tmp_location)
  126. logging.debug("clonning into %s" % tmp_location)
  127. proc = subprocess.Popen(cmd, stdout=subprocess.PIPE,
  128. stderr=subprocess.STDOUT,
  129. cwd=tempfile.gettempdir(), shell=True)
  130. if proc.wait() == 0:
  131. if git_checkout(commit, tmp_location):
  132. run_sanity_footprint(commit, tmp_location)
  133. else:
  134. logger.error(proc.stdout.read())
  135. shutil.rmtree(tmp_location, ignore_errors=True)
  136. return True
  137. def read_sanity_report(filename):
  138. data = []
  139. with open(filename) as fp:
  140. tmp = csv.DictReader(fp)
  141. for row in tmp:
  142. data.append(row)
  143. return data
  144. def get_footprint_results(commit=None):
  145. sanity_file = sanity_results_filename(commit)
  146. if (not os.path.exists(sanity_file) or not commit) and commit != RELEASE_DATA:
  147. run_footprint_build(commit)
  148. return read_sanity_report(sanity_file)
  149. def tree_changes():
  150. proc = subprocess.Popen('git diff --quiet', stdout=subprocess.PIPE,
  151. cwd=os.environ.get('ZEPHYR_BASE'), shell=True)
  152. if proc.wait() != 0:
  153. return True
  154. return False
  155. def get_default_current_commit():
  156. if tree_changes():
  157. return None
  158. else:
  159. return get_git_commit('HEAD')
  160. def get_default_base_commit(current_commit):
  161. if not current_commit:
  162. if tree_changes():
  163. return get_git_commit('HEAD')
  164. else:
  165. return get_git_commit('HEAD~1')
  166. else:
  167. return get_git_commit('%s~1'%current_commit)
  168. def build_history(b_commit=None, c_commit=None):
  169. if not GIT_ENABLED:
  170. logger.info('Working on current tree, not git enabled.')
  171. current_commit = None
  172. base_commit = RELEASE_DATA
  173. else:
  174. if not c_commit:
  175. current_commit = get_default_current_commit()
  176. else:
  177. current_commit = get_git_commit(c_commit)
  178. if not b_commit:
  179. base_commit = get_default_base_commit(current_commit)
  180. else:
  181. base_commit = get_git_commit(b_commit)
  182. if not base_commit:
  183. logger.error("Cannot resolve base commit")
  184. return
  185. logger.info("Base: %s" % base_commit)
  186. logger.info("Current: %s" % (current_commit if current_commit else
  187. 'working space'))
  188. current_results = get_footprint_results(current_commit)
  189. base_results = get_footprint_results(base_commit)
  190. deltas = compare_results(base_results, current_results)
  191. print_deltas(deltas)
  192. def compare_results(base_results, current_results):
  193. interesting_metrics = [("ram_size", int),
  194. ("rom_size", int)]
  195. results = {}
  196. metrics = {}
  197. for type, data in {'base': base_results, 'current': current_results}.items():
  198. metrics[type] = {}
  199. for row in data:
  200. d = {}
  201. for m, mtype in interesting_metrics:
  202. if row[m]:
  203. d[m] = mtype(row[m])
  204. if not row["test"] in metrics[type]:
  205. metrics[type][row["test"]] = {}
  206. metrics[type][row["test"]][row["platform"]] = d
  207. for test, platforms in metrics['current'].items():
  208. if not test in metrics['base']:
  209. continue
  210. tests = {}
  211. for platform, test_data in platforms.items():
  212. if not platform in metrics['base'][test]:
  213. continue
  214. golden_metric = metrics['base'][test][platform]
  215. tmp = {}
  216. for metric, _ in interesting_metrics:
  217. if metric not in golden_metric or metric not in test_data:
  218. continue
  219. if test_data[metric] == "":
  220. continue
  221. delta = test_data[metric] - golden_metric[metric]
  222. if delta == 0:
  223. continue
  224. tmp[metric] = {
  225. 'delta': delta,
  226. 'current': test_data[metric],
  227. }
  228. if tmp:
  229. tests[platform] = tmp
  230. if tests:
  231. results[test] = tests
  232. return results
  233. def print_deltas(deltas):
  234. error_count = 0
  235. for test in sorted(deltas):
  236. print("\n{:<25}".format(test))
  237. for platform, data in deltas[test].items():
  238. print(" {:<25}".format(platform))
  239. for metric, value in data.items():
  240. percentage = (float(value['delta']) / float(value['current'] -
  241. value['delta']))
  242. print(" {} ({:+.2%}) {:+6} current size {:>7} bytes".format(
  243. "RAM" if metric == "ram_size" else "ROM", percentage,
  244. value['delta'], value['current']))
  245. error_count = error_count + 1
  246. if error_count == 0:
  247. print("There are no changes in RAM neither in ROM of footprint apps.")
  248. return error_count
  249. def main():
  250. args = parse_args()
  251. build_history(args.base_commit, args.commit)
  252. if __name__ == "__main__":
  253. init_logs()
  254. is_git_enabled()
  255. main()