blob: a36cb12bebc543cc33f348eb1f14cd702452414d [file] [log] [blame]
Takuto Ikuta13466d02021-01-19 00:19:20 +00001#!/usr/bin/env python3
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -08002# Copyright (c) 2018 The Chromium Authors. All rights reserved.
3# Use of this source code is governed by a BSD-style license that can be
4# found in the LICENSE file.
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -08005"""Summarize the last ninja build, invoked with ninja's -C syntax.
6
7This script is designed to be automatically run after each ninja build in
8order to summarize the build's performance. Making build performance information
9more visible should make it easier to notice anomalies and opportunities. To use
Bruce Dawsone186e502018-02-12 15:41:11 -080010this script on Windows just set NINJA_SUMMARIZE_BUILD=1 and run autoninja.bat.
11
12On Linux you can get autoninja to invoke this script using this syntax:
13
14$ NINJA_SUMMARIZE_BUILD=1 autoninja -C out/Default/ chrome
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -080015
16You can also call this script directly using ninja's syntax to specify the
17output directory of interest:
18
Takuto Ikuta13466d02021-01-19 00:19:20 +000019> python3 post_build_ninja_summary.py -C out/Default
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -080020
21Typical output looks like this:
22
23>ninja -C out\debug_component base
24ninja.exe -C out\debug_component base -j 960 -l 48 -d keeprsp
25ninja: Entering directory `out\debug_component'
26[1 processes, 1/1 @ 0.3/s : 3.092s ] Regenerating ninja files
Bruce Dawson0e9afd22019-11-08 18:57:08 +000027Longest build steps:
28 0.1 weighted s to build obj/base/base/trace_log.obj (6.7 s elapsed time)
29 0.2 weighted s to build nasm.exe, nasm.exe.pdb (0.2 s elapsed time)
30 0.3 weighted s to build obj/base/base/win_util.obj (12.4 s elapsed time)
31 1.2 weighted s to build base.dll, base.dll.lib (1.2 s elapsed time)
32Time by build-step type:
33 0.0 s weighted time to generate 6 .lib files (0.3 s elapsed time sum)
34 0.1 s weighted time to generate 25 .stamp files (1.2 s elapsed time sum)
35 0.2 s weighted time to generate 20 .o files (2.8 s elapsed time sum)
36 1.7 s weighted time to generate 4 PEFile (linking) files (2.0 s elapsed
37time sum)
38 23.9 s weighted time to generate 770 .obj files (974.8 s elapsed time sum)
3926.1 s weighted time (982.9 s elapsed time sum, 37.7x parallelism)
40839 build steps completed, average of 32.17/s
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -080041
42If no gn clean has been done then results will be for the last non-NULL
43invocation of ninja. Ideas for future statistics, and implementations are
44appreciated.
45
46The "weighted" time is the elapsed time of each build step divided by the number
47of tasks that were running in parallel. This makes it an excellent approximation
48of how "important" a slow step was. A link that is entirely or mostly serialized
49will have a weighted time that is the same or similar to its elapsed time. A
50compile that runs in parallel with 999 other compiles will have a weighted time
51that is tiny."""
52
Daniel Bratella10370c2018-06-11 07:58:59 +000053import argparse
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -080054import errno
Bruce Dawson34d90be2020-03-16 23:08:05 +000055import fnmatch
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -080056import os
57import sys
58
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -080059# The number of long build times to report:
60long_count = 10
61# The number of long times by extension to report
Peter Wene3a42b22020-04-08 21:39:26 +000062long_ext_count = 10
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -080063
64
65class Target:
66 """Represents a single line read for a .ninja_log file."""
67 def __init__(self, start, end):
Bruce Dawson6be8afd2018-06-11 20:00:05 +000068 """Creates a target object by passing in the start/end times in seconds
69 as a float."""
70 self.start = start
71 self.end = end
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -080072 # A list of targets, appended to by the owner of this object.
73 self.targets = []
74 self.weighted_duration = 0.0
75
76 def Duration(self):
77 """Returns the task duration in seconds as a float."""
78 return self.end - self.start
79
80 def SetWeightedDuration(self, weighted_duration):
81 """Sets the duration, in seconds, passed in as a float."""
82 self.weighted_duration = weighted_duration
83
84 def WeightedDuration(self):
85 """Returns the task's weighted duration in seconds as a float.
86
87 Weighted_duration takes the elapsed time of the task and divides it
88 by how many other tasks were running at the same time. Thus, it
89 represents the approximate impact of this task on the total build time,
90 with serialized or serializing steps typically ending up with much
91 longer weighted durations.
92 weighted_duration should always be the same or shorter than duration.
93 """
94 # Allow for modest floating-point errors
95 epsilon = 0.000002
96 if (self.weighted_duration > self.Duration() + epsilon):
Mike Frysinger124bb8e2023-09-06 05:48:55 +000097 print('%s > %s?' % (self.weighted_duration, self.Duration()))
98 assert (self.weighted_duration <= self.Duration() + epsilon)
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -080099 return self.weighted_duration
100
101 def DescribeTargets(self):
102 """Returns a printable string that summarizes the targets."""
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800103 # Some build steps generate dozens of outputs - handle them sanely.
Bruce Dawson0081a122020-09-26 19:13:23 +0000104 # The max_length was chosen so that it can fit most of the long
105 # single-target names, while minimizing word wrapping.
106 result = ', '.join(self.targets)
107 max_length = 65
108 if len(result) > max_length:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000109 result = result[:max_length] + '...'
Bruce Dawson0081a122020-09-26 19:13:23 +0000110 return result
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800111
112
113# Copied with some modifications from ninjatracing
114def ReadTargets(log, show_all):
115 """Reads all targets from .ninja_log file |log_file|, sorted by duration.
116
117 The result is a list of Target objects."""
118 header = log.readline()
119 assert header == '# ninja log v5\n', \
120 'unrecognized ninja log version %r' % header
Bruce Dawson6be8afd2018-06-11 20:00:05 +0000121 targets_dict = {}
122 last_end_seen = 0.0
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800123 for line in log:
124 parts = line.strip().split('\t')
125 if len(parts) != 5:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000126 # If ninja.exe is rudely halted then the .ninja_log file may be
127 # corrupt. Silently continue.
128 continue
129 start, end, _, name, cmdhash = parts # Ignore restat.
Bruce Dawson6be8afd2018-06-11 20:00:05 +0000130 # Convert from integral milliseconds to float seconds.
131 start = int(start) / 1000.0
132 end = int(end) / 1000.0
133 if not show_all and end < last_end_seen:
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800134 # An earlier time stamp means that this step is the first in a new
135 # build, possibly an incremental build. Throw away the previous
136 # data so that this new build will be displayed independently.
Bruce Dawson6be8afd2018-06-11 20:00:05 +0000137 # This has to be done by comparing end times because records are
138 # written to the .ninja_log file when commands complete, so end
139 # times are guaranteed to be in order, but start times are not.
140 targets_dict = {}
141 target = None
142 if cmdhash in targets_dict:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000143 target = targets_dict[cmdhash]
144 if not show_all and (target.start != start or target.end != end):
145 # If several builds in a row just run one or two build steps
146 # then the end times may not go backwards so the last build may
147 # not be detected as such. However in many cases there will be a
148 # build step repeated in the two builds and the changed
149 # start/stop points for that command, identified by the hash,
150 # can be used to detect and reset the target dictionary.
151 targets_dict = {}
152 target = None
Bruce Dawson6be8afd2018-06-11 20:00:05 +0000153 if not target:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000154 targets_dict[cmdhash] = target = Target(start, end)
Bruce Dawson6be8afd2018-06-11 20:00:05 +0000155 last_end_seen = end
156 target.targets.append(name)
Bruce Dawson0081a122020-09-26 19:13:23 +0000157 return list(targets_dict.values())
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800158
159
Bruce Dawson34d90be2020-03-16 23:08:05 +0000160def GetExtension(target, extra_patterns):
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000161 """Return the file extension that best represents a target.
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800162
163 For targets that generate multiple outputs it is important to return a
164 consistent 'canonical' extension. Ultimately the goal is to group build steps
165 by type."""
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000166 for output in target.targets:
167 if extra_patterns:
168 for fn_pattern in extra_patterns.split(';'):
169 if fnmatch.fnmatch(output, '*' + fn_pattern + '*'):
170 return fn_pattern
171 # Not a true extension, but a good grouping.
172 if output.endswith('type_mappings'):
173 extension = 'type_mappings'
174 break
Peter Wene3a42b22020-04-08 21:39:26 +0000175
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000176 # Capture two extensions if present. For example: file.javac.jar should
177 # be distinguished from file.interface.jar.
178 root, ext1 = os.path.splitext(output)
179 _, ext2 = os.path.splitext(root)
180 extension = ext2 + ext1 # Preserve the order in the file name.
Peter Wene3a42b22020-04-08 21:39:26 +0000181
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000182 if len(extension) == 0:
183 extension = '(no extension found)'
Peter Wene3a42b22020-04-08 21:39:26 +0000184
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000185 if ext1 in ['.pdb', '.dll', '.exe']:
186 extension = 'PEFile (linking)'
187 # Make sure that .dll and .exe are grouped together and that the
188 # .dll.lib files don't cause these to be listed as libraries
189 break
190 if ext1 in ['.so', '.TOC']:
191 extension = '.so (linking)'
192 # Attempt to identify linking, avoid identifying as '.TOC'
193 break
194 # Make sure .obj files don't get categorized as mojo files
195 if ext1 in ['.obj', '.o']:
196 break
197 # Jars are the canonical output of java targets.
198 if ext1 == '.jar':
199 break
200 # Normalize all mojo related outputs to 'mojo'.
201 if output.count('.mojom') > 0:
202 extension = 'mojo'
203 break
204 return extension
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800205
206
Bruce Dawson58da0c82023-02-23 19:40:12 +0000207def SummarizeEntries(entries, extra_step_types, elapsed_time_sorting):
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800208 """Print a summary of the passed in list of Target objects."""
209
210 # Create a list that is in order by time stamp and has entries for the
211 # beginning and ending of each build step (one time stamp may have multiple
212 # entries due to multiple steps starting/stopping at exactly the same time).
213 # Iterate through this list, keeping track of which tasks are running at all
214 # times. At each time step calculate a running total for weighted time so
215 # that when each task ends its own weighted time can easily be calculated.
216 task_start_stop_times = []
217
218 earliest = -1
219 latest = 0
220 total_cpu_time = 0
221 for target in entries:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000222 if earliest < 0 or target.start < earliest:
223 earliest = target.start
224 if target.end > latest:
225 latest = target.end
226 total_cpu_time += target.Duration()
227 task_start_stop_times.append((target.start, 'start', target))
228 task_start_stop_times.append((target.end, 'stop', target))
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800229 length = latest - earliest
230 weighted_total = 0.0
231
Bruce Dawson0081a122020-09-26 19:13:23 +0000232 # Sort by the time/type records and ignore |target|
233 task_start_stop_times.sort(key=lambda times: times[:2])
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800234 # Now we have all task start/stop times sorted by when they happen. If a
235 # task starts and stops on the same time stamp then the start will come
236 # first because of the alphabet, which is important for making this work
237 # correctly.
238 # Track the tasks which are currently running.
239 running_tasks = {}
240 # Record the time we have processed up to so we know how to calculate time
241 # deltas.
242 last_time = task_start_stop_times[0][0]
243 # Track the accumulated weighted time so that it can efficiently be added
244 # to individual tasks.
245 last_weighted_time = 0.0
246 # Scan all start/stop events.
247 for event in task_start_stop_times:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000248 time, action_name, target = event
249 # Accumulate weighted time up to now.
250 num_running = len(running_tasks)
251 if num_running > 0:
252 # Update the total weighted time up to this moment.
253 last_weighted_time += (time - last_time) / float(num_running)
254 if action_name == 'start':
255 # Record the total weighted task time when this task starts.
256 running_tasks[target] = last_weighted_time
257 if action_name == 'stop':
258 # Record the change in the total weighted task time while this task
259 # ran.
260 weighted_duration = last_weighted_time - running_tasks[target]
261 target.SetWeightedDuration(weighted_duration)
262 weighted_total += weighted_duration
263 del running_tasks[target]
264 last_time = time
265 assert (len(running_tasks) == 0)
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800266
267 # Warn if the sum of weighted times is off by more than half a second.
268 if abs(length - weighted_total) > 500:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000269 print('Warning: Possible corrupt ninja log, results may be '
270 'untrustworthy. Length = %.3f, weighted total = %.3f' %
271 (length, weighted_total))
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800272
Bruce Dawson58da0c82023-02-23 19:40:12 +0000273 # Print the slowest build steps:
Raul Tambre80ee78e2019-05-06 22:41:05 +0000274 print(' Longest build steps:')
Bruce Dawson58da0c82023-02-23 19:40:12 +0000275 if elapsed_time_sorting:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000276 entries.sort(key=lambda x: x.Duration())
Bruce Dawson58da0c82023-02-23 19:40:12 +0000277 else:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000278 entries.sort(key=lambda x: x.WeightedDuration())
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800279 for target in entries[-long_count:]:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000280 print(' %8.1f weighted s to build %s (%.1f s elapsed time)' %
281 (target.WeightedDuration(), target.DescribeTargets(),
282 target.Duration()))
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800283
284 # Sum up the time by file extension/type of the output file
285 count_by_ext = {}
286 time_by_ext = {}
287 weighted_time_by_ext = {}
288 # Scan through all of the targets to build up per-extension statistics.
289 for target in entries:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000290 extension = GetExtension(target, extra_step_types)
291 time_by_ext[extension] = time_by_ext.get(extension,
292 0) + target.Duration()
293 weighted_time_by_ext[extension] = weighted_time_by_ext.get(
294 extension, 0) + target.WeightedDuration()
295 count_by_ext[extension] = count_by_ext.get(extension, 0) + 1
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800296
Raul Tambre80ee78e2019-05-06 22:41:05 +0000297 print(' Time by build-step type:')
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800298 # Copy to a list with extension name and total time swapped, to (time, ext)
Bruce Dawson58da0c82023-02-23 19:40:12 +0000299 if elapsed_time_sorting:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000300 weighted_time_by_ext_sorted = sorted(
301 (y, x) for (x, y) in time_by_ext.items())
Bruce Dawson58da0c82023-02-23 19:40:12 +0000302 else:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000303 weighted_time_by_ext_sorted = sorted(
304 (y, x) for (x, y) in weighted_time_by_ext.items())
Bruce Dawson58da0c82023-02-23 19:40:12 +0000305 # Print the slowest build target types:
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800306 for time, extension in weighted_time_by_ext_sorted[-long_ext_count:]:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000307 print(
308 ' %8.1f s weighted time to generate %d %s files '
309 '(%1.1f s elapsed time sum)' %
310 (time, count_by_ext[extension], extension, time_by_ext[extension]))
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800311
Bruce Dawson0e9afd22019-11-08 18:57:08 +0000312 print(' %.1f s weighted time (%.1f s elapsed time sum, %1.1fx '
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000313 'parallelism)' %
314 (length, total_cpu_time, total_cpu_time * 1.0 / length))
315 print(' %d build steps completed, average of %1.2f/s' %
316 (len(entries), len(entries) / (length)))
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800317
318
Daniel Bratella10370c2018-06-11 07:58:59 +0000319def main():
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800320 log_file = '.ninja_log'
Daniel Bratella10370c2018-06-11 07:58:59 +0000321 parser = argparse.ArgumentParser()
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000322 parser.add_argument('-C', dest='build_directory', help='Build directory.')
Bruce Dawson34d90be2020-03-16 23:08:05 +0000323 parser.add_argument(
324 '-s',
325 '--step-types',
326 help='semicolon separated fnmatch patterns for build-step grouping')
Bruce Dawson58da0c82023-02-23 19:40:12 +0000327 parser.add_argument(
328 '-e',
329 '--elapsed_time_sorting',
330 default=False,
331 action='store_true',
332 help='Sort output by elapsed time instead of weighted time')
Daniel Bratella10370c2018-06-11 07:58:59 +0000333 parser.add_argument('--log-file',
334 help="specific ninja log file to analyze.")
335 args, _extra_args = parser.parse_known_args()
336 if args.build_directory:
337 log_file = os.path.join(args.build_directory, log_file)
338 if args.log_file:
339 log_file = args.log_file
Bruce Dawson34d90be2020-03-16 23:08:05 +0000340 if not args.step_types:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000341 # Offer a convenient way to add extra step types automatically,
342 # including when this script is run by autoninja. get() returns None if
343 # the variable isn't set.
344 args.step_types = os.environ.get('chromium_step_types')
Bruce Dawson34d90be2020-03-16 23:08:05 +0000345 if args.step_types:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000346 # Make room for the extra build types.
347 global long_ext_count
348 long_ext_count += len(args.step_types.split(';'))
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800349
350 try:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000351 with open(log_file, 'r') as log:
352 entries = ReadTargets(log, False)
353 SummarizeEntries(entries, args.step_types,
354 args.elapsed_time_sorting)
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800355 except IOError:
Mike Frysinger124bb8e2023-09-06 05:48:55 +0000356 print('Log file %r not found, no build summary created.' % log_file)
357 return errno.ENOENT
Bruce Dawsonffc0c7c2018-02-07 18:00:48 -0800358
359
360if __name__ == '__main__':
Daniel Bratella10370c2018-06-11 07:58:59 +0000361 sys.exit(main())