65780013f74573e045cdb499e38f24d39c02baff
[linux-2.6-microblaze.git] / tools / perf / scripts / python / flamegraph.py
1 # flamegraph.py - create flame graphs from perf samples
2 # SPDX-License-Identifier: GPL-2.0
3 #
4 # Usage:
5 #
6 #     perf record -a -g -F 99 sleep 60
7 #     perf script report flamegraph
8 #
9 # Combined:
10 #
11 #     perf script flamegraph -a -F 99 sleep 60
12 #
13 # Written by Andreas Gerstmayr <agerstmayr@redhat.com>
14 # Flame Graphs invented by Brendan Gregg <bgregg@netflix.com>
15 # Works in tandem with d3-flame-graph by Martin Spier <mspier@netflix.com>
16
17 from __future__ import print_function
18 import sys
19 import os
20 import io
21 import argparse
22 import json
23
24
25 class Node:
26     def __init__(self, name, libtype=""):
27         self.name = name
28         self.libtype = libtype
29         self.value = 0
30         self.children = []
31
32     def toJSON(self):
33         return {
34             "n": self.name,
35             "l": self.libtype,
36             "v": self.value,
37             "c": self.children
38         }
39
40
41 class FlameGraphCLI:
42     def __init__(self, args):
43         self.args = args
44         self.stack = Node("root")
45
46         if self.args.format == "html" and \
47                 not os.path.isfile(self.args.template):
48             print("Flame Graph template {} does not exist. Please install "
49                   "the js-d3-flame-graph (RPM) or libjs-d3-flame-graph (deb) "
50                   "package, specify an existing flame graph template "
51                   "(--template PATH) or another output format "
52                   "(--format FORMAT).".format(self.args.template),
53                   file=sys.stderr)
54             sys.exit(1)
55
56     def find_or_create_node(self, node, name, dso):
57         libtype = "kernel" if dso == "[kernel.kallsyms]" else ""
58         if name is None:
59             name = "[unknown]"
60
61         for child in node.children:
62             if child.name == name and child.libtype == libtype:
63                 return child
64
65         child = Node(name, libtype)
66         node.children.append(child)
67         return child
68
69     def process_event(self, event):
70         node = self.find_or_create_node(self.stack, event["comm"], None)
71         if "callchain" in event:
72             for entry in reversed(event['callchain']):
73                 node = self.find_or_create_node(
74                     node, entry.get("sym", {}).get("name"), event.get("dso"))
75         else:
76             node = self.find_or_create_node(
77                 node, entry.get("symbol"), event.get("dso"))
78         node.value += 1
79
80     def trace_end(self):
81         json_str = json.dumps(self.stack, default=lambda x: x.toJSON())
82
83         if self.args.format == "html":
84             try:
85                 with io.open(self.args.template, encoding="utf-8") as f:
86                     output_str = f.read().replace("/** @flamegraph_json **/",
87                                                   json_str)
88             except IOError as e:
89                 print("Error reading template file: {}".format(e), file=sys.stderr)
90                 sys.exit(1)
91             output_fn = self.args.output or "flamegraph.html"
92         else:
93             output_str = json_str
94             output_fn = self.args.output or "stacks.json"
95
96         if output_fn == "-":
97             with io.open(sys.stdout.fileno(), "w", encoding="utf-8", closefd=False) as out:
98                 out.write(output_str)
99         else:
100             print("dumping data to {}".format(output_fn))
101             try:
102                 with io.open(output_fn, "w", encoding="utf-8") as out:
103                     out.write(output_str)
104             except IOError as e:
105                 print("Error writing output file: {}".format(e), file=sys.stderr)
106                 sys.exit(1)
107
108
109 if __name__ == "__main__":
110     parser = argparse.ArgumentParser(description="Create flame graphs.")
111     parser.add_argument("-f", "--format",
112                         default="html", choices=["json", "html"],
113                         help="output file format")
114     parser.add_argument("-o", "--output",
115                         help="output file name")
116     parser.add_argument("--template",
117                         default="/usr/share/d3-flame-graph/d3-flamegraph-base.html",
118                         help="path to flamegraph HTML template")
119     parser.add_argument("-i", "--input",
120                         help=argparse.SUPPRESS)
121
122     args = parser.parse_args()
123     cli = FlameGraphCLI(args)
124
125     process_event = cli.process_event
126     trace_end = cli.trace_end