upload_data.py 4.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153
  1. #!/usr/bin/env python3
  2. # Copyright (c) 2021 Intel Corporation
  3. #
  4. # SPDX-License-Identifier: Apache-2.0
  5. from anytree.importer import DictImporter
  6. from anytree import PreOrderIter
  7. from anytree.search import find
  8. importer = DictImporter()
  9. from datetime import datetime
  10. from dateutil.relativedelta import relativedelta
  11. import os
  12. import json
  13. from git import Repo
  14. from git.exc import BadName
  15. from influxdb import InfluxDBClient
  16. import glob
  17. import argparse
  18. from tabulate import tabulate
  19. TODAY = datetime.utcnow()
  20. two_mon_rel = relativedelta(months=4)
  21. influx_dsn = 'influxdb://localhost:8086/footprint_tracking'
  22. def create_event(data, board, feature, commit, current_time, typ, application):
  23. footprint_data = []
  24. client = InfluxDBClient.from_dsn(influx_dsn)
  25. client.create_database('footprint_tracking')
  26. for d in data.keys():
  27. footprint_data.append({
  28. "measurement": d,
  29. "tags": {
  30. "board": board,
  31. "commit": commit,
  32. "application": application,
  33. "type": typ,
  34. "feature": feature
  35. },
  36. "time": current_time,
  37. "fields": {
  38. "value": data[d]
  39. }
  40. })
  41. client.write_points(footprint_data, time_precision='s', database='footprint_tracking')
  42. def parse_args():
  43. global args
  44. parser = argparse.ArgumentParser(
  45. description=__doc__,
  46. formatter_class=argparse.RawDescriptionHelpFormatter)
  47. parser.add_argument("-d", "--data", help="Data Directory")
  48. parser.add_argument("-y", "--dryrun", action="store_true", help="Dry run, do not upload to database")
  49. parser.add_argument("-z", "--zephyr-base", help="Zephyr tree")
  50. parser.add_argument("-f", "--file", help="JSON file with footprint data")
  51. args = parser.parse_args()
  52. def parse_file(json_file):
  53. with open(json_file, "r") as fp:
  54. contents = json.load(fp)
  55. root = importer.import_(contents['symbols'])
  56. zr = find(root, lambda node: node.name == 'ZEPHYR_BASE')
  57. ws = find(root, lambda node: node.name == 'WORKSPACE')
  58. data = {}
  59. if zr and ws:
  60. trees = [zr, ws]
  61. else:
  62. trees = [root]
  63. for node in PreOrderIter(root, maxlevel=2):
  64. if node.name not in ['WORKSPACE', 'ZEPHYR_BASE']:
  65. if node.name in ['Root', 'Symbols']:
  66. data['all'] = node.size
  67. else:
  68. data[node.name] = node.size
  69. for t in trees:
  70. root = t.name
  71. for node in PreOrderIter(t, maxlevel=2):
  72. if node.name == root:
  73. continue
  74. comp = node.name
  75. if comp in ['Root', 'Symbols']:
  76. data['all'] = node.size
  77. else:
  78. data[comp] = node.size
  79. return data
  80. def process_files(data_dir, zephyr_base, dry_run):
  81. repo = Repo(zephyr_base)
  82. for hash in os.listdir(f'{data_dir}'):
  83. if not dry_run:
  84. client = InfluxDBClient.from_dsn(influx_dsn)
  85. result = client.query(f"select * from kernel where commit = '{hash}';")
  86. if result:
  87. print(f"Skipping {hash}...")
  88. continue
  89. print(f"Importing {hash}...")
  90. for file in glob.glob(f"{args.data}/{hash}/**/*json", recursive=True):
  91. file_data = file.split("/")
  92. json_file = os.path.basename(file)
  93. if 'ram' in json_file:
  94. typ = 'ram'
  95. else:
  96. typ = 'rom'
  97. commit = file_data[1]
  98. app = file_data[2]
  99. feature = file_data[3]
  100. board = file_data[4]
  101. data = parse_file(file)
  102. try:
  103. gitcommit = repo.commit(f'{commit}')
  104. current_time = gitcommit.committed_datetime
  105. except BadName:
  106. cidx = commit.find('-g') + 2
  107. gitcommit = repo.commit(f'{commit[cidx:]}')
  108. current_time = gitcommit.committed_datetime
  109. print(current_time)
  110. if not dry_run:
  111. create_event(data, board, feature, commit, current_time, typ, app)
  112. def main():
  113. parse_args()
  114. if args.data and args.zephyr_base:
  115. process_files(args.data, args.zephyr_base, args.dryrun)
  116. if args.file:
  117. data = parse_file(args.file)
  118. items = []
  119. for component,value in data.items():
  120. items.append([component,value])
  121. table = tabulate(items, headers=['Component', 'Size'], tablefmt='orgtbl')
  122. print(table)
  123. if __name__ == "__main__":
  124. main()