- Notifications
You must be signed in to change notification settings - Fork128
plugins
For a high-level introduction to writing plugins, start withHow to write a plugin.
Many objects in Webpack extend the Tapable class, which exposes aplugin
method. And with theplugin
method, plugins can inject custom build steps. You will seecompiler.plugin
andcompilation.plugin
used a lot. Essentially, each one of these plugin calls binds a callback to fire at specific steps throughout the build process.
A plugin is installed once as Webpack starts up. Webpack installs a plugin by calling itsapply
method, and passes a reference to the Webpackcompiler
object. You may then callcompiler.plugin
to access asset compilations and their individual build steps. An example would look like this:
// MyPlugin.jsfunctionMyPlugin(options){// Configure your plugin with options...}MyPlugin.prototype.apply=function(compiler){compiler.plugin("compile",function(params){console.log("The compiler is starting to compile...");});compiler.plugin("compilation",function(compilation){console.log("The compiler is starting a new compilation...");compilation.plugin("optimize",function(){console.log("The compilation is starting to optimize files...");});});compiler.plugin("emit",function(compilation,callback){console.log("The compilation is going to emit files...");callback();});};module.exports=MyPlugin;
Then inwebpack.config.js
plugins:[newMyPlugin({options:'nada'})]
There are two types of plugin interfaces.
Timing based
- sync (default): As seen above. Use return.
- async: Last parameter is a callback. Signature: function(err, result)
- parallel: The handlers are invoked parallel (async).
Return value
- not bailing (default): No return value.
- bailing: The handlers are invoked in order until one handler returns something.
- parallel bailing: The handlers are invoked in parallel (async). The first returned value (by order) is significant.
- waterfall: Each handler gets the result value of the last handler as an argument.
Plugins need to have the apply method on their prototype chain (or bound to) in order to have access to the compiler instance.
//MyPlugin.jsfunctionMyPlugin(){};MyPlugin.prototype.apply=function(compiler){//now you have access to all the compiler instance methods}module.exports=MyPlugin;
Something like this should also work
//MyFunction.jsfunctionapply(options,compiler){//now you have access to the compiler instance//and options}//this little trick makes it easier to pass and check options to the pluginmodule.exports=function(options){if(optionsinstanceofArray){options={include:options};}if(!Array.isArray(options.include)){options.include=[options.include];}return{apply:apply.bind(this,options)};};
Therun
method of the Compiler is used to start a compilation. This is not called in watch mode.
Thewatch
method of the Compiler is used to start a watching compilation. This is not called in normal mode.
ACompilation
is created. A plugin can use this to obtain a reference to theCompilation
object. Theparams
object contains useful references.
ANormalModuleFactory
is created. A plugin can use this to obtain a reference to theNormalModuleFactory
object.
compiler.plugin("normal-module-factory",function(nmf){nmf.plugin("after-resolve",function(data){data.loaders.unshift(path.join(__dirname,"postloader.js"));});});
AContextModuleFactory
is created. A plugin can use this to obtain a reference to theContextModuleFactory
object.
The Compiler starts compiling. This is used in normal and watch mode. Plugins can use this point to modify theparams
object (i. e. to decorate the factories).
compiler.plugin("compile",function(params){//you are now in the "compile" phase});
Plugins can use this point to add entries to the compilation or prefetch modules. They can do this by callingaddEntry(context, entry, name, callback)
orprefetch(context, dependency, callback)
on the Compilation.
The compile process is finished and the modules are sealed. The next step is to emit the generated stuff. Here modules can use the results in some cool ways.
The handlers are not copied to child compilers.
The Compiler begins with emitting the generated assets. Here plugins have the last chance to add assets to thec.assets
array.
The Compiler has emitted all assets.
All is done.
The Compiler is in watch mode and a compilation has failed hard.
The Compiler is in watch mode and a file change is detected. The compilation will be begin shortly (options.watchDelay
).
All plugins extracted from the options object are added to the compiler.
All plugins extracted from the options object are added to the resolvers.
The Compilation instance extends from the compiler. ie. compiler.compilation It is the literal compilation of all the objects in the require graph. This object has access to all the modules and their dependencies (most of which are circular references). In the compilation phase, modules are loaded, sealed, optimized, chunked, hashed and restored, etc. This would be the main lifecycle of any operations of the compilation.
compiler.plugin("compilation",function(compilation){//the main compilation instance//all subsequent methods are derived from compilation.plugin});
The normal module loader, is the function that actually loads all the modules in the module graph (one-by-one).
compilation.plugin('normal-module-loader',function(loaderContext,module){//this is where all the modules are loaded//one by one, no dependencies are created yet});
The sealing of the compilation has started.
compilation.plugin('seal',function(){//you are not accepting any more modules//no arguments});
Optimize the compilation.
compilation.plugin('optimize',function(){//webpack is begining the optimization phase// no arguments});
Async optimization of the tree.
compilation.plugin('optimize-tree',function(chunks,modules){});
Optimize the modules.
compilation.plugin('optimize-modules',function(modules){//handle to the modules array during tree optimization});
Optimizing the modules has finished.
Optimize the chunks.
//optimize chunks may be run several times in a compilationcompilation.plugin('optimize-chunks',function(chunks){//unless you specified multiple entries in your config//there's only one chunk at this pointchunks.forEach(function(chunk){//chunks have circular references to their moduleschunk.modules.forEach(function(module){//module.loaders, module.rawRequest, module.dependencies, etc.});});});
Optimizing the chunks has finished.
Restore module info from records.
Sort the modules in order of importance. The first is the most important module. It will get the smallest id.
Optimize the module ids.
Optimizing the module ids has finished.
Store module info to the records.
Restore chunk info from records.
Sort the chunks in order of importance. The first is the most important chunk. It will get the smallest id.
Optimize the chunk ids.
Optimizing the chunk ids has finished.
Store chunk info to the records.
Before the compilation is hashed.
After the compilation is hashed.
Before creating the chunk assets.
Create additional assets for the chunks.
Store info about the compilation to the records
Optimize the assets for the chunks.
The assets are stored inthis.assets
, but not all of them are chunk assets. AChunk
has a propertyfiles
which points to all files created by this chunk. The additional chunk assets are stored inthis.additionalChunkAssets
.
Here's an example that simply adds a banner to each chunk.
compilation.plugin("optimize-chunk-assets",function(chunks,callback){chunks.forEach(function(chunk){chunk.files.forEach(function(file){compilation.assets[file]=newConcatSource("\/**Sweet Banner**\/","\n",compilation.assets[file]);});});callback();});
The chunk assets have been optimized. Here's an example plugin from@boopathi that outputs exactly what went into each chunk.
varPrintChunksPlugin=function(){};PrintChunksPlugin.prototype.apply=function(compiler){compiler.plugin('compilation',function(compilation,params){compilation.plugin('after-optimize-chunk-assets',function(chunks){console.log(chunks.map(function(c){return{id:c.id,name:c.name,includes:c.modules.map(function(m){returnm.request;})};}));});});};
Optimize all assets.
The assets are stored inthis.assets
.
The assets has been optimized.
Before a module build has started.
compilation.plugin('build-module',function(module){console.log('build module');console.log(module);});
A module has been built successfully.
compilation.plugin('succeed-module',function(module){console.log('succeed module');console.log(module);});
The module build has failed.
compilation.plugin('failed-module',function(module){console.log('failed module');console.log(module);});
An asset from a module was added to the compilation.
An asset from a chunk was added to the compilation.
compilation.mainTemplate.plugin('startup',function(source,module,hash){if(!module.chunks.length&&source.indexOf('__ReactStyle__')===-1){varoriginName=module.origins&&module.origins.length ?module.origins[0].name :'main';return['if (typeof window !== "undefined") {',' window.__ReactStyle__ = '+JSON.stringify(classNames[originName])+';','}'].join('\n')+source;}returnsource;});
The parser instance takes a String and callback and will return an expression when there's a match.
compiler.parser.plugin("var rewire",function(expr){//if you original module has 'var rewire'//you now have a handle on the expresssion objectreturntrue;});
General purpose plugin interface for the AST of a code fragment.
General purpose plugin interface for the statements of the code fragment.
abc(1)
=>call abc
a.b.c(1)
=>call a.b.c
abc
=>expression abc
a.b.c
=>expression a.b.c
(abc ? 1 : 2)
=>expression ?!
Return a boolean value to omit parsing of the wrong path.
typeof a.b.c
=>typeof a.b.c
if(abc) {}
=>statement if
Return a boolean value to omit parsing of the wrong path.
xyz: abc
=>label xyz
var abc, def
=>var abc
+var def
Returnfalse
to not add the variable to the known definitions.
Evaluate an expression.
Evaluate the type of an identifier.
Evaluate a identifier that is a free var.
Evaluate a identifier that is a defined var.
Evaluate a call to a member function of a successfully evaluated expression.
Before the factory starts resolving. Thedata
object has these properties:
context
The absolute path of the directory for resolving.request
The request of the expression.
Plugins are allowed to modify the object or to pass a new similar object to the callback.
After the factory has resolved the request. Thedata
object has these properties:
request
The resolved request. It acts as an identifier for the NormalModule.userRequest
The request the user entered. It's resolved, but does not contain pre or post loaders.rawRequest
The unresolved request.loaders
A array of resolved loaders. This is passed to the NormalModule and they will be executed.resource
The resource. It will be loaded by the NormalModule.parser
The parser that will be used by the NormalModule.
compiler.resolvers.normal
Resolver for a normal modulecompiler.resolvers.context
Resolver for a context modulecompiler.resolvers.loader
Resolver for a loader
Any plugin should usethis.fileSystem
as fileSystem, as it's cached. It only has async named functions, but they may behave sync, if the user uses a sync file system implementation (i. e. in enhanced-require).
To join paths any plugin should usethis.join
. It normalizes the paths. There is athis.normalize
too.
A bailing async forEach implementation is available onthis.forEachBail(array, iterator, callback)
.
To pass the request to other resolving plugins, use thethis.doResolve(types: String|String[], request: Request, callback)
method.types
are multiple possible request types that are tested in order of preference.
interfaceRequest{path:String// The current directory of the requestrequest:String// The current request stringquery:String// The query string of the request, if anymodule:boolean// The request begins with a moduledirectory:boolean// The request points to a directoryfile:boolean// The request points to a fileresolved:boolean// The request is resolved/done// undefined means false for boolean fields}// Examples// from /home/user/project/file.js: require("../test?charset=ascii"){path:"/home/user/project",request:"../test",query:"?charset=ascii"}// from /home/user/project/file.js: require("test/test/"){path:"/home/user/project",request:"test/test/",module:true,directory:true}
Before the resolving process starts.
Before a single step in the resolving process starts.
A module request is found and should be resolved.
A directory request is found and should be resolved.
A file request is found and should be resolved.
Here is a list what the default plugins in webpack offer. They are all(request: Request)
async waterfall.
The process for normal modules and contexts ismodule -> module-module -> directory -> file
.
The process for loaders ismodule -> module-loader-module -> module-module -> directory -> file
.
A module should be looked up in a specified directory.path
contains the directory.
Used before module templates are applied to the module name. The process continues withmodule-module
.
webpack 👍