-
Notifications
You must be signed in to change notification settings - Fork 9.5k
/
Copy pathinline-fs.js
376 lines (329 loc) · 13.5 KB
/
inline-fs.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
/**
* @license Copyright 2021 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.
*/
import {strict as assert} from 'assert';
import fs from 'fs';
import path from 'path';
import * as acorn from 'acorn';
import MagicString from 'magic-string';
import resolve from 'resolve';
import * as terser from 'terser';
import {LH_ROOT} from '../../root.js';
// ESTree provides much better types for AST nodes. See https://github.com/acornjs/acorn/issues/946
/** @typedef {import('estree').Node} Node */
/** @typedef {import('estree').SimpleCallExpression} SimpleCallExpression */
/** @typedef {{text: string, location: {file: string, line: number, column: number}}} Warning */
/** An error associated with a particular AST node. */
class AstError extends Error {
/** @param {string} message @param {Node} node */
constructor(message, node) {
super(message);
this.node = node;
}
}
/**
* Inlines the values of selected `fs` methods if their targets can be
* statically determined. Currently `readFileSync` and `readdirSync` are
* supported.
* Returns `null` as code if no changes were made.
* @param {string} code
* @param {string} filepath
* @return {Promise<{code: string|null, warnings: Array<Warning>}>}
*/
async function inlineFs(code, filepath) {
// Approach:
// - scan `code` for fs methods
// - parse only the expression at each found index
// - statically evaluate arguments to fs method, collapsing to single string
// - execute fs method with computed argument
// - replace original expression with result of fs call
// - if an expression cannot be parsed or statically evaluated, warn and skip
// - if no expressions found or all are skipped, return null
const fsSearch = /fs\.(?:readFileSync|readdirSync)\(/g;
const foundIndices = [...code.matchAll(fsSearch)].map(e => e.index);
// Return null for not-applicable files with as little work as possible.
if (foundIndices.length === 0) return {code: null, warnings: []};
const output = new MagicString(code);
let madeChange = false;
/** @type {Array<Warning>} */
const warnings = [];
// Can iterate forwards in string because MagicString always uses original indices.
for (const foundIndex of foundIndices) {
if (foundIndex === undefined) continue; // https://github.com/microsoft/TypeScript/issues/36788
let parsed;
try {
parsed = parseExpressionAt(code, foundIndex, {ecmaVersion: 'latest'});
} catch (err) {
// `err.loc` added by acorn.
warnings.push(createWarning(err, filepath, err.loc));
continue;
}
// If root of expression isn't the fs call, descend down chained methods on
// the result (e.g. `fs.readdirSync().map(...)`) until reaching the fs call.
for (;;) {
assertEqualString(parsed.type, 'CallExpression');
assertEqualString(parsed.callee.type, 'MemberExpression');
if (parsed.callee.object.type === 'Identifier' && parsed.callee.object.name === 'fs') {
break;
}
parsed = parsed.callee.object;
}
// We've regexed for an fs method, so the property better be an identifier.
assertEqualString(parsed.callee.property.type, 'Identifier');
let content;
try {
if (parsed.callee.property.name === 'readFileSync') {
content = await getReadFileReplacement(parsed, filepath);
} else if (parsed.callee.property.name === 'readdirSync') {
content = await getReaddirReplacement(parsed, filepath);
} else {
throw new AstError(`unexpected fs call 'fs.${parsed.callee.property.name}'`,
parsed.callee.property);
}
} catch (err) {
// Use the specific node with the error if available; fallback to fs.method location.
const offsets = getNodeOffsets(err.node || parsed);
const location = acorn.getLineInfo(code, offsets.start);
warnings.push(createWarning(err, filepath, location));
continue;
}
const offsets = getNodeOffsets(parsed);
// TODO(bckenny): use options to customize `storeName` for source maps.
output.overwrite(offsets.start, offsets.end, content);
madeChange = true;
}
// Be explicit if no change has been made.
const outputCode = madeChange ? output.toString() : null;
return {
code: outputCode,
warnings,
};
}
/**
* A version of acorn's parseExpressionAt that stops at commas, allowing parsing
* non-sequence expressions (like inside arrays).
* @param {string} input
* @param {number} offset
* @param {import('acorn').Options} options
* @return {Node}
*/
function parseExpressionAt(input, offset, options) {
const parser = new acorn.Parser(options, input, offset);
// @ts-expect-error - Not part of the current acorn types.
parser.nextToken();
// @ts-expect-error - Not part of the current acorn types.
return parser.parseMaybeAssign();
}
/**
* Uses assert.strictEqual, but does not widen the type to generic `string`,
* preserving string literals (if applicable).
* @template {string} T
* @param {string} actual
* @param {T} expected
* @param {string=} errorMessage
* @return {asserts actual is T}
*/
function assertEqualString(actual, expected, errorMessage) {
assert.equal(actual, expected, errorMessage);
}
/**
* Convenience method to get the `start` and `end` offsets for `node` provided
* by acorn on top of ESTree types (keeping the type errors encapsulated).
* @param {Node} node
* @return {{start: number, end: number}}
*/
function getNodeOffsets(node) {
// @ts-expect-error - see https://github.com/acornjs/acorn/issues/946
return node;
}
/**
* @param {Error} error
* @param {string} filepath
* @param {{line: number, column: number}} location
* @return {Warning}
*/
function createWarning(error, filepath, location) {
return {
text: error.message,
location: {
file: filepath,
line: location.line,
column: location.column,
},
};
}
/**
* Attempts to statically determine the target of a `fs.readFileSync()` call and
* returns the already-quoted contents of the file to be loaded.
* If it's a JS file, it's minified before inlining.
* @param {SimpleCallExpression} node ESTree node for `fs.readFileSync` call.
* @param {string} filepath The path of the file containing this node.
* @return {Promise<string>}
*/
async function getReadFileReplacement(node, filepath) {
assertEqualString(node.callee.type, 'MemberExpression');
assertEqualString(node.callee.property.type, 'Identifier');
assert.equal(node.callee.property.name, 'readFileSync');
assert.equal(node.arguments.length, 2, 'fs.readFileSync() must have two arguments');
const constructedPath = collapseToStringLiteral(node.arguments[0], filepath);
if (!isUtf8Options(node.arguments[1])) {
throw new AstError('only utf8 readFileSync is supported', node.arguments[1]);
}
let readContent = await fs.promises.readFile(constructedPath, 'utf8');
// Minify inlined javascript.
if (constructedPath.endsWith('.js')) {
const result = await terser.minify({[constructedPath]: readContent}, {ecma: 2019});
if (result.code) {
readContent = result.code;
}
}
// Escape quotes, new lines, etc so inlined string doesn't break host file.
return JSON.stringify(readContent);
}
/**
* Attempts to statically determine the target of a `fs.readdirSync()` call and
* returns a JSON.stringified array with the contents of the target directory.
* @param {SimpleCallExpression} node ESTree node for `fs.readdirSync` call.
* @param {string} filepath The path of the file containing this node.
* @return {Promise<string>}
*/
async function getReaddirReplacement(node, filepath) {
assertEqualString(node.callee.type, 'MemberExpression');
assertEqualString(node.callee.property.type, 'Identifier');
assert.equal(node.callee.property.name, 'readdirSync');
// If there's no second argument, fs.readdirSync defaults to 'utf8'.
if (node.arguments.length === 2) {
if (!isUtf8Options(node.arguments[1])) {
throw new AstError('only utf8 readdirSync is supported', node.arguments[1]);
}
}
const constructedPath = collapseToStringLiteral(node.arguments[0], filepath);
try {
const contents = await fs.promises.readdir(constructedPath, 'utf8');
return JSON.stringify(contents);
} catch (err) {
throw new Error(`could not inline fs.readdirSync contents: ${err.message}`);
}
}
/**
* Returns whether the options object/string specifies the allowed utf8/utf-8
* encoding.
* @param {Node} node ESTree node.
* @return {boolean}
*/
function isUtf8Options(node) {
// Node allows 'utf-8' as an alias for 'utf8'.
if (node.type === 'Literal') {
return node.value === 'utf8' || node.value === 'utf-8';
} else if (node.type === 'ObjectExpression') {
// Matches type `{encoding: 'utf8'|'utf-8'}`.
return node.properties.some(prop => {
return prop.type === 'Property' &&
prop.key.type === 'Identifier' && prop.key.name === 'encoding' &&
prop.value.type === 'Literal' &&
(prop.value.value === 'utf8' || prop.value.value === 'utf-8');
});
}
return false;
}
/**
* Recursively walk tree at `node`, collapsing nodes using supported transforms until
* only a single string literal remains (or an error is thrown for unsupported nodes).
* @param {Node} node ESTree node.
* @param {string} filepath The path of the file containing this node.
* @return {string}
*/
function collapseToStringLiteral(node, filepath) {
switch (node.type) {
case 'Literal': {
// If your literal wasn't a string, sorry, you're getting a string.
return String(node.value);
}
case 'Identifier': {
if (node.name === '__dirname' || node.name === 'moduleDir') {
return path.dirname(filepath);
} else if (node.name === '__filename') {
return filepath;
} else if (node.name === 'LH_ROOT') {
// Note: hardcoded for LH. Could be be set via inline-fs options instead.
return LH_ROOT;
}
throw new AstError(`unsupported identifier '${node.name}'`, node);
}
case 'CallExpression': {
return evaluateCallExpression(node, filepath);
}
case 'BinaryExpression': {
if (node.operator !== '+') throw new AstError('only string `+` operators supported', node);
const left = collapseToStringLiteral(node.left, filepath);
const right = collapseToStringLiteral(node.right, filepath);
return left + right;
}
case 'TemplateLiteral': {
assert.equal(node.expressions.length + 1, node.quasis.length);
// Parts alternate between quasis and expressions, starting and ending with a quasi.
const parts = [];
for (let i = 0; i < node.expressions.length; i++) {
parts.push(collapseToStringLiteral(node.quasis[i], filepath));
parts.push(collapseToStringLiteral(node.expressions[i], filepath));
}
parts.push(collapseToStringLiteral(node.quasis[node.quasis.length - 1], filepath));
return parts.join('');
}
case 'TemplateElement': {
// Keep tsc happy: AST generation should have already errored if invalid escape sequence in template literal.
if (typeof node.value.cooked !== 'string') {
throw new AstError('template string syntax error', node);
}
return node.value.cooked;
}
}
throw new AstError(`unsupported node: ${node.type}`, node);
}
/**
* Evaluate supported function calls and return the string result. Limited to
* `require.resolve` and a subset of `path` methods.
* @param {SimpleCallExpression} node ESTree CallExpression node.
* @param {string} filepath The path of the file containing this node.
* @return {string}
*/
function evaluateCallExpression(node, filepath) {
// eslint-disable-next-line max-len
const unsupportedMsg = 'only `require.resolve()` and `path` methods are supported as arguments to `fs` function calls';
if (node.callee.type !== 'MemberExpression') throw new AstError(unsupportedMsg, node);
if (node.callee.object.type !== 'Identifier') throw new AstError(unsupportedMsg, node);
if (node.callee.property.type !== 'Identifier') throw new AstError(unsupportedMsg, node);
if (node.callee.object.name === 'require') {
if (node.callee.property.name !== 'resolve') {
throw new AstError(unsupportedMsg, node.callee.property);
}
if (node.arguments.length !== 1) {
throw new AstError('only single-argument `require.resolve` is supported', node);
}
const argument = collapseToStringLiteral(node.arguments[0], filepath);
return resolve.sync(argument, {basedir: path.dirname(filepath)});
}
if (node.callee.object.name !== 'path') throw new AstError(unsupportedMsg, node);
const methodName = node.callee.property.name;
const args = node.arguments.map(arg => collapseToStringLiteral(arg, filepath));
// Support path methods that take string argument(s) and return a string.
const supportedPathMethods = [
'resolve',
'normalize',
'join',
'relative',
'dirname',
'basename',
'extname',
];
if (!supportedPathMethods.includes(methodName)) {
throw new AstError(`'path.${methodName}' is not supported with 'fs' function calls`, node);
}
// @ts-expect-error: `methodName` established as existing on `path`.
return path[methodName](...args);
}
export {
inlineFs,
};