mirror of
https://github.com/zebrajr/react.git
synced 2026-01-15 12:15:22 +00:00
[Flight] Basic scan of the file system to find Client modules (#20383)
* Basic scan of the file system to find Client modules This does a rudimentary merge of the plugins. It still uses the global scan and writes to file system. Now the plugin accepts a search path or a list of referenced client files. In prod, the best practice is to provide a list of files that are actually referenced rather than including everything possibly reachable. Probably in dev too since it's faster. This is using the same convention as the upstream ContextModule - which powers the require.context helpers. * Add neo-async to dependencies
This commit is contained in:
committed by
GitHub
parent
dd16b78990
commit
30dfb86025
@@ -664,7 +664,14 @@ module.exports = function(webpackEnv) {
|
||||
formatter: isEnvProduction ? typescriptFormatter : undefined,
|
||||
}),
|
||||
// Fork Start
|
||||
new ReactFlightWebpackPlugin({isServer: false}),
|
||||
new ReactFlightWebpackPlugin({
|
||||
isServer: false,
|
||||
clientReferences: {
|
||||
directory: './src/',
|
||||
recursive: true,
|
||||
include: /\.client\.js$/,
|
||||
},
|
||||
}),
|
||||
// Fork End
|
||||
].filter(Boolean),
|
||||
// Some libraries import Node modules but don't use them in the browser.
|
||||
|
||||
@@ -17,7 +17,3 @@ ReactDOM.render(
|
||||
</Suspense>,
|
||||
document.getElementById('root')
|
||||
);
|
||||
|
||||
// Create entry points for Client Components.
|
||||
// TODO: Webpack plugin should do this.
|
||||
require.context('./', true, /\.client\.js$/, 'lazy');
|
||||
|
||||
@@ -51,6 +51,7 @@
|
||||
},
|
||||
"dependencies": {
|
||||
"acorn": "^6.2.1",
|
||||
"neo-async": "^2.6.1",
|
||||
"loose-envify": "^1.1.0",
|
||||
"object-assign": "^4.1.1"
|
||||
},
|
||||
|
||||
@@ -8,17 +8,169 @@
|
||||
*/
|
||||
|
||||
import {mkdirSync, writeFileSync} from 'fs';
|
||||
import {dirname, resolve} from 'path';
|
||||
import {dirname, resolve, join} from 'path';
|
||||
import {pathToFileURL} from 'url';
|
||||
|
||||
import asyncLib from 'neo-async';
|
||||
|
||||
import ModuleDependency from 'webpack/lib/dependencies/ModuleDependency';
|
||||
import NullDependency from 'webpack/lib/dependencies/NullDependency';
|
||||
import AsyncDependenciesBlock from 'webpack/lib/AsyncDependenciesBlock';
|
||||
import Template from 'webpack/lib/Template';
|
||||
|
||||
class ClientReferenceDependency extends ModuleDependency {
|
||||
constructor(request) {
|
||||
super(request);
|
||||
}
|
||||
|
||||
get type() {
|
||||
return 'client-reference';
|
||||
}
|
||||
}
|
||||
|
||||
// This is the module that will be used to anchor all client references to.
|
||||
// I.e. it will have all the client files as async deps from this point on.
|
||||
// We use the Flight client implementation because you can't get to these
|
||||
// without the client runtime so it's the first time in the loading sequence
|
||||
// you might want them.
|
||||
const clientFileName = require.resolve('../');
|
||||
|
||||
type ClientReferenceSearchPath = {
|
||||
directory: string,
|
||||
recursive?: boolean,
|
||||
include: RegExp,
|
||||
exclude?: RegExp,
|
||||
};
|
||||
|
||||
type ClientReferencePath = string | ClientReferenceSearchPath;
|
||||
|
||||
type Options = {
|
||||
isServer: boolean,
|
||||
clientReferences?: ClientReferencePath | $ReadOnlyArray<ClientReferencePath>,
|
||||
chunkName?: string,
|
||||
};
|
||||
|
||||
const PLUGIN_NAME = 'React Transport Plugin';
|
||||
|
||||
export default class ReactFlightWebpackPlugin {
|
||||
constructor(options: {isServer: boolean}) {}
|
||||
clientReferences: $ReadOnlyArray<ClientReferencePath>;
|
||||
chunkName: string;
|
||||
constructor(options: Options) {
|
||||
if (!options || typeof options.isServer !== 'boolean') {
|
||||
throw new Error(
|
||||
PLUGIN_NAME + ': You must specify the isServer option as a boolean.',
|
||||
);
|
||||
}
|
||||
if (options.isServer) {
|
||||
throw new Error('TODO: Implement the server compiler.');
|
||||
}
|
||||
if (!options.clientReferences) {
|
||||
this.clientReferences = [
|
||||
{
|
||||
directory: '.',
|
||||
recursive: true,
|
||||
include: /\.client\.(js|ts|jsx|tsx)$/,
|
||||
},
|
||||
];
|
||||
} else if (
|
||||
typeof options.clientReferences === 'string' ||
|
||||
!Array.isArray(options.clientReferences)
|
||||
) {
|
||||
this.clientReferences = [(options.clientReferences: $FlowFixMe)];
|
||||
} else {
|
||||
this.clientReferences = options.clientReferences;
|
||||
}
|
||||
if (typeof options.chunkName === 'string') {
|
||||
this.chunkName = options.chunkName;
|
||||
if (!/\[(index|request)\]/.test(this.chunkName)) {
|
||||
this.chunkName += '[index]';
|
||||
}
|
||||
} else {
|
||||
this.chunkName = 'client[index]';
|
||||
}
|
||||
}
|
||||
|
||||
apply(compiler: any) {
|
||||
compiler.hooks.emit.tap('React Transport Plugin', compilation => {
|
||||
const run = (params, callback) => {
|
||||
// First we need to find all client files on the file system. We do this early so
|
||||
// that we have them synchronously available later when we need them. This might
|
||||
// not be needed anymore since we no longer need to compile the module itself in
|
||||
// a special way. So it's probably better to do this lazily and in parallel with
|
||||
// other compilation.
|
||||
const contextResolver = compiler.resolverFactory.get('context', {});
|
||||
this.resolveAllClientFiles(
|
||||
compiler.context,
|
||||
contextResolver,
|
||||
compiler.inputFileSystem,
|
||||
compiler.createContextModuleFactory(),
|
||||
(err, resolvedClientReferences) => {
|
||||
if (err) {
|
||||
callback(err);
|
||||
return;
|
||||
}
|
||||
compiler.hooks.compilation.tap(
|
||||
PLUGIN_NAME,
|
||||
(compilation, {normalModuleFactory}) => {
|
||||
compilation.dependencyFactories.set(
|
||||
ClientReferenceDependency,
|
||||
normalModuleFactory,
|
||||
);
|
||||
compilation.dependencyTemplates.set(
|
||||
ClientReferenceDependency,
|
||||
new NullDependency.Template(),
|
||||
);
|
||||
|
||||
compilation.hooks.buildModule.tap(PLUGIN_NAME, module => {
|
||||
// We need to add all client references as dependency of something in the graph so
|
||||
// Webpack knows which entries need to know about the relevant chunks and include the
|
||||
// map in their runtime. The things that actually resolves the dependency is the Flight
|
||||
// client runtime. So we add them as a dependency of the Flight client runtime.
|
||||
// Anything that imports the runtime will be made aware of these chunks.
|
||||
// TODO: Warn if we don't find this file anywhere in the compilation.
|
||||
if (module.resource !== clientFileName) {
|
||||
return;
|
||||
}
|
||||
if (resolvedClientReferences) {
|
||||
for (let i = 0; i < resolvedClientReferences.length; i++) {
|
||||
const dep = resolvedClientReferences[i];
|
||||
const chunkName = this.chunkName
|
||||
.replace(/\[index\]/g, '' + i)
|
||||
.replace(
|
||||
/\[request\]/g,
|
||||
Template.toPath(dep.userRequest),
|
||||
);
|
||||
|
||||
const block = new AsyncDependenciesBlock(
|
||||
{
|
||||
name: chunkName,
|
||||
},
|
||||
module,
|
||||
null,
|
||||
dep.require,
|
||||
);
|
||||
block.addDependency(dep);
|
||||
module.addBlock(block);
|
||||
}
|
||||
}
|
||||
});
|
||||
},
|
||||
);
|
||||
|
||||
callback();
|
||||
},
|
||||
);
|
||||
};
|
||||
|
||||
compiler.hooks.run.tapAsync(PLUGIN_NAME, run);
|
||||
compiler.hooks.watchRun.tapAsync(PLUGIN_NAME, run);
|
||||
|
||||
compiler.hooks.emit.tap(PLUGIN_NAME, compilation => {
|
||||
const json = {};
|
||||
compilation.chunks.forEach(chunk => {
|
||||
chunk.getModules().forEach(mod => {
|
||||
// TOOD: Hook into deps instead of the target module.
|
||||
// That way we know by the type of dep whether to include.
|
||||
// It also resolves conflicts when the same module is in multiple chunks.
|
||||
if (!/\.client\.js$/.test(mod.resource)) {
|
||||
return;
|
||||
}
|
||||
@@ -42,7 +194,83 @@ export default class ReactFlightWebpackPlugin {
|
||||
'react-transport-manifest.json',
|
||||
);
|
||||
mkdirSync(dirname(filename), {recursive: true});
|
||||
// TODO: Use webpack's emit API and read from the devserver.
|
||||
writeFileSync(filename, output);
|
||||
});
|
||||
}
|
||||
|
||||
// This attempts to replicate the dynamic file path resolution used for other wildcard
|
||||
// resolution in Webpack is using.
|
||||
resolveAllClientFiles(
|
||||
context: string,
|
||||
contextResolver: any,
|
||||
fs: any,
|
||||
contextModuleFactory: any,
|
||||
callback: (
|
||||
err: null | Error,
|
||||
result?: $ReadOnlyArray<ClientReferenceDependency>,
|
||||
) => void,
|
||||
) {
|
||||
asyncLib.map(
|
||||
this.clientReferences,
|
||||
(
|
||||
clientReferencePath: string | ClientReferenceSearchPath,
|
||||
cb: (
|
||||
err: null | Error,
|
||||
result?: $ReadOnlyArray<ClientReferenceDependency>,
|
||||
) => void,
|
||||
): void => {
|
||||
if (typeof clientReferencePath === 'string') {
|
||||
cb(null, [new ClientReferenceDependency(clientReferencePath)]);
|
||||
return;
|
||||
}
|
||||
const clientReferenceSearch: ClientReferenceSearchPath = clientReferencePath;
|
||||
contextResolver.resolve(
|
||||
{},
|
||||
context,
|
||||
clientReferencePath.directory,
|
||||
{},
|
||||
(err, resolvedDirectory) => {
|
||||
if (err) return cb(err);
|
||||
const options = {
|
||||
resource: resolvedDirectory,
|
||||
resourceQuery: '',
|
||||
recursive:
|
||||
clientReferenceSearch.recursive === undefined
|
||||
? true
|
||||
: clientReferenceSearch.recursive,
|
||||
regExp: clientReferenceSearch.include,
|
||||
include: undefined,
|
||||
exclude: clientReferenceSearch.exclude,
|
||||
};
|
||||
contextModuleFactory.resolveDependencies(
|
||||
fs,
|
||||
options,
|
||||
(err2: null | Error, deps: Array<ModuleDependency>) => {
|
||||
if (err2) return cb(err2);
|
||||
const clientRefDeps = deps.map(dep => {
|
||||
const request = join(resolvedDirectory, dep.request);
|
||||
const clientRefDep = new ClientReferenceDependency(request);
|
||||
clientRefDep.userRequest = dep.userRequest;
|
||||
return clientRefDep;
|
||||
});
|
||||
cb(null, clientRefDeps);
|
||||
},
|
||||
);
|
||||
},
|
||||
);
|
||||
},
|
||||
(
|
||||
err: null | Error,
|
||||
result: $ReadOnlyArray<$ReadOnlyArray<ClientReferenceDependency>>,
|
||||
): void => {
|
||||
if (err) return callback(err);
|
||||
const flat = [];
|
||||
for (let i = 0; i < result.length; i++) {
|
||||
flat.push.apply(flat, result[i]);
|
||||
}
|
||||
callback(null, flat);
|
||||
},
|
||||
);
|
||||
}
|
||||
}
|
||||
|
||||
@@ -301,7 +301,7 @@ const bundles = [
|
||||
moduleType: RENDERER_UTILS,
|
||||
entry: 'react-transport-dom-webpack/plugin',
|
||||
global: 'ReactFlightWebpackPlugin',
|
||||
externals: ['fs', 'path', 'url'],
|
||||
externals: ['fs', 'path', 'url', 'neo-async'],
|
||||
},
|
||||
|
||||
/******* React Transport DOM Webpack Node.js Loader *******/
|
||||
|
||||
Reference in New Issue
Block a user