-
Notifications
You must be signed in to change notification settings - Fork 4
/
Copy pathtrace_parser.py
4944 lines (4871 loc) · 227 KB
/
trace_parser.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
#!/usr/bin/env python
"""
Copyright 2019 WebPageTest LLC.
Copyright 2016 Google Inc.
Licensed under the Apache License, Version 2.0 (the "License");
you may not use this file except in compliance with the License.
You may obtain a copy of the License at
http://www.apache.org/licenses/LICENSE-2.0
Unless required by applicable law or agreed to in writing, software
distributed under the License is distributed on an "AS IS" BASIS,
WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
See the License for the specific language governing permissions and
limitations under the License.
"""
import gzip
import logging
import math
import os
import re
import sys
import time
if (sys.version_info > (3, 0)):
from urllib.parse import urlparse # pylint: disable=import-error
unicode = str
GZIP_TEXT = 'wt'
GZIP_READ_TEXT = 'rt'
else:
from urlparse import urlparse # pylint: disable=import-error
GZIP_TEXT = 'w'
GZIP_READ_TEXT = 'r'
# try a fast json parser if it is installed
try:
import ujson as json
except BaseException:
import json
##########################################################################
# Trace processing
##########################################################################
class Trace():
"""Main class"""
def __init__(self):
self.thread_stack = {}
self.ignore_threads = {}
self.threads = {}
self.user_timing = []
self.event_names = {}
self.event_name_lookup = {}
self.scripts = None
self.timeline_events = []
self.trace_events = []
self.interactive = []
self.long_tasks = []
self.interactive_start = 0
self.interactive_end = None
self.start_time = None
self.end_time = None
self.cpu = {'main_thread': None, 'main_threads':[], 'subframes': []}
self.feature_usage = None
self.feature_usage_start_time = None
self.netlog = {'bytes_in': 0, 'bytes_out': 0, 'next_request_id': 1000000}
self.netlog_requests = None
self.v8stats = None
self.v8stack = {}
return
##########################################################################
# Output Logging
##########################################################################
def write_json(self, out_file, json_data):
"""Write out one of the internal structures as a json blob"""
try:
_, ext = os.path.splitext(out_file)
if ext.lower() == '.gz':
with gzip.open(out_file, GZIP_TEXT) as f:
json.dump(json_data, f)
else:
with open(out_file, 'w') as f:
json.dump(json_data, f)
except BaseException:
logging.exception("Error writing to " + out_file)
def WriteUserTiming(self, out_file):
out = self.post_process_netlog_events()
out = self.post_process_user_timing()
if out is not None:
self.write_json(out_file, out)
def WriteCPUSlices(self, out_file):
self.write_json(out_file, self.cpu)
def WriteScriptTimings(self, out_file):
if self.scripts is not None:
self.write_json(out_file, self.scripts)
def WriteFeatureUsage(self, out_file):
self.post_process_netlog_events()
out = self.post_process_feature_usage()
if out is not None:
self.write_json(out_file, out)
def WriteInteractive(self, out_file):
# Generate the interactive periods from the long-task data
if self.end_time and self.start_time:
interactive = []
end_time = int(math.ceil(float(self.end_time - self.start_time) / 1000.0))
if not self.long_tasks:
interactive.append([0, end_time])
else:
last_end = 0
for task in self.long_tasks:
elapsed = task[0] - last_end
if elapsed > 0:
interactive.append([last_end, task[0]])
last_end = task[1]
elapsed = end_time - last_end
if elapsed > 0:
interactive.append([last_end, end_time])
self.write_json(out_file, interactive)
def WriteLongTasks(self, out_file):
self.write_json(out_file, self.long_tasks)
def WriteNetlog(self, out_file):
out = self.post_process_netlog_events()
if out is not None:
self.write_json(out_file, out)
def WriteV8Stats(self, out_file):
if self.v8stats is not None:
self.v8stats["main_thread"] = self.cpu['main_thread']
self.v8stats["main_threads"] = self.cpu['main_threads']
self.write_json(out_file, self.v8stats)
##########################################################################
# Top-level processing
##########################################################################
def Process(self, trace):
f = None
line_mode = False
self.__init__()
logging.debug("Loading trace: %s", trace)
try:
_, ext = os.path.splitext(trace)
if ext.lower() == '.gz':
f = gzip.open(trace, GZIP_READ_TEXT)
else:
f = open(trace, 'r')
for line in f:
try:
trace_event = json.loads(line.strip("\r\n\t ,"))
if not line_mode and 'traceEvents' in trace_event:
for sub_event in trace_event['traceEvents']:
self.FilterTraceEvent(sub_event)
else:
line_mode = True
self.FilterTraceEvent(trace_event)
except BaseException:
logging.exception('Error processing trace line')
except BaseException:
logging.exception("Error processing trace " + trace)
if f is not None:
f.close()
self.ProcessTraceEvents()
def ProcessTimeline(self, timeline):
self.__init__()
self.cpu['main_thread'] = '0'
self.threads['0'] = {}
events = None
f = None
try:
_, ext = os.path.splitext(timeline)
if ext.lower() == '.gz':
f = gzip.open(timeline, GZIP_READ_TEXT)
else:
f = open(timeline, 'r')
events = json.load(f)
if events:
# convert the old format timeline events into our internal
# representation
for event in events:
if 'method' in event and 'params' in event:
if self.start_time is None:
if event['method'] == 'Network.requestWillBeSent' and \
'timestamp' in event['params']:
self.start_time = event['params']['timestamp'] * 1000000.0
self.end_time = event['params']['timestamp'] * 1000000.0
else:
if 'timestamp' in event['params']:
t = event['params']['timestamp'] * 1000000.0
if t > self.end_time:
self.end_time = t
if event['method'] == 'Timeline.eventRecorded' and \
'record' in event['params']:
e = self.ProcessOldTimelineEvent(
event['params']['record'], None)
if e is not None:
self.timeline_events.append(e)
self.ProcessTimelineEvents()
except BaseException:
logging.exception("Error processing timeline " + timeline)
if f is not None:
f.close()
def FilterTraceEvent(self, trace_event):
cat = trace_event['cat']
if cat == 'toplevel' or cat == 'ipc,toplevel':
return
if cat == 'devtools.timeline' or \
cat == '__metadata' or \
cat.find('devtools.timeline') >= 0 or \
cat.find('blink.feature_usage') >= 0 or \
cat.find('blink.user_timing') >= 0 or \
cat.find('loading') >= 0 or \
cat.find('navigation') >= 0 or \
cat.find('rail') >= 0 or \
cat.find('netlog') >= 0 or \
cat.find('v8') >= 0:
self.trace_events.append(trace_event)
def ProcessTraceEvents(self):
# sort the raw trace events by timestamp and then process them
if len(self.trace_events):
logging.debug("Sorting %d trace events", len(self.trace_events))
self.trace_events.sort(key=lambda trace_event: trace_event['ts'])
logging.debug("Processing trace events")
for trace_event in self.trace_events:
self.ProcessTraceEvent(trace_event)
self.trace_events = []
# Post-process the netlog events (may shift the start time)
logging.debug("Processing netlog events")
self.post_process_netlog_events()
# Do the post-processing on timeline events
logging.debug("Processing timeline events")
self.ProcessTimelineEvents()
logging.debug("Done processing trace events")
def ProcessTraceEvent(self, trace_event):
cat = trace_event['cat']
if cat.find('blink.user_timing') >= 0 or cat.find('rail') >= 0 or \
cat.find('loading') >= 0 or cat.find('navigation') >= 0:
keep = False
if 'args' in trace_event and \
'data' in trace_event['args'] and \
'inMainFrame' in trace_event['args']['data'] and \
trace_event['args']['data']['inMainFrame']:
keep = True
elif 'args' in trace_event and 'frame' in trace_event['args']:
keep = True
elif 'name' in trace_event and trace_event['name'] in [
'navigationStart', 'unloadEventStart', 'redirectStart', 'domLoading']:
keep = True
if keep:
self.user_timing.append(trace_event)
if 'name' in trace_event and trace_event['name'].find('navigationStart') >= 0:
if self.start_time is None or trace_event['ts'] < self.start_time:
self.start_time = trace_event['ts']
if self.cpu['main_thread'] is None and 'name' in trace_event and \
trace_event['name'] in ['navigationStart', 'fetchStart']:
thread = '{0}:{1}'.format(trace_event['pid'], trace_event['tid'])
self.cpu['main_thread'] = thread
if thread not in self.cpu['main_threads']:
self.cpu['main_threads'].append(thread)
if 'args' in trace_event and \
'data' in trace_event['args'] and \
'inMainFrame' in trace_event['args']['data'] and \
trace_event['args']['data']['inMainFrame']:
thread = '{0}:{1}'.format(trace_event['pid'], trace_event['tid'])
if thread not in self.cpu['main_threads']:
self.cpu['main_threads'].append(thread)
if cat == '__metadata' and 'name' in trace_event and \
trace_event['name'] == 'process_labels' and \
'pid' in trace_event and 'args' in trace_event and \
'labels' in trace_event['args'] and \
trace_event['args']['labels'].startswith('Subframe:'):
self.cpu['subframes'].append(str(trace_event['pid']))
if cat == '__metadata' and 'name' in trace_event and \
trace_event['name'] == 'thread_name' and \
'args' in trace_event and \
'name' in trace_event['args'] and \
trace_event['args']['name'] == 'CrRendererMain':
thread = '{0}:{1}'.format(trace_event['pid'], trace_event['tid'])
if thread not in self.cpu['main_threads']:
self.cpu['main_threads'].append(thread)
if cat == 'netlog' or cat.find('netlog') >= 0:
self.ProcessNetlogEvent(trace_event)
elif cat == 'devtools.timeline' or cat.find('devtools.timeline') >= 0:
self.ProcessTimelineTraceEvent(trace_event)
elif cat.find('blink.feature_usage') >= 0:
self.ProcessFeatureUsageEvent(trace_event)
if cat.find('v8') >= 0:
self.ProcessV8Event(trace_event)
def post_process_user_timing(self):
out = None
if self.user_timing is not None:
self.user_timing.sort(key=lambda trace_event: trace_event['ts'])
out = []
candidates = {}
lcp_event = None
for event in self.user_timing:
try:
consumed = False
if event['cat'].find('loading') >= 0 and 'name' in event:
if event['name'].startswith('NavStartToLargestContentfulPaint'):
consumed = True
if event['name'].find('Invalidate') >= 0:
lcp_event = None
elif event['name'].find('Candidate') >= 0:
lcp_event = dict(event)
elif event['name'].find('::') >= 0:
consumed = True
(name, trigger) = event['name'].split('::', 1)
name = name[:1].upper() + name[1:]
event['name'] = name
key = name
try:
if 'args' in event:
if 'frame' in event['args']:
key += ':' + event['args']['frame']
if 'data' in event['args'] and 'candidateIndex' in event['args']['data']:
if isinstance(event['args']['data']['candidateIndex'], int):
key += '.{0:d}'.format(event['args']['data']['candidateIndex'])
elif isinstance(event['args']['data']['candidateIndex'], str):
key += '.' + event['args']['data']['candidateIndex']
except Exception:
logging.exception('Error processing user timing event key')
if trigger == 'Candidate':
candidates[key] = dict(event)
elif trigger == 'Invalidate' and key in candidates:
del candidates[key]
if not consumed:
out.append(event)
except Exception:
logging.exception('Error processing user timing event')
has_lcp = False
for name in candidates:
if name.startswith('LargestContentfulPaint'):
has_lcp = True
break
if lcp_event is not None and not has_lcp:
lcp_event['name'] = 'LargestContentfulPaint'
out.append(lcp_event)
for name in candidates:
out.append(candidates[name])
out.append({'startTime': self.start_time})
return out
##########################################################################
# Timeline
##########################################################################
def ProcessTimelineTraceEvent(self, trace_event):
thread = '{0}:{1}'.format(trace_event['pid'], trace_event['tid'])
if trace_event['name'] == 'thread_name' and \
'args' in trace_event and \
'name' in trace_event['args'] and \
trace_event['args']['name'] == 'CrRendererMain' and \
thread not in self.cpu['main_threads']:
self.cpu['main_threads'].append(thread)
# Keep track of the main thread
if 'args' in trace_event and 'data' in trace_event['args'] and \
thread not in self.ignore_threads:
if 'url' in trace_event['args']['data'] and \
trace_event['args']['data']['url'].startswith('http://127.0.0.1:8888'):
self.ignore_threads[thread] = True
if self.cpu['main_thread'] is None or 'isMainFrame' in trace_event['args']['data']:
if ('isMainFrame' in trace_event['args']['data'] and \
trace_event['args']['data']['isMainFrame']) or \
(trace_event['name'] == 'ResourceSendRequest' and \
'url' in trace_event['args']['data']):
if thread not in self.threads:
self.threads[thread] = {}
if self.start_time is None or trace_event['ts'] < self.start_time:
self.start_time = trace_event['ts']
self.cpu['main_thread'] = thread
if thread not in self.cpu['main_threads']:
self.cpu['main_threads'].append(thread)
if 'dur' not in trace_event:
trace_event['dur'] = 1
# Make sure each thread has a numerical ID
if self.cpu['main_thread'] is not None and \
thread not in self.threads and \
thread not in self.ignore_threads and \
trace_event['name'] != 'Program':
self.threads[thread] = {}
# Build timeline events on a stack. 'B' begins an event, 'E' ends an
# event
if (thread in self.threads and (
'dur' in trace_event or trace_event['ph'] == 'B' or trace_event['ph'] == 'E')):
trace_event['thread'] = self.threads[thread]
if thread not in self.thread_stack:
self.thread_stack[thread] = []
if trace_event['name'] not in self.event_names:
self.event_names[trace_event['name']] = len(self.event_names)
self.event_name_lookup[self.event_names[trace_event['name']]] = trace_event['name']
if trace_event['name'] not in self.threads[thread]:
self.threads[thread][trace_event['name']] = self.event_names[trace_event['name']]
e = None
if trace_event['ph'] == 'E':
if len(self.thread_stack[thread]) > 0:
e = self.thread_stack[thread].pop()
if e['n'] == self.event_names[trace_event['name']]:
e['e'] = trace_event['ts']
else:
e = {'t': thread, 'n': self.event_names[trace_event['name']], 's': trace_event['ts']}
if trace_event['name'] in ['EvaluateScript', 'v8.compile', 'v8.parseOnBackground'] and \
'args' in trace_event and 'data' in trace_event['args'] and \
'url' in trace_event['args']['data'] and \
trace_event['args']['data']['url'].startswith('http'):
e['js'] = trace_event['args']['data']['url']
if trace_event['name'] == 'FunctionCall' and 'args' in trace_event and 'data' in trace_event['args']:
if 'scriptName' in trace_event['args']['data'] and trace_event['args']['data']['scriptName'].startswith(
'http'):
e['js'] = trace_event['args']['data']['scriptName']
elif 'url' in trace_event['args']['data'] and trace_event['args']['data']['url'].startswith('http'):
e['js'] = trace_event['args']['data']['url'].split('#', 1)[0]
if trace_event['ph'] == 'B':
self.thread_stack[thread].append(e)
e = None
elif 'dur' in trace_event:
e['e'] = e['s'] + trace_event['dur']
if e is not None and 'e' in e and e['s'] >= self.start_time and e['e'] >= e['s']:
if self.end_time is None or e['e'] > self.end_time:
self.end_time = e['e']
# attach it to a parent event if there is one
if len(self.thread_stack[thread]) > 0:
parent = self.thread_stack[thread].pop()
if 'c' not in parent:
parent['c'] = []
parent['c'].append(e)
self.thread_stack[thread].append(parent)
else:
self.timeline_events.append(e)
def ProcessOldTimelineEvent(self, event, type):
e = None
thread = '0'
if 'type' in event:
type = event['type']
if type not in self.event_names:
self.event_names[type] = len(self.event_names)
self.event_name_lookup[self.event_names[type]] = type
if type not in self.threads[thread]:
self.threads[thread][type] = self.event_names[type]
start = None
end = None
if 'startTime' in event and 'endTime' in event:
start = event['startTime'] * 1000000.0
end = event['endTime'] * 1000000.0
if 'callInfo' in event:
if 'startTime' in event['callInfo'] and 'endTime' in event['callInfo']:
start = event['callInfo']['startTime'] * 1000000.0
end = event['callInfo']['endTime'] * 1000000.0
if start is not None and end is not None and end >= start and type is not None:
if end > self.end_time:
self.end_time = end
e = {'t': thread,
'n': self.event_names[type], 's': start, 'e': end}
if 'callInfo' in event and 'url' in event and event['url'].startswith(
'http'):
e['js'] = event['url'].split('#', 1)[0]
elif 'data' in event and 'url' in event['data'] and \
event['data']['url'].startswith('http'):
e['js'] = event['data']['url'].split('#', 1)[0]
elif 'data' in event and 'scriptName' in event['data'] and \
event['data']['scriptName'].startswith('http'):
e['js'] = event['data']['scriptName'].split('#', 1)[0]
elif 'stackTrace' in event and event['stackTrace']:
for stack_frame in event['stackTrace']:
if 'url' in stack_frame and stack_frame['url'].startswith('http'):
e['js'] = stack_frame['url'].split('#', 1)[0]
break
# Process profile child events
if 'data' in event and 'profile' in event['data'] and 'rootNodes' in event['data']['profile']:
for child in event['data']['profile']['rootNodes']:
c = self.ProcessOldTimelineEvent(child, type)
if c is not None:
if 'c' not in e:
e['c'] = []
e['c'].append(c)
# recursively process any child events
if 'children' in event:
for child in event['children']:
c = self.ProcessOldTimelineEvent(child, type)
if c is not None:
if 'c' not in e:
e['c'] = []
e['c'].append(c)
return e
def ProcessTimelineEvents(self):
if len(self.timeline_events) and self.end_time > self.start_time:
# Figure out how big each slice should be in usecs. Size it to a
# power of 10 where we have at least 2000 slices
exp = 0
last_exp = 0
slice_count = self.end_time - self.start_time
while slice_count > 2000:
last_exp = exp
exp += 1
slice_count = int(
math.ceil(float(self.end_time - self.start_time) / float(pow(10, exp))))
self.cpu['total_usecs'] = self.end_time - self.start_time
self.cpu['slice_usecs'] = int(pow(10, last_exp))
slice_count = int(math.ceil(
float(self.end_time - self.start_time) / float(self.cpu['slice_usecs'])))
# Create the empty time slices for all of the threads
self.cpu['slices'] = {}
for thread in self.threads.keys():
self.cpu['slices'][thread] = {'total': [0.0] * slice_count}
for name in self.threads[thread].keys():
self.cpu['slices'][thread][name] = [0.0] * slice_count
# Go through all of the timeline events recursively and account for
# the time they consumed
for timeline_event in self.timeline_events:
self.ProcessTimelineEvent(timeline_event, None)
if self.interactive_end is not None and self.interactive_end - \
self.interactive_start > 500000:
self.interactive.append([int(math.ceil(self.interactive_start / 1000.0)),
int(math.floor(self.interactive_end / 1000.0))])
# Go through all of the fractional times and convert the float
# fractional times to integer usecs
for thread in self.cpu['slices'].keys():
del self.cpu['slices'][thread]['total']
for name in self.cpu['slices'][thread].keys():
for slice in range(len(self.cpu['slices'][thread][name])):
self.cpu['slices'][thread][name][slice] =\
int(self.cpu['slices'][thread][name]
[slice] * self.cpu['slice_usecs'])
# Pick the candidate main thread with the most activity
main_threads = list(self.cpu['main_threads'])
if len(main_threads) == 0:
main_threads = self.cpu['slices'].keys()
main_thread = None
main_thread_cpu = 0
for thread in main_threads:
try:
thread_cpu = 0
if thread in self.cpu['slices']:
for name in self.cpu['slices'][thread].keys():
for slice in range(len(self.cpu['slices'][thread][name])):
thread_cpu += self.cpu['slices'][thread][name][slice]
if main_thread is None or thread_cpu > main_thread_cpu:
main_thread = thread
main_thread_cpu = thread_cpu
except Exception:
logging.exception('Error processing thread')
if main_thread is not None:
self.cpu['main_thread'] = main_thread
def ProcessTimelineEvent(self, timeline_event, parent, stack=None):
start = timeline_event['s'] - self.start_time
end = timeline_event['e'] - self.start_time
if stack is None:
stack = {}
if end > start:
elapsed = end - start
thread = timeline_event['t']
name = self.event_name_lookup[timeline_event['n']]
# Keep track of periods on the main thread where at least 500ms are
# available with no tasks longer than 50ms
if 'main_thread' in self.cpu and thread == self.cpu['main_thread']:
if elapsed > 50000:
if start - self.interactive_start > 500000:
self.interactive.append(
[int(math.ceil(self.interactive_start / 1000.0)),
int(math.floor(start / 1000.0))])
self.interactive_start = end
self.interactive_end = None
else:
self.interactive_end = end
# Keep track of the long-duration top-level tasks
if parent is None and elapsed > 50000 and thread in self.cpu['main_threads']:
# make sure this isn't contained within an existing event
ms_start = int(math.floor(start / 1000.0))
ms_end = int(math.ceil(end / 1000.0))
if not self.long_tasks:
# Empty list of long tasks
self.long_tasks.append([ms_start, ms_end])
else:
last_start = self.long_tasks[-1][0]
last_end = self.long_tasks[-1][1]
if ms_start >= last_end:
# This task is entirely after the last long task we know about
self.long_tasks.append([ms_start, ms_end])
elif ms_end > last_end:
# task extends beyond the previous end of the long tasks but overlaps
del self.long_tasks[-1]
if ms_start >= last_start:
self.long_tasks.append([last_start, ms_end])
else:
self.long_tasks.append([ms_start, ms_end])
if 'js' in timeline_event:
script = timeline_event['js']
js_start = start / 1000.0
js_end = end / 1000.0
if self.scripts is None:
self.scripts = {}
if 'main_thread' not in self.scripts and 'main_thread' in self.cpu:
self.scripts['main_thread'] = self.cpu['main_thread']
if thread not in self.scripts:
self.scripts[thread] = {}
if script not in self.scripts[thread]:
self.scripts[thread][script] = {}
if name not in self.scripts[thread][script]:
self.scripts[thread][script][name] = []
if thread not in stack:
stack[thread] = {}
if script not in stack[thread]:
stack[thread][script] = {}
if name not in stack[thread][script]:
stack[thread][script][name] = []
# make sure the script duration isn't already covered by a
# parent event
new_duration = True
if len(stack[thread][script][name]):
for period in stack[thread][script][name]:
if len(period) >= 2 and js_start >= period[0] and js_end <= period[1]:
new_duration = False
break
if new_duration:
self.scripts[thread][script][name].append([js_start, js_end])
stack[thread][script][name].append([js_start, js_end])
slice_usecs = self.cpu['slice_usecs']
first_slice = int(float(start) / float(slice_usecs))
last_slice = int(float(end) / float(slice_usecs))
for slice_number in range(first_slice, last_slice + 1):
slice_start = slice_number * slice_usecs
slice_end = slice_start + slice_usecs
used_start = max(slice_start, start)
used_end = min(slice_end, end)
slice_elapsed = used_end - used_start
self.AdjustTimelineSlice(
thread, slice_number, name, parent, slice_elapsed)
# Recursively process any child events
if 'c' in timeline_event:
for child in timeline_event['c']:
self.ProcessTimelineEvent(child, name, dict(stack))
# Add the time to the given slice and subtract the time from a parent event
def AdjustTimelineSlice(self, thread, slice_number, name, parent, elapsed):
try:
# Don't bother adjusting if both the current event and parent are the same category
# since they would just cancel each other out.
if name != parent:
fraction = min(1.0, float(elapsed) /
float(self.cpu['slice_usecs']))
self.cpu['slices'][thread][name][slice_number] += fraction
self.cpu['slices'][thread]['total'][slice_number] += fraction
if parent is not None and \
self.cpu['slices'][thread][parent][slice_number] >= fraction:
self.cpu['slices'][thread][parent][slice_number] -= fraction
self.cpu['slices'][thread]['total'][slice_number] -= fraction
# Make sure we didn't exceed 100% in this slice
self.cpu['slices'][thread][name][slice_number] = min(
1.0, self.cpu['slices'][thread][name][slice_number])
# make sure we don't exceed 100% for any slot
if self.cpu['slices'][thread]['total'][slice_number] > 1.0:
available = max(0.0, 1.0 - fraction)
for slice_name in self.cpu['slices'][thread].keys():
if slice_name != name:
self.cpu['slices'][thread][slice_name][slice_number] =\
min(self.cpu['slices'][thread]
[slice_name][slice_number], available)
available = max(0.0, available - \
self.cpu['slices'][thread][slice_name][slice_number])
self.cpu['slices'][thread]['total'][slice_number] = min(
1.0, max(0.0, 1.0 - available))
except BaseException:
logging.exception('Error adjusting timeline slice')
##########################################################################
# Blink Features
##########################################################################
def ProcessFeatureUsageEvent(self, trace_event):
global BLINK_FEATURES
if 'name' in trace_event and\
'args' in trace_event and\
'feature' in trace_event['args'] and\
(trace_event['name'] == 'FeatureFirstUsed' or trace_event['name'] == 'CSSFirstUsed'):
if self.feature_usage is None:
self.feature_usage = {
'Features': {}, 'CSSFeatures': {}, 'AnimatedCSSFeatures': {}}
id = '{0:d}'.format(trace_event['args']['feature'])
if trace_event['name'] == 'FeatureFirstUsed':
if id in BLINK_FEATURES:
name = BLINK_FEATURES[id]
else:
name = 'Feature_{0}'.format(id)
if id not in self.feature_usage['Features']:
self.feature_usage['Features'][id] = {'name': name, 'firstUsed': []}
self.feature_usage['Features'][id]['firstUsed'].append(trace_event['ts'])
elif trace_event['name'] == 'CSSFirstUsed':
if id in CSS_FEATURES:
name = CSS_FEATURES[id]
else:
name = 'CSSFeature_{0}'.format(id)
if id not in self.feature_usage['CSSFeatures']:
self.feature_usage['CSSFeatures'][id] = {'name': name, 'firstUsed': []}
self.feature_usage['CSSFeatures'][id]['firstUsed'].append(trace_event['ts'])
elif trace_event['name'] == 'AnimatedCSSFirstUsed':
if id in CSS_FEATURES:
name = CSS_FEATURES[id]
else:
name = 'CSSFeature_{0}'.format(id)
if id not in self.feature_usage['AnimatedCSSFeatures']:
self.feature_usage['AnimatedCSSFeatures'][id] = {'name': name, 'firstUsed': []}
self.feature_usage['AnimatedCSSFeatures'][id]['firstUsed'].append(trace_event['ts'])
def post_process_feature_usage(self):
out = None
if self.feature_usage is not None and self.start_time is not None:
out = {}
for category in self.feature_usage:
out[category] = {}
for id in self.feature_usage[category]:
feature_time = None
for ts in self.feature_usage[category][id]['firstUsed']:
timestamp = float('{0:0.3f}'.format((ts - self.start_time) / 1000.0))
if timestamp > 0:
if feature_time is None or timestamp < feature_time:
feature_time = timestamp
if feature_time is not None:
out[category][id] = {'name': self.feature_usage[category][id]['name'], 'firstUsed': feature_time}
return out
##########################################################################
# Netlog
##########################################################################
def ProcessNetlogEvent(self, trace_event):
if 'args' in trace_event and 'id' in trace_event and 'name' in trace_event and \
'source_type' in trace_event['args']:
try:
if isinstance(trace_event['id'], (str, unicode)):
trace_event['id'] = int(trace_event['id'], 16)
event_type = trace_event['args']['source_type']
if event_type == 'HOST_RESOLVER_IMPL_JOB' or \
trace_event['name'].startswith('HOST_RESOLVER'):
self.ProcessNetlogDnsEvent(trace_event)
elif event_type == 'CONNECT_JOB' or \
event_type == 'SSL_CONNECT_JOB' or \
event_type == 'TRANSPORT_CONNECT_JOB':
self.ProcessNetlogConnectJobEvent(trace_event)
elif event_type == 'HTTP_STREAM_JOB':
self.ProcessNetlogStreamJobEvent(trace_event)
elif event_type == 'HTTP2_SESSION':
self.ProcessNetlogHttp2SessionEvent(trace_event)
elif event_type == 'QUIC_SESSION':
self.ProcessNetlogQuicSessionEvent(trace_event)
elif event_type == 'SOCKET':
self.ProcessNetlogSocketEvent(trace_event)
elif event_type == 'UDP_SOCKET':
self.ProcessNetlogUdpSocketEvent(trace_event)
elif event_type == 'URL_REQUEST':
self.ProcessNetlogUrlRequestEvent(trace_event)
except Exception:
logging.exception('Error processing netlog event')
def post_process_netlog_events(self):
"""Post-process the raw netlog events into request data"""
if self.netlog_requests is not None:
return self.netlog_requests
requests = []
if 'url_request' in self.netlog:
for request_id in self.netlog['url_request']:
request = self.netlog['url_request'][request_id]
request['fromNet'] = bool('start' in request)
# build a URL from the request headers if one wasn't explicitly provided
if 'url' not in request and 'request_headers' in request:
scheme = None
origin = None
path = None
if 'line' in request:
match = re.search(r'^[^\s]+\s([^\s]+)', request['line'])
if match:
path = match.group(1)
if 'group' in request:
scheme = 'http'
if request['group'].find('ssl/') >= 0:
scheme = 'https'
elif 'socket' in request and 'socket' in self.netlog and request['socket'] in self.netlog['socket']:
socket = self.netlog['socket'][request['socket']]
scheme = 'http'
if 'certificates' in socket or 'ssl_start' in socket:
scheme = 'https'
for header in request['request_headers']:
try:
index = header.find(u':', 1)
if index > 0:
key = header[:index].strip(u': ').lower()
value = header[index + 1:].strip(u': ')
if key == u'scheme':
scheme = unicode(value)
elif key == u'host':
origin = unicode(value)
elif key == u'authority':
origin = unicode(value)
elif key == u'path':
path = unicode(value)
except Exception:
logging.exception("Error generating url from request headers")
if scheme and origin and path:
request['url'] = scheme + u'://' + origin + path
if 'url' in request and not request['url'].startswith('http://127.0.0.1') and \
not request['url'].startswith('http://192.168.10.'):
# Match orphaned request streams with their h2 sessions
if 'stream_id' in request and 'h2_session' not in request and 'url' in request:
request_host = urlparse(request['url']).hostname
for h2_session_id in self.netlog['h2_session']:
h2_session = self.netlog['h2_session'][h2_session_id]
if 'host' in h2_session:
session_host = h2_session['host'].split(':')[0]
if 'stream' in h2_session and \
request['stream_id'] in h2_session['stream'] and \
session_host == request_host and \
'request_headers' in request and \
'request_headers' in h2_session['stream'][request['stream_id']]:
# See if the path header matches
stream = h2_session['stream'][request['stream_id']]
request_path = None
stream_path = None
for header in request['request_headers']:
if header.startswith(':path:'):
request_path = header
break
for header in stream['request_headers']:
if header.startswith(':path:'):
stream_path = header
break
if request_path is not None and request_path == stream_path:
request['h2_session'] = h2_session_id
break
# Copy any http/2 info over
if 'h2_session' in self.netlog and \
'h2_session' in request and \
request['h2_session'] in self.netlog['h2_session']:
h2_session = self.netlog['h2_session'][request['h2_session']]
if 'socket' not in request and 'socket' in h2_session:
request['socket'] = h2_session['socket']
if 'stream_id' in request and \
'stream' in h2_session and \
request['stream_id'] in h2_session['stream']:
stream = h2_session['stream'][request['stream_id']]
if 'request_headers' in stream:
request['request_headers'] = stream['request_headers']
if 'response_headers' in stream:
request['response_headers'] = stream['response_headers']
if 'exclusive' in stream:
request['exclusive'] = 1 if stream['exclusive'] else 0
if 'parent_stream_id' in stream:
request['parent_stream_id'] = stream['parent_stream_id']
if 'weight' in stream:
request['weight'] = stream['weight']
if 'priority' not in request:
if request['weight'] >= 256:
request['priority'] = 'HIGHEST'
elif request['weight'] >= 220:
request['priority'] = 'MEDIUM'
elif request['weight'] >= 183:
request['priority'] = 'LOW'
elif request['weight'] >= 147:
request['priority'] = 'LOWEST'
else:
request['priority'] = 'IDLE'
if 'first_byte' not in request and 'first_byte' in stream:
request['first_byte'] = stream['first_byte']
if 'end' not in request and 'end' in stream:
request['end'] = stream['end']
if stream['bytes_in'] > request['bytes_in']:
request['bytes_in'] = stream['bytes_in']
request['chunks'] = stream['chunks']
if 'phantom' not in request and 'request_headers' in request:
requests.append(request)
if len(requests):
# Sort the requests by the start time
requests.sort(key=lambda x: x['start'] if 'start' in x else x['created'])
# Assign the socket connect time to the first request on each socket
if 'socket' in self.netlog:
for request in requests:
if 'socket' in request and request['socket'] in self.netlog['socket']:
socket = self.netlog['socket'][request['socket']]
if 'address' in socket:
request['server_address'] = socket['address']
if 'source_address' in socket:
request['client_address'] = socket['source_address']
if 'group' in socket:
request['socket_group'] = socket['group']
if 'claimed' not in socket:
socket['claimed'] = True
if 'connect_start' in socket:
request['connect_start'] = socket['connect_start']
if 'connect_end' in socket:
request['connect_end'] = socket['connect_end']
if 'ssl_start' in socket:
request['ssl_start'] = socket['ssl_start']
if 'ssl_end' in socket:
request['ssl_end'] = socket['ssl_end']
if 'certificates' in socket:
request['certificates'] = socket['certificates']
if 'h2_session' in request and request['h2_session'] in self.netlog['h2_session']:
h2_session = self.netlog['h2_session'][request['h2_session']]
if 'server_settings' in h2_session:
request['http2_server_settings'] = h2_session['server_settings']
if 'tls_version' in socket:
request['tls_version'] = socket['tls_version']
if 'tls_resumed' in socket:
request['tls_resumed'] = socket['tls_resumed']
if 'tls_next_proto' in socket:
request['tls_next_proto'] = socket['tls_next_proto']
if 'tls_cipher_suite' in socket:
request['tls_cipher_suite'] = socket['tls_cipher_suite']
# Assign the DNS lookup to the first request that connected to the DocumentSetDomain
if 'dns' in self.netlog:
# Build a mapping of the DNS lookups for each domain
dns_lookups = {}
for dns_id in self.netlog['dns']:
dns = self.netlog['dns'][dns_id]
if 'host' in dns and 'start' in dns and 'end' in dns \
and dns['end'] >= dns['start'] and 'address_list' in dns:
hostname = dns['host']
separator = hostname.find(':')
if separator > 0:
hostname = hostname[:separator]
dns['elapsed'] = dns['end'] - dns['start']
if hostname not in dns_lookups:
dns_lookups[hostname] = dns
# collect all of the times for all of the DNS lookups for that host
if 'times' not in dns_lookups[hostname]:
dns_lookups[hostname]['times'] = []
dns_lookups[hostname]['times'].append({
'start': dns['start'],
'end': dns['end'],
'elapsed': dns['elapsed'],
})
# Go through the requests and assign the DNS lookups as needed
for request in requests:
if 'connect_start' in request:
hostname = urlparse(request['url']).hostname
if hostname in dns_lookups and 'claimed' not in dns_lookups[hostname]:
dns = dns_lookups[hostname]
dns['claimed'] = True
# Find the longest DNS time that completed before connect_start
if 'times' in dns_lookups[hostname]:
elapsed = None
for dns in dns_lookups[hostname]['times']:
dns['end'] = min(dns['end'], request['connect_start'])
if dns['end'] >= dns['start']:
dns['elapsed'] = dns['end'] - dns['start']
if elapsed is None or dns['elapsed'] > elapsed:
elapsed = dns['elapsed']
request['dns_start'] = dns['start']
request['dns_end'] = dns['end']
# Find the start timestamp if we didn't have one already
times = ['dns_start', 'dns_end',
'connect_start', 'connect_end',
'ssl_start', 'ssl_end',
'start', 'created', 'first_byte', 'end']
for request in requests:
for time_name in times:
if time_name in request:
if self.start_time is None or request[time_name] < self.start_time:
self.start_time = request[time_name]
# Go through and adjust all of the times to be relative in ms
if self.start_time is not None:
for request in requests:
for time_name in times:
if time_name in request:
request[time_name] = \
float(request[time_name] - self.start_time) / 1000.0
for key in ['chunks', 'chunks_in', 'chunks_out']:
if key in request:
for chunk in request[key]:
if 'ts' in chunk:
chunk['ts'] = float(chunk['ts'] - self.start_time) / 1000.0
else:
requests = []
if not len(requests):
requests = None
self.netlog_requests = requests