Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

improve import scanner perf #2900

Merged
merged 1 commit into from
Mar 19, 2021
Merged
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
103 changes: 60 additions & 43 deletions snowpack/src/rewrite-imports.ts
Original file line number Diff line number Diff line change
Expand Up @@ -5,8 +5,23 @@ const {parse} = require('es-module-lexer');

const WEBPACK_MAGIC_COMMENT_REGEX = /\/\*[\s\S]*?\*\//g;

function spliceString(source: string, withSlice: string, start: number, end: number) {
return source.slice(0, start) + (withSlice || '') + source.slice(end);
interface RewriteInstruction {
start: number;
end: number;
rewrite: string;
}

function applyRewrites(source: string, rewrites: RewriteInstruction[]) {
let result = ``;
let index = 0;
rewrites
.sort((a, b) => a.start - b.start)
.forEach(({start, end, rewrite}) => {
result += source.substring(index, start) + rewrite;
index = end;
});
result += source.substring(index);
return result;
}

export async function scanCodeImportsExports(code: string): Promise<any[]> {
Expand All @@ -30,79 +45,81 @@ export async function transformEsmImports(
replaceImport: (specifier: string) => string | Promise<string>,
) {
const imports = await scanCodeImportsExports(_code);
let rewrittenCode = _code;
for (const imp of imports.reverse()) {
let spec = rewrittenCode.substring(imp.s, imp.e);
let webpackMagicCommentMatches;
if (imp.d > -1) {
// Extracting comments from spec as they are stripped in `matchDynamicImportValue`
webpackMagicCommentMatches = spec.match(WEBPACK_MAGIC_COMMENT_REGEX);
spec = matchDynamicImportValue(spec) || '';
}
let rewrittenImport = await replaceImport(spec);
if (imp.d > -1) {
rewrittenImport = webpackMagicCommentMatches
? `${webpackMagicCommentMatches.join(' ')} ${JSON.stringify(rewrittenImport)}`
: JSON.stringify(rewrittenImport);
}
rewrittenCode = spliceString(rewrittenCode, rewrittenImport, imp.s, imp.e);
}
return rewrittenCode;
const collectedRewrites: RewriteInstruction[] = [];
await Promise.all(
imports.map(async (imp) => {
let spec = _code.substring(imp.s, imp.e);
let webpackMagicCommentMatches;
if (imp.d > -1) {
// Extracting comments from spec as they are stripped in `matchDynamicImportValue`
webpackMagicCommentMatches = spec.match(WEBPACK_MAGIC_COMMENT_REGEX);
spec = matchDynamicImportValue(spec) || '';
}
let rewrittenImport = await replaceImport(spec);
if (imp.d > -1) {
rewrittenImport = webpackMagicCommentMatches
? `${webpackMagicCommentMatches.join(' ')} ${JSON.stringify(rewrittenImport)}`
: JSON.stringify(rewrittenImport);
}
collectedRewrites.push({rewrite: rewrittenImport, start: imp.s, end: imp.e});
}),
);
const result = applyRewrites(_code, collectedRewrites);
return result;
}

async function transformHtmlImports(
code: string,
replaceImport: (specifier: string) => string | Promise<string>,
) {
let rewrittenCode = code;
const collectedRewrites: RewriteInstruction[] = [];
let match;
const jsImportRegex = new RegExp(HTML_JS_REGEX);
while ((match = jsImportRegex.exec(rewrittenCode))) {
while ((match = jsImportRegex.exec(code))) {
const [, scriptTag, scriptCode] = match;
// Only transform a script element if it contains inlined code / is not empty.
if (scriptCode.trim()) {
rewrittenCode = spliceString(
rewrittenCode,
await transformEsmImports(scriptCode, replaceImport),
match.index + scriptTag.length,
match.index + scriptTag.length + scriptCode.length,
);
collectedRewrites.push({
rewrite: await transformEsmImports(scriptCode, replaceImport),
start: match.index + scriptTag.length,
end: match.index + scriptTag.length + scriptCode.length,
});
}
}
const cssImportRegex = new RegExp(HTML_STYLE_REGEX);
while ((match = cssImportRegex.exec(rewrittenCode))) {
while ((match = cssImportRegex.exec(code))) {
const [, styleTag, styleCode] = match;
// Only transform a script element if it contains inlined code / is not empty.
if (styleCode.trim()) {
rewrittenCode = spliceString(
rewrittenCode,
await transformCssImports(styleCode, replaceImport),
match.index + styleTag.length,
match.index + styleTag.length + styleCode.length,
);
collectedRewrites.push({
rewrite: await transformCssImports(styleCode, replaceImport),
start: match.index + styleTag.length,
end: match.index + styleTag.length + styleCode.length,
});
}
}
const rewrittenCode = applyRewrites(code, collectedRewrites);
return rewrittenCode;
}

async function transformCssImports(
code: string,
replaceImport: (specifier: string) => string | Promise<string>,
) {
let rewrittenCode = code;
const collectedRewrites: RewriteInstruction[] = [];
let match;
const importRegex = new RegExp(CSS_REGEX);
while ((match = importRegex.exec(rewrittenCode))) {
while ((match = importRegex.exec(code))) {
const [fullMatch, spec] = match;
// Only transform a script element if it contains inlined code / is not empty.
rewrittenCode = spliceString(
rewrittenCode,
collectedRewrites.push({
// CSS doesn't support proxy files, so always point to the original file
`@import "${(await replaceImport(spec)).replace('.proxy.js', '')}";`,
match.index,
match.index + fullMatch.length,
);
rewrite: `@import "${(await replaceImport(spec)).replace('.proxy.js', '')}";`,
start: match.index,
end: match.index + fullMatch.length,
});
}
const rewrittenCode = applyRewrites(code, collectedRewrites);
return rewrittenCode;
}

Expand Down
22 changes: 21 additions & 1 deletion snowpack/src/sources/local.ts
Original file line number Diff line number Diff line change
Expand Up @@ -46,8 +46,11 @@ const NEVER_PEER_PACKAGES: string[] = [
'node-fetch',
'whatwg-fetch',
'tslib',
'@ant-design/icons-svg',
];

const memoizedResolve: Record<string, Record<string, string>> = {};

function getRootPackageDirectory(loc: string) {
const parts = loc.split('node_modules');
if (parts.length === 1) {
Expand Down Expand Up @@ -239,6 +242,17 @@ export default {
depth = 0,
) {
config = config || _config;
// Imports in the same project should never change once resolved. Check the momized cache here to speed up faster repeat page loads.
Copy link

@fgblomqvist fgblomqvist Mar 18, 2021

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Just because I can: "momized" -> "memoized" 😄

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

Or is it memized? Who knows 🤷‍♂️

Copy link
Owner Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

words are hard :)

// NOTE(fks): This is mainly needed because `resolveEntrypoint` can be slow and blocking, which creates issues when many files
// are loaded/resolved at once (ex: antd). If we can improve the performance there and make that async, this may no longer be
// necessary.
if (!importMap) {
if (!memoizedResolve[source]) {
memoizedResolve[source] = {};
} else if (memoizedResolve[source][spec]) {
return memoizedResolve[source][spec];
}
}

const aliasEntry = findMatchingAliasEntry(config, spec);
if (aliasEntry && aliasEntry.type === 'package') {
Expand Down Expand Up @@ -420,7 +434,13 @@ export default {
packageName,
packageVersion,
};
return path.posix.join(config.buildOptions.metaUrlPath, 'pkg', importId);
// Memoize the result, for faster repeat lookups.
memoizedResolve[source][spec] = path.posix.join(
config.buildOptions.metaUrlPath,
'pkg',
importId,
);
return memoizedResolve[source][spec];
},

clearCache() {
Expand Down