forked from GoogleChrome/lighthouse
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathlegacy-javascript.js
372 lines (340 loc) · 12.9 KB
/
legacy-javascript.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
/**
* @license Copyright 2020 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';
/**
* @fileoverview Identifies polyfills and transforms that should not be present if using module/nomodule pattern.
* @see https://docs.google.com/document/d/1ItjJwAd6e0Ts6yMbvh8TN3BBh_sAd58rYE1whnpuxaA/edit Design document
* @see https://docs.google.com/spreadsheets/d/1z28Au8wo8-c2UsM2lDVEOJcI3jOkb2c951xEBqzBKCc/edit?usp=sharing Legacy babel transforms / polyfills
* ./lighthouse-core/scripts/legacy-javascript - verification tool.
*/
/** @typedef {{name: string, expression: string}} Pattern */
/** @typedef {{name: string, line: number, column: number}} PatternMatchResult */
const Audit = require('./audit.js');
const NetworkRecords = require('../computed/network-records.js');
const MainResource = require('../computed/main-resource.js');
const URL = require('../lib/url-shim.js');
const i18n = require('../lib/i18n/i18n.js');
const UIStrings = {
/** Title of a Lighthouse audit that tells the user about legacy polyfills and transforms used on the page. This is displayed in a list of audit titles that Lighthouse generates. */
title: 'Legacy JavaScript',
// eslint-disable-next-line max-len
// TODO: web.dev article. this codelab is good starting place: https://web.dev/codelab-serve-modern-code/
/** Description of a Lighthouse audit that tells the user about old JavaScript that is no longer needed. This is displayed after a user expands the section to see more. No character length limits. 'Learn More' becomes link text to additional documentation. */
description: 'Polyfills and transforms enable legacy browsers to use new JavaScript features. However, many aren\'t necessary for modern browsers. For your bundled JavaScript, adopt a modern script deployment strategy using module/nomodule feature detection to reduce the amount of code shipped to modern browsers, while retaining support for legacy browsers. [Learn More](https://philipwalton.com/articles/deploying-es2015-code-in-production-today/)',
};
const str_ = i18n.createMessageInstanceIdFn(__filename, UIStrings);
/**
* Takes a list of patterns (consisting of a name identifier and a RegExp expression string)
* and returns match results with line / column information for a given code input.
*/
class CodePatternMatcher {
/**
* @param {Pattern[]} patterns
*/
constructor(patterns) {
const patternsExpression = patterns.map(pattern => `(${pattern.expression})`).join('|');
this.re = new RegExp(`(^\r\n|\r|\n)|${patternsExpression}`, 'g');
this.patterns = patterns;
}
/**
* @param {string} code
* @return {PatternMatchResult[]}
*/
match(code) {
// Reset RegExp state.
this.re.lastIndex = 0;
const seen = new Set();
/** @type {PatternMatchResult[]} */
const matches = [];
/** @type {RegExpExecArray | null} */
let result;
let line = 0;
let lineBeginsAtIndex = 0;
// Each pattern maps to one subgroup in the generated regex. For each iteration of RegExp.exec,
// only one subgroup will be defined. Exec until no more matches.
while ((result = this.re.exec(code)) !== null) {
// Discard first value in `result` - it's just the entire match.
const captureGroups = result.slice(1);
// isNewline - truthy if matching a newline, used to track the line number.
// `patternExpressionMatches` maps to each possible pattern in `this.patterns`.
// Only one of [isNewline, ...patternExpressionMatches] is ever truthy.
const [isNewline, ...patternExpressionMatches] = captureGroups;
if (isNewline) {
line++;
lineBeginsAtIndex = result.index + 1;
continue;
}
const pattern = this.patterns[patternExpressionMatches.findIndex(Boolean)];
// Don't report more than one instance of a pattern for this code.
// Would result in multiple matches for the same pattern, ex: if both '='
// and 'Object.defineProperty' are used conditionally based on feature detection.
// Would also result in many matches for transform patterns.
if (seen.has(pattern)) {
continue;
}
seen.add(pattern);
matches.push({
name: pattern.name,
line,
column: result.index - lineBeginsAtIndex,
});
}
return matches;
}
}
class LegacyJavascript extends Audit {
/**
* @return {LH.Audit.Meta}
*/
static get meta() {
return {
id: 'legacy-javascript',
scoreDisplayMode: Audit.SCORING_MODES.INFORMATIVE,
description: str_(UIStrings.description),
title: str_(UIStrings.title),
requiredArtifacts: ['devtoolsLogs', 'ScriptElements', 'URL'],
};
}
/**
* @param {string?} object
* @param {string} property
*/
static buildPolyfillExpression(object, property) {
const qt = (/** @type {string} */ token) =>
`['"]${token}['"]`; // don't worry about matching string delims
let expression = '';
if (object) {
// String.prototype.startsWith =
expression += `${object}\\.${property}\\s?=[^=]`;
} else {
// Promise =
// window.Promise =// Promise =Z
// but not: SomePromise =
expression += `(?:window\\.|[\\s;]+)${property}\\s?=[^=]`;
}
// String.prototype['startsWith'] =
if (object) {
expression += `|${object}\\[${qt(property)}\\]\\s?=[^=]`;
}
// Object.defineProperty(String.prototype, 'startsWith'
expression += `|defineProperty\\(${object || 'window'},\\s?${qt(property)}`;
// core-js
if (object) {
const objectWithoutPrototype = object.replace('.prototype', '');
// e(e.S,"Object",{values
// Minified + mangled pattern found in CDN babel-polyfill.
// see https://cdnjs.cloudflare.com/ajax/libs/babel-polyfill/7.2.5/polyfill.min.js
// TODO: perhaps this is the wrong place to check for a CDN polyfill. Remove?
// expression += `|;e\\([^,]+,${qt(objectWithoutPrototype)},{${property}:`;
// Minified pattern.
// $export($export.S,"Date",{now:function
expression += `|\\$export\\([^,]+,${qt(objectWithoutPrototype)},{${property}:`;
} else {
// WeakSet, etc.
expression += `|function ${property}\\(`;
}
return expression;
}
/**
* @return {Pattern[]}
*/
static getPolyfillPatterns() {
return [
'Array.fill',
'Array.from',
'Array.isArray',
'Array.of',
'Array.prototype.filter',
'Array.prototype.find',
'Array.prototype.findIndex',
'Array.prototype.forEach',
'Array.prototype.includes',
'Array.prototype.lastIndexOf',
'Array.prototype.map',
'Array.prototype.reduce',
'Array.prototype.reduceRight',
'Array.prototype.some',
'ArrayBuffer',
'DataView',
'Date.now',
'Date.prototype.toISOString',
'Date.prototype.toJSON',
'Date.prototype.toString',
'Float32Array',
'Float64Array',
'Function.prototype.name',
'Int16Array',
'Int32Array',
'Int8Array',
'Map',
'Number.isInteger',
'Number.isSafeInteger',
'Number.parseFloat',
'Number.parseInt',
'Object.assign',
'Object.create',
'Object.defineProperties',
'Object.defineProperty',
'Object.entries',
'Object.freeze',
'Object.getOwnPropertyDescriptor',
'Object.getOwnPropertyDescriptors',
'Object.getOwnPropertyNames',
'Object.getPrototypeOf',
'Object.isExtensible',
'Object.isFrozen',
'Object.isSealed',
'Object.keys',
'Object.preventExtensions',
'Object.seal',
'Object.setPrototypeOf',
'Object.values',
'Promise',
'Reflect.apply',
'Reflect.construct',
'Reflect.defineProperty',
'Reflect.deleteProperty',
'Reflect.get',
'Reflect.getOwnPropertyDescriptor',
'Reflect.getPrototypeOf',
'Reflect.has',
'Reflect.isExtensible',
'Reflect.ownKeys',
'Reflect.preventExtensions',
'Reflect.set',
'Reflect.setPrototypeOf',
'Set',
'String.fromCodePoint',
'String.prototype.codePointAt',
'String.prototype.endsWith',
'String.prototype.includes',
'String.prototype.padEnd',
'String.prototype.padStart',
'String.prototype.repeat',
'String.prototype.startsWith',
'String.prototype.trim',
'String.raw',
'Uint16Array',
'Uint32Array',
'Uint8Array',
'Uint8ClampedArray',
'WeakMap',
'WeakSet',
].map(polyfillName => {
const parts = polyfillName.split('.');
const object = parts.length > 1 ? parts.slice(0, parts.length - 1).join('.') : null;
const property = parts[parts.length - 1];
return {
name: polyfillName,
expression: this.buildPolyfillExpression(object, property),
};
});
}
/**
* @return {Pattern[]}
*/
static getTransformPatterns() {
return [
{
name: '@babel/plugin-transform-classes',
expression: 'Cannot call a class as a function',
},
{
name: '@babel/plugin-transform-regenerator',
expression: /regeneratorRuntime\.a?wrap/.source,
},
{
name: '@babel/plugin-transform-spread',
expression: /\.apply\(void 0,\s?_toConsumableArray/.source,
},
];
}
/**
* Returns a collection of match results grouped by script url and with a mapping
* to determine the order in which the matches were discovered.
*
* @param {CodePatternMatcher} matcher
* @param {LH.GathererArtifacts['ScriptElements']} scripts
* @param {LH.Artifacts.NetworkRequest[]} networkRecords
* @return {Map<string, PatternMatchResult[]>}
*/
static detectCodePatternsAcrossScripts(matcher, scripts, networkRecords) {
/** @type {Map<string, PatternMatchResult[]>} */
const urlToMatchResults = new Map();
for (const {requestId, content} of Object.values(scripts)) {
if (!content) continue;
const networkRecord = networkRecords.find(record => record.requestId === requestId);
if (!networkRecord) continue;
const matches = matcher.match(content);
if (!matches.length) continue;
urlToMatchResults.set(networkRecord.url, matches);
}
return urlToMatchResults;
}
/**
* @param {LH.Artifacts} artifacts
* @param {LH.Audit.Context} context
* @return {Promise<LH.Audit.Product>}
*/
static async audit(artifacts, context) {
const devtoolsLog = artifacts.devtoolsLogs[LegacyJavascript.DEFAULT_PASS];
const networkRecords = await NetworkRecords.request(devtoolsLog, context);
const mainResource = await MainResource.request({
URL: artifacts.URL,
devtoolsLog,
}, context);
/** @type {Array<{url: string, signals: string[], locations: LH.Audit.Details.SourceLocationValue[]}>} */
const tableRows = [];
let signalCount = 0;
// TODO(cjamcl): Use SourceMaps, and only pattern match if maps are not available.
const matcher = new CodePatternMatcher([
...this.getPolyfillPatterns(),
...this.getTransformPatterns(),
]);
const urlToMatchResults =
this.detectCodePatternsAcrossScripts(matcher, artifacts.ScriptElements, networkRecords);
urlToMatchResults.forEach((matches, url) => {
/** @type {typeof tableRows[number]} */
const row = {url, signals: [], locations: []};
for (const match of matches) {
const {name, line, column} = match;
row.signals.push(name);
row.locations.push({
type: 'source-location',
url,
line,
column,
urlProvider: 'network',
});
}
tableRows.push(row);
signalCount += row.signals.length;
});
/** @type {LH.Audit.Details.Table['headings']} */
const headings = [
/* eslint-disable max-len */
{key: 'url', itemType: 'url', subRows: {key: 'locations', itemType: 'source-location'}, text: str_(i18n.UIStrings.columnURL)},
{key: null, itemType: 'code', subRows: {key: 'signals'}, text: ''},
/* eslint-enable max-len */
];
const details = Audit.makeTableDetails(headings, tableRows);
// Only fail if first party code has legacy code.
// TODO(cjamcl): Use third-party-web.
const foundSignalInFirstPartyCode = tableRows.some(row => {
return URL.rootDomainsMatch(row.url, mainResource.url);
});
return {
score: foundSignalInFirstPartyCode ? 0 : 1,
notApplicable: !foundSignalInFirstPartyCode,
extendedInfo: {
signalCount,
},
details,
};
}
}
module.exports = LegacyJavascript;
module.exports.UIStrings = UIStrings;