forked from GoogleChrome/lighthouse
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathpage-dependency-graph.js
462 lines (398 loc) · 17.9 KB
/
page-dependency-graph.js
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
/**
* @license Copyright 2017 The Lighthouse Authors. All Rights Reserved.
* 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.
*/
'use strict';
const makeComputedArtifact = require('./computed-artifact.js');
const NetworkNode = require('../lib/dependency-graph/network-node.js');
const CPUNode = require('../lib/dependency-graph/cpu-node.js');
const NetworkAnalyzer = require('../lib/dependency-graph/simulator/network-analyzer.js');
const TracingProcessor = require('../lib/tracehouse/trace-processor.js');
const NetworkRequest = require('../lib/network-request.js');
const TraceOfTab = require('./trace-of-tab.js');
const NetworkRecords = require('./network-records.js');
/** @typedef {import('../lib/dependency-graph/base-node.js').Node} Node */
// Shorter tasks have negligible impact on simulation results.
const SIGNIFICANT_DUR_THRESHOLD_MS = 10;
// TODO: video files tend to be enormous and throw off all graph traversals, move this ignore
// into estimation logic when we use the dependency graph for other purposes.
const IGNORED_MIME_TYPES_REGEX = /^video/;
class PageDependencyGraph {
/**
* @param {LH.Artifacts.NetworkRequest} record
* @return {Array<string>}
*/
static getNetworkInitiators(record) {
if (!record.initiator) return [];
if (record.initiator.url) return [record.initiator.url];
if (record.initiator.type === 'script') {
// Script initiators have the stack of callFrames from all functions that led to this request.
// If async stacks are enabled, then the stack will also have the parent functions that asynchronously
// led to this request chained in the `parent` property.
/** @type {Set<string>} */
const scriptURLs = new Set();
let stack = record.initiator.stack;
while (stack) {
const callFrames = stack.callFrames || [];
for (const frame of callFrames) {
if (frame.url) scriptURLs.add(frame.url);
}
stack = stack.parent;
}
return Array.from(scriptURLs);
}
return [];
}
/**
* @param {Array<LH.Artifacts.NetworkRequest>} networkRecords
* @return {NetworkNodeOutput}
*/
static getNetworkNodeOutput(networkRecords) {
/** @type {Array<NetworkNode>} */
const nodes = [];
/** @type {Map<string, NetworkNode>} */
const idToNodeMap = new Map();
/** @type {Map<string, Array<NetworkNode>>} */
const urlToNodeMap = new Map();
/** @type {Map<string, NetworkNode|null>} */
const frameIdToNodeMap = new Map();
networkRecords.forEach(record => {
if (IGNORED_MIME_TYPES_REGEX.test(record.mimeType)) return;
// Network record requestIds can be duplicated for an unknown reason
// Suffix all subsequent records with `:duplicate` until it's unique
// NOTE: This should never happen with modern NetworkRequest library, but old fixtures
// might still have this issue.
while (idToNodeMap.has(record.requestId)) {
record.requestId += ':duplicate';
}
const node = new NetworkNode(record);
nodes.push(node);
const urlList = urlToNodeMap.get(record.url) || [];
urlList.push(node);
idToNodeMap.set(record.requestId, node);
urlToNodeMap.set(record.url, urlList);
// If the request was for the root document of an iframe, save an entry in our
// map so we can link up the task `args.data.frame` dependencies later in graph creation.
if (record.frameId &&
record.resourceType === NetworkRequest.TYPES.Document &&
record.documentURL === record.url) {
// If there's ever any ambiguity, permanently set the value to `false` to avoid loops in the graph.
const value = frameIdToNodeMap.has(record.frameId) ? null : node;
frameIdToNodeMap.set(record.frameId, value);
}
});
return {nodes, idToNodeMap, urlToNodeMap, frameIdToNodeMap};
}
/**
* @param {LH.Artifacts.TraceOfTab} traceOfTab
* @return {Array<CPUNode>}
*/
static getCPUNodes(traceOfTab) {
/** @type {Array<CPUNode>} */
const nodes = [];
let i = 0;
TracingProcessor.assertHasToplevelEvents(traceOfTab.mainThreadEvents);
while (i < traceOfTab.mainThreadEvents.length) {
const evt = traceOfTab.mainThreadEvents[i];
i++;
// Skip all trace events that aren't schedulable tasks with sizable duration
if (!TracingProcessor.isScheduleableTask(evt) || !evt.dur) {
continue;
}
// Capture all events that occurred within the task
/** @type {Array<LH.TraceEvent>} */
const children = [];
for (
const endTime = evt.ts + evt.dur;
i < traceOfTab.mainThreadEvents.length && traceOfTab.mainThreadEvents[i].ts < endTime;
i++
) {
children.push(traceOfTab.mainThreadEvents[i]);
}
nodes.push(new CPUNode(evt, children));
}
return nodes;
}
/**
* @param {NetworkNode} rootNode
* @param {NetworkNodeOutput} networkNodeOutput
*/
static linkNetworkNodes(rootNode, networkNodeOutput) {
networkNodeOutput.nodes.forEach(node => {
const directInitiatorRequest = node.record.initiatorRequest || rootNode.record;
const directInitiatorNode =
networkNodeOutput.idToNodeMap.get(directInitiatorRequest.requestId) || rootNode;
const initiators = PageDependencyGraph.getNetworkInitiators(node.record);
if (initiators.length) {
initiators.forEach(initiator => {
const parentCandidates = networkNodeOutput.urlToNodeMap.get(initiator) || [];
// Only add the edge if the parent is unambiguous with valid timing.
if (parentCandidates.length === 1 && parentCandidates[0].startTime <= node.startTime) {
node.addDependency(parentCandidates[0]);
} else {
directInitiatorNode.addDependent(node);
}
});
} else if (node !== directInitiatorNode) {
directInitiatorNode.addDependent(node);
}
if (!node.record.redirects) return;
const redirects = [...node.record.redirects, node.record];
for (let i = 1; i < redirects.length; i++) {
const redirectNode = networkNodeOutput.idToNodeMap.get(redirects[i - 1].requestId);
const actualNode = networkNodeOutput.idToNodeMap.get(redirects[i].requestId);
if (actualNode && redirectNode) {
actualNode.addDependency(redirectNode);
}
}
});
}
/**
* @param {Node} rootNode
* @param {NetworkNodeOutput} networkNodeOutput
* @param {Array<CPUNode>} cpuNodes
*/
static linkCPUNodes(rootNode, networkNodeOutput, cpuNodes) {
/** @param {CPUNode} cpuNode @param {string} reqId */
function addDependentNetworkRequest(cpuNode, reqId) {
const networkNode = networkNodeOutput.idToNodeMap.get(reqId);
if (!networkNode ||
// Ignore all non-XHRs
networkNode.record.resourceType !== NetworkRequest.TYPES.XHR ||
// Ignore all network nodes that started before this CPU task started
// A network request that started earlier could not possibly have been started by this task
networkNode.startTime <= cpuNode.startTime) return;
cpuNode.addDependent(networkNode);
}
/**
* If the node has an associated frameId, then create a dependency on the root document request
* for the frame. The task obviously couldn't have started before the frame was even downloaded.
*
* @param {CPUNode} cpuNode
* @param {string|undefined} frameId
*/
function addDependencyOnFrame(cpuNode, frameId) {
if (!frameId) return;
const networkNode = networkNodeOutput.frameIdToNodeMap.get(frameId);
if (!networkNode) return;
// Ignore all network nodes that started after this CPU task started
// A network request that started after could not possibly be required this task
if (networkNode.startTime >= cpuNode.startTime) return;
cpuNode.addDependency(networkNode);
}
/** @param {CPUNode} cpuNode @param {string} url */
function addDependencyOnUrl(cpuNode, url) {
if (!url) return;
// Allow network requests that end up to 100ms before the task started
// Some script evaluations can start before the script finishes downloading
const minimumAllowableTimeSinceNetworkNodeEnd = -100 * 1000;
const candidates = networkNodeOutput.urlToNodeMap.get(url) || [];
let minCandidate = null;
let minDistance = Infinity;
// Find the closest request that finished before this CPU task started
for (const candidate of candidates) {
// Explicitly ignore all requests that started after this CPU node
// A network request that started after this task started cannot possibly be a dependency
if (cpuNode.startTime <= candidate.startTime) return;
const distance = cpuNode.startTime - candidate.endTime;
if (distance >= minimumAllowableTimeSinceNetworkNodeEnd && distance < minDistance) {
minCandidate = candidate;
minDistance = distance;
}
}
if (!minCandidate) return;
cpuNode.addDependency(minCandidate);
}
/** @type {Map<string, CPUNode>} */
const timers = new Map();
for (const node of cpuNodes) {
for (const evt of node.childEvents) {
if (!evt.args.data) continue;
const argsUrl = evt.args.data.url;
const stackTraceUrls = (evt.args.data.stackTrace || []).map(l => l.url).filter(Boolean);
switch (evt.name) {
case 'TimerInstall':
// @ts-ignore - 'TimerInstall' event means timerId exists.
timers.set(evt.args.data.timerId, node);
stackTraceUrls.forEach(url => addDependencyOnUrl(node, url));
break;
case 'TimerFire': {
// @ts-ignore - 'TimerFire' event means timerId exists.
const installer = timers.get(evt.args.data.timerId);
if (!installer || installer.endTime > node.startTime) break;
installer.addDependent(node);
break;
}
case 'InvalidateLayout':
case 'ScheduleStyleRecalculation':
addDependencyOnFrame(node, evt.args.data.frame);
stackTraceUrls.forEach(url => addDependencyOnUrl(node, url));
break;
case 'EvaluateScript':
addDependencyOnFrame(node, evt.args.data.frame);
// @ts-ignore - 'EvaluateScript' event means argsUrl is defined.
addDependencyOnUrl(node, argsUrl);
stackTraceUrls.forEach(url => addDependencyOnUrl(node, url));
break;
case 'XHRReadyStateChange':
// Only create the dependency if the request was completed
// @ts-ignore - 'XHRReadyStateChange' event means readyState is defined.
if (evt.args.data.readyState !== 4) break;
// @ts-ignore - 'XHRReadyStateChange' event means argsUrl is defined.
addDependencyOnUrl(node, argsUrl);
stackTraceUrls.forEach(url => addDependencyOnUrl(node, url));
break;
case 'FunctionCall':
case 'v8.compile':
addDependencyOnFrame(node, evt.args.data.frame);
// @ts-ignore - events mean argsUrl is defined.
addDependencyOnUrl(node, argsUrl);
break;
case 'ParseAuthorStyleSheet':
addDependencyOnFrame(node, evt.args.data.frame);
// @ts-ignore - 'ParseAuthorStyleSheet' event means styleSheetUrl is defined.
addDependencyOnUrl(node, evt.args.data.styleSheetUrl);
break;
case 'ResourceSendRequest':
addDependencyOnFrame(node, evt.args.data.frame);
// @ts-ignore - 'ResourceSendRequest' event means requestId is defined.
addDependentNetworkRequest(node, evt.args.data.requestId);
stackTraceUrls.forEach(url => addDependencyOnUrl(node, url));
break;
}
}
if (node.getNumberOfDependencies() === 0) {
node.addDependency(rootNode);
}
}
// Second pass to prune the graph of short tasks.
const minimumEvtDur = SIGNIFICANT_DUR_THRESHOLD_MS * 1000;
let foundFirstLayout = false;
let foundFirstPaint = false;
let foundFirstParse = false;
for (const node of cpuNodes) {
// Don't prune if event is the first ParseHTML/Layout/Paint.
// See https://github.com/GoogleChrome/lighthouse/issues/9627#issuecomment-526699524 for more.
let isFirst = false;
if (!foundFirstLayout && node.childEvents.some(evt => evt.name === 'Layout')) {
isFirst = foundFirstLayout = true;
}
if (!foundFirstPaint && node.childEvents.some(evt => evt.name === 'Paint')) {
isFirst = foundFirstPaint = true;
}
if (!foundFirstParse && node.childEvents.some(evt => evt.name === 'ParseHTML')) {
isFirst = foundFirstParse = true;
}
if (isFirst || node.event.dur >= minimumEvtDur) {
// Don't prune this node. The task is long / important so it will impact simulation.
continue;
}
// Prune the node if it isn't highly connected to minimize graph size. Rewiring the graph
// here replaces O(M + N) edges with (M * N) edges, which is fine if either M or N is at
// most 1.
if (node.getNumberOfDependencies() === 1 || node.getNumberOfDependents() <= 1) {
PageDependencyGraph._pruneNode(node);
}
}
}
/**
* Removes the given node from the graph, but retains all paths between its dependencies and
* dependents.
* @param {Node} node
*/
static _pruneNode(node) {
const dependencies = node.getDependencies();
const dependents = node.getDependents();
for (const dependency of dependencies) {
node.removeDependency(dependency);
for (const dependent of dependents) {
dependency.addDependent(dependent);
}
}
for (const dependent of dependents) {
node.removeDependent(dependent);
}
}
/**
* @param {LH.Artifacts.TraceOfTab} traceOfTab
* @param {Array<LH.Artifacts.NetworkRequest>} networkRecords
* @return {Node}
*/
static createGraph(traceOfTab, networkRecords) {
const networkNodeOutput = PageDependencyGraph.getNetworkNodeOutput(networkRecords);
const cpuNodes = PageDependencyGraph.getCPUNodes(traceOfTab);
// The root request is the earliest network request, using position in networkRecords array to break ties.
const rootRequest = networkRecords.reduce((min, r) => (r.startTime < min.startTime ? r : min));
const rootNode = networkNodeOutput.idToNodeMap.get(rootRequest.requestId);
// The main document request is the earliest network request *of type document*.
// This will be different from the root request when there are server redirects.
const mainDocumentRequest = NetworkAnalyzer.findMainDocument(networkRecords);
const mainDocumentNode = networkNodeOutput.idToNodeMap.get(mainDocumentRequest.requestId);
if (!rootNode || !mainDocumentNode) {
// Should always be found.
throw new Error(`${rootNode ? 'mainDocument' : 'root'}Node not found.`);
}
if (mainDocumentNode !== rootNode &&
(!mainDocumentNode.record.redirects ||
!mainDocumentNode.record.redirects.includes(rootNode.record))) {
throw new Error('Root node was not in redirect chain of mainDocument');
}
PageDependencyGraph.linkNetworkNodes(rootNode, networkNodeOutput);
PageDependencyGraph.linkCPUNodes(rootNode, networkNodeOutput, cpuNodes);
mainDocumentNode.setIsMainDocument(true);
if (NetworkNode.hasCycle(rootNode)) {
throw new Error('Invalid dependency graph created, cycle detected');
}
return rootNode;
}
/**
*
* @param {Node} rootNode
*/
static printGraph(rootNode, widthInCharacters = 100) {
/** @param {string} str @param {number} target */
function padRight(str, target, padChar = ' ') {
return str + padChar.repeat(Math.max(target - str.length, 0));
}
/** @type {Array<Node>} */
const nodes = [];
rootNode.traverse(node => nodes.push(node));
nodes.sort((a, b) => a.startTime - b.startTime);
const min = nodes[0].startTime;
const max = nodes.reduce((max, node) => Math.max(max, node.endTime), 0);
const totalTime = max - min;
const timePerCharacter = totalTime / widthInCharacters;
nodes.forEach(node => {
const offset = Math.round((node.startTime - min) / timePerCharacter);
const length = Math.ceil((node.endTime - node.startTime) / timePerCharacter);
const bar = padRight('', offset) + padRight('', length, '=');
// @ts-ignore -- disambiguate displayName from across possible Node types.
const displayName = node.record ? node.record.url : node.type;
// eslint-disable-next-line
console.log(padRight(bar, widthInCharacters), `| ${displayName.slice(0, 30)}`);
});
}
/**
* @param {{trace: LH.Trace, devtoolsLog: LH.DevtoolsLog}} data
* @param {LH.Audit.Context} context
* @return {Promise<Node>}
*/
static async compute_(data, context) {
const trace = data.trace;
const devtoolsLog = data.devtoolsLog;
const [traceOfTab, networkRecords] = await Promise.all([
TraceOfTab.request(trace, context),
NetworkRecords.request(devtoolsLog, context),
]);
return PageDependencyGraph.createGraph(traceOfTab, networkRecords);
}
}
module.exports = makeComputedArtifact(PageDependencyGraph);
/**
* @typedef {Object} NetworkNodeOutput
* @property {Array<NetworkNode>} nodes
* @property {Map<string, NetworkNode>} idToNodeMap
* @property {Map<string, Array<NetworkNode>>} urlToNodeMap
* @property {Map<string, NetworkNode|null>} frameIdToNodeMap
*/