Aar*_*ton 9 logging file build watch webpack
我想让Webpack记录触发我的监视模式构建的文件.
我已经配置了一个监听watch-run编译器事件挂钩的插件,如下所示:
function() {
this.plugin("watch-run", function(watching, callback) {
// maybe something in `watching` will indicate the changed file?
// when I find out what it is, `console.log` it here
callback();
});
}
// Example output: "/Users/aaron/git/test/index.js" was changed, new build triggered
Run Code Online (Sandbox Code Playgroud)
但我无法弄清楚更改的文件信息可能在哪里,如果它在那里.
Webpack文档在这方面确实缺乏.该编译器事件挂钩页面没有任何实例(只的消息来解释例子即将推出),以及老V1文件在阐述中提供的属性/方法也好不了多少watching/ compiler对象.
任何帮助或指导将不胜感激.
小智 16
对于 Webpack 5,由于watchFileSystem.watcher.mtimes 已被删除,我已将@sander的优秀答案更改为:
class WatchRunPlugin {
apply(compiler) {
compiler.hooks.watchRun.tap('WatchRun', (comp) => {
if (comp.modifiedFiles) {
const changedFiles = Array.from(comp.modifiedFiles, (file) => `\n ${file}`).join('');
console.log('===============================');
console.log('FILES CHANGED:', changedFiles);
console.log('===============================');
}
});
}
}
Run Code Online (Sandbox Code Playgroud)
Mic*_*ngo 14
webpack文档不包含此类信息,并且很难包含编译器上可用的所有可能选项.但我想说,这是一个你应该通过阅读源代码或启动调试器并调查它们来探索可用选项的领域.我做了后者,发现更改的文件可用于:
watching.compiler.watchFileSystem.watcher.mtimes
Run Code Online (Sandbox Code Playgroud)
这是一个对象,其中每个键是已更改文件的绝对路径,值是更改后的时间戳.当在配置的轮询间隔内保存了多个更改时,可能会有多个文件更改触发重新编译.
以下代码打印已更改的文件(文件也可能为空):
this.plugin("watch-run", (watching, done) => {
const changedTimes = watching.compiler.watchFileSystem.watcher.mtimes;
const changedFiles = Object.keys(changedTimes)
.map(file => `\n ${file}`)
.join("");
if (changedFiles.length) {
console.log("New build triggered, files changed:", changedFiles);
}
done();
});
Run Code Online (Sandbox Code Playgroud)
一个示例输出是:
New build triggered, files changed:
/path/to/app/src/components/item/Item.js
/path/to/app/src/App.js
Run Code Online (Sandbox Code Playgroud)
注意:此输出将在打印最终统计数据之前出现.
我在Webpack 4中使用的插件:
class WatchRunPlugin {
apply(compiler) {
compiler.hooks.watchRun.tap('WatchRun', (comp) => {
const changedTimes = comp.watchFileSystem.watcher.mtimes;
const changedFiles = Object.keys(changedTimes)
.map(file => `\n ${file}`)
.join('');
if (changedFiles.length) {
console.log("====================================")
console.log('NEW BUILD FILES CHANGED:', changedFiles);
console.log("====================================")
}
});
}
}
Run Code Online (Sandbox Code Playgroud)
在webpack 4中,您可以通过以下watcher方式访问:
getChangedFiles(compiler) {
const { watchFileSystem } = compiler;
const watcher = watchFileSystem.watcher || watchFileSystem.wfs.watcher;
return Object.keys(watcher.mtimes);
}
Run Code Online (Sandbox Code Playgroud)
后者在watchRun挂钩中
compiler.hooks.watchRun.tapAsync('plugin name', (_compiler, done) => {
const changedFile = this.getChangedFiles(_compiler)
// ...
return done();
});
Run Code Online (Sandbox Code Playgroud)