parse_ctf.py 4.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142
  1. #!/usr/bin/env python3
  2. #
  3. # Copyright (c) 2020 Intel Corporation.
  4. #
  5. # SPDX-License-Identifier: Apache-2.0
  6. """
  7. Script to parse CTF data and print to the screen in a custom and colorful
  8. format.
  9. Generate trace using samples/subsys/tracing for example:
  10. west build -b qemu_x86 samples/subsys/tracing -t run \
  11. -- -DCONF_FILE=prj_uart_ctf.conf
  12. mkdir ctf
  13. cp build/channel0_0 ctf/
  14. cp subsys/tracing/ctf/tsdl/metadata ctf/
  15. ./scripts/tracing/parse_ctf.py -t ctf
  16. """
  17. import sys
  18. import datetime
  19. from colorama import Fore
  20. import argparse
  21. try:
  22. import bt2
  23. except ImportError:
  24. sys.exit("Missing dependency: You need to install python bindings of babletrace.")
  25. def parse_args():
  26. parser = argparse.ArgumentParser(
  27. description=__doc__,
  28. formatter_class=argparse.RawDescriptionHelpFormatter)
  29. parser.add_argument("-t", "--trace",
  30. required=True,
  31. help="tracing data (directory with metadata and trace file)")
  32. args = parser.parse_args()
  33. return args
  34. def main():
  35. args = parse_args()
  36. msg_it = bt2.TraceCollectionMessageIterator(args.trace)
  37. last_event_ns_from_origin = None
  38. timeline = []
  39. def get_thread(name):
  40. for t in timeline:
  41. if t.get('name', None) == name and t.get('in', 0 ) != 0 and not t.get('out', None):
  42. return t
  43. return {}
  44. for msg in msg_it:
  45. if not isinstance(msg, bt2._EventMessageConst):
  46. continue
  47. ns_from_origin = msg.default_clock_snapshot.ns_from_origin
  48. event = msg.event
  49. # Compute the time difference since the last event message.
  50. diff_s = 0
  51. if last_event_ns_from_origin is not None:
  52. diff_s = (ns_from_origin - last_event_ns_from_origin) / 1e9
  53. dt = datetime.datetime.fromtimestamp(ns_from_origin / 1e9)
  54. if event.name in [
  55. 'thread_switched_out',
  56. 'thread_switched_in',
  57. 'thread_pending',
  58. 'thread_ready',
  59. 'thread_resume',
  60. 'thread_suspend',
  61. 'thread_create',
  62. 'thread_abort'
  63. ]:
  64. cpu = event.payload_field.get("cpu", None)
  65. thread_id = event.payload_field.get("thread_id", None)
  66. thread_name = event.payload_field.get("name", None)
  67. th = {}
  68. if event.name in ['thread_switched_out', 'thread_switched_in'] and cpu is not None:
  69. cpu_string = f"(cpu: {cpu})"
  70. else:
  71. cpu_string = ""
  72. if thread_name:
  73. print(f"{dt} (+{diff_s:.6f} s): {event.name}: {thread_name} {cpu_string}")
  74. elif thread_id:
  75. print(f"{dt} (+{diff_s:.6f} s): {event.name}: {thread_id} {cpu_string}")
  76. else:
  77. print(f"{dt} (+{diff_s:.6f} s): {event.name}")
  78. if event.name in ['thread_switched_out', 'thread_switched_in']:
  79. if thread_name:
  80. th = get_thread(thread_name)
  81. if not th:
  82. th['name'] = thread_name
  83. else:
  84. th = get_thread(thread_id)
  85. if not th:
  86. th['name'] = thread_id
  87. if event.name in ['thread_switched_out']:
  88. th['out'] = ns_from_origin
  89. tin = th.get('in', None)
  90. tout = th.get('out', None)
  91. if tout is not None and tin is not None:
  92. diff = (tout - tin)
  93. th['runtime'] = diff
  94. elif event.name in ['thread_switched_in']:
  95. th['in'] = ns_from_origin
  96. timeline.append(th)
  97. elif event.name in ['thread_info']:
  98. stack_size = event.payload_field['stack_size']
  99. print(f"{dt} (+{diff_s:.6f} s): {event.name} (Stack size: {stack_size})")
  100. elif event.name in ['start_call', 'end_call']:
  101. if event.payload_field['id'] == 39:
  102. c = Fore.GREEN
  103. elif event.payload_field['id'] in [37, 38]:
  104. c = Fore.CYAN
  105. else:
  106. c = Fore.YELLOW
  107. print(c + f"{dt} (+{diff_s:.6f} s): {event.name} {event.payload_field['id']}" + Fore.RESET)
  108. elif event.name in ['semaphore_init', 'semaphore_take', 'semaphore_give']:
  109. c = Fore.CYAN
  110. print(c + f"{dt} (+{diff_s:.6f} s): {event.name} ({event.payload_field['id']})" + Fore.RESET)
  111. elif event.name in ['mutex_init', 'mutex_take', 'mutex_give']:
  112. c = Fore.MAGENTA
  113. print(c + f"{dt} (+{diff_s:.6f} s): {event.name} ({event.payload_field['id']})" + Fore.RESET)
  114. else:
  115. print(f"{dt} (+{diff_s:.6f} s): {event.name}")
  116. last_event_ns_from_origin = ns_from_origin
  117. if __name__=="__main__":
  118. main()