gen_gcov_files.py 2.4 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2018 Intel Corporation
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. """This script will parse the serial console log file and create the required
  7. gcda files.
  8. """
  9. import argparse
  10. import os
  11. import re
  12. def retrieve_data(input_file):
  13. extracted_coverage_info = {}
  14. capture_data = False
  15. reached_end = False
  16. with open(input_file, 'r') as fp:
  17. for line in fp.readlines():
  18. if re.search("GCOV_COVERAGE_DUMP_START", line):
  19. capture_data = True
  20. continue
  21. if re.search("GCOV_COVERAGE_DUMP_END", line):
  22. reached_end = True
  23. break
  24. # Loop until the coverage data is found.
  25. if not capture_data:
  26. continue
  27. # Remove the leading delimiter "*"
  28. file_name = line.split("<")[0][1:]
  29. # Remove the trailing new line char
  30. hex_dump = line.split("<")[1][:-1]
  31. extracted_coverage_info.update({file_name: hex_dump})
  32. if not reached_end:
  33. print("incomplete data captured from %s" % input_file)
  34. return extracted_coverage_info
  35. def create_gcda_files(extracted_coverage_info):
  36. if args.verbose:
  37. print("Generating gcda files")
  38. for filename, hexdump_val in extracted_coverage_info.items():
  39. if args.verbose:
  40. print(filename)
  41. # if kobject_hash is given for coverage gcovr fails
  42. # hence skipping it problem only in gcovr v4.1
  43. if "kobject_hash" in filename:
  44. filename = filename[:-4] + "gcno"
  45. try:
  46. os.remove(filename)
  47. except Exception:
  48. pass
  49. continue
  50. with open(filename, 'wb') as fp:
  51. fp.write(bytes.fromhex(hexdump_val))
  52. def parse_args():
  53. global args
  54. parser = argparse.ArgumentParser(
  55. description=__doc__,
  56. formatter_class=argparse.RawDescriptionHelpFormatter)
  57. parser.add_argument("-i", "--input", required=True,
  58. help="Input dump data")
  59. parser.add_argument("-v", "--verbose", action="count", default=0,
  60. help="Verbose Output")
  61. args = parser.parse_args()
  62. def main():
  63. parse_args()
  64. input_file = args.input
  65. extracted_coverage_info = retrieve_data(input_file)
  66. create_gcda_files(extracted_coverage_info)
  67. if __name__ == '__main__':
  68. main()