webpack/lib/Stats.js

1680 lines
45 KiB
JavaScript
Raw Normal View History

2013-01-31 01:49:25 +08:00
/*
MIT License http://www.opensource.org/licenses/mit-license.php
Author Tobias Koppers @sokra
*/
2018-07-30 23:08:51 +08:00
"use strict";
2013-01-31 01:49:25 +08:00
const RequestShortener = require("./RequestShortener");
2018-07-27 04:37:21 +08:00
const { formatSize } = require("./SizeFormatHelpers");
2018-07-30 23:08:51 +08:00
const compareLocations = require("./compareLocations");
const formatLocation = require("./formatLocation");
const AggressiveSplittingPlugin = require("./optimize/AggressiveSplittingPlugin");
const SizeLimitsPlugin = require("./performance/SizeLimitsPlugin");
const {
compareChunksById,
2018-09-05 20:22:10 +08:00
compareNumbers,
compareIds,
concatComparators,
compareSelect,
2018-09-05 22:06:20 +08:00
compareModulesById,
keepOriginalOrder
} = require("./util/comparators");
2017-07-24 19:28:33 +08:00
const identifierUtils = require("./util/identifier");
2013-01-31 01:49:25 +08:00
/** @typedef {import("./Chunk")} Chunk */
/** @typedef {import("./ChunkGroup")} ChunkGroup */
/** @typedef {import("./Compilation")} Compilation */
/** @typedef {import("./Dependency")} Dependency */
/** @typedef {import("./Dependency").DependencyLocation} DependencyLocation */
2018-09-05 22:06:20 +08:00
/** @typedef {import("./Module")} Module */
2018-08-22 20:54:28 +08:00
/** @typedef {import("./ModuleProfile")} ModuleProfile */
2017-11-08 18:32:05 +08:00
const optionsOrFallback = (...args) => {
let optionValues = [];
2017-11-08 18:32:05 +08:00
optionValues.push(...args);
2018-08-21 08:26:50 +08:00
return optionValues.find(optionValue => optionValue !== undefined);
};
2013-01-31 01:49:25 +08:00
2018-08-21 22:46:53 +08:00
// remove a prefixed "!" that can be specified to reverse sort order
const normalizeFieldKey = field => {
if (field[0] === "!") {
return field.substr(1);
}
return field;
};
// if a field is prefixed by a "!" reverse sort order
const sortOrderRegular = field => {
if (field[0] === "!") {
return false;
}
return true;
};
2018-12-10 18:34:59 +08:00
/**
*
* @param {string} filePath the file path
* @returns {string} the formatted file path
*/
const formatFilePath = filePath => {
const OPTIONS_REGEXP = /^(\s|\S)*!/;
return filePath.includes("!")
? `${filePath.replace(OPTIONS_REGEXP, "")} (${filePath})`
: `${filePath}`;
};
class Stats {
/**
* @param {Compilation} compilation webpack compilation
*/
constructor(compilation) {
this.compilation = compilation;
this.hash = compilation.hash;
this.startTime = undefined;
this.endTime = undefined;
}
2013-01-31 01:49:25 +08:00
static filterWarnings(warnings, warningsFilter) {
// we dont have anything to filter so all warnings can be shown
2018-02-25 09:00:20 +08:00
if (!warningsFilter) {
return warnings;
}
// create a chain of filters
2018-02-26 10:49:06 +08:00
// if they return "true" a warning should be suppressed
const normalizedWarningsFilters = [].concat(warningsFilter).map(filter => {
2018-02-25 09:00:20 +08:00
if (typeof filter === "string") {
return warning => warning.includes(filter);
}
2018-02-25 09:00:20 +08:00
if (filter instanceof RegExp) {
return warning => filter.test(warning);
}
2018-02-25 09:00:20 +08:00
if (typeof filter === "function") {
return filter;
}
2018-02-25 09:00:20 +08:00
throw new Error(
`Can only filter warnings with Strings or RegExps. (Given: ${filter})`
);
});
return warnings.filter(warning => {
return !normalizedWarningsFilters.some(check => check(warning));
});
}
2018-12-10 18:34:59 +08:00
/**
* @returns {boolean} true if the compilation encountered an error
*/
hasWarnings() {
2018-02-25 09:00:20 +08:00
return (
this.compilation.warnings.length > 0 ||
this.compilation.children.some(child => child.getStats().hasWarnings())
);
}
2015-07-13 06:20:09 +08:00
2018-12-10 18:34:59 +08:00
/**
* @returns {boolean} true if the compilation had a warning
*/
hasErrors() {
2018-02-25 09:00:20 +08:00
return (
this.compilation.errors.length > 0 ||
this.compilation.children.some(child => child.getStats().hasErrors())
);
2015-07-13 06:20:09 +08:00
}
toJson(options, forToString) {
2018-02-25 09:00:20 +08:00
if (typeof options === "boolean" || typeof options === "string") {
options = Stats.presetToOptions(options);
2018-02-25 09:00:20 +08:00
} else if (!options) {
options = {};
}
const optionOrLocalFallback = (v, def) =>
2018-08-21 08:26:50 +08:00
v !== undefined ? v : options.all !== undefined ? options.all : def;
2018-02-25 09:00:20 +08:00
const testAgainstGivenOption = item => {
if (typeof item === "string") {
const regExp = new RegExp(
`[\\\\/]${item.replace(
// eslint-disable-next-line no-useless-escape
2018-02-25 09:15:37 +08:00
/[-[\]{}()*+?.\\^$|]/g,
2018-02-25 09:00:20 +08:00
"\\$&"
)}([\\\\/]|$|!|\\?)`
);
return ident => regExp.test(ident);
}
if (item && typeof item === "object" && typeof item.test === "function") {
return ident => item.test(ident);
}
if (typeof item === "function") {
return item;
}
if (typeof item === "boolean") {
return () => item;
}
};
const compilation = this.compilation;
const moduleGraph = compilation.moduleGraph;
const chunkGraph = compilation.chunkGraph;
2018-02-25 09:00:20 +08:00
const context = optionsOrFallback(
options.context,
compilation.compiler.context
);
const requestShortener =
compilation.compiler.context === context
? compilation.requestShortener
: new RequestShortener(context);
const showPerformance = optionOrLocalFallback(options.performance, true);
const showHash = optionOrLocalFallback(options.hash, true);
const showEnv = optionOrLocalFallback(options.env, false);
const showVersion = optionOrLocalFallback(options.version, true);
const showTimings = optionOrLocalFallback(options.timings, true);
const showBuiltAt = optionOrLocalFallback(options.builtAt, true);
const showAssets = optionOrLocalFallback(options.assets, true);
2018-01-10 05:55:36 +08:00
const showEntrypoints = optionOrLocalFallback(options.entrypoints, true);
2018-04-23 19:41:00 +08:00
const showChunkGroups = optionOrLocalFallback(
options.chunkGroups,
!forToString
);
const showChunks = optionOrLocalFallback(options.chunks, !forToString);
const showChunkModules = optionOrLocalFallback(
options.chunkModules,
!forToString
);
const showChunkRootModules = optionOrLocalFallback(
options.chunkRootModules,
forToString ? !showChunkModules : true
);
2018-02-25 09:00:20 +08:00
const showChunkOrigins = optionOrLocalFallback(
options.chunkOrigins,
!forToString
);
const showModules = optionOrLocalFallback(options.modules, true);
2018-02-25 09:00:20 +08:00
const showNestedModules = optionOrLocalFallback(
options.nestedModules,
!forToString
2018-02-25 09:00:20 +08:00
);
const showOrphanModules = optionOrLocalFallback(
options.orphanModules,
false
);
const showModuleAssets = optionOrLocalFallback(
options.moduleAssets,
!forToString
);
const showDepth = optionOrLocalFallback(options.depth, !forToString);
const showCachedModules = optionOrLocalFallback(options.cached, true);
const showRuntimeModules = optionOrLocalFallback(
options.runtime,
!forToString
);
const showCachedAssets = optionOrLocalFallback(options.cachedAssets, true);
const showReasons = optionOrLocalFallback(options.reasons, !forToString);
2018-02-25 09:00:20 +08:00
const showUsedExports = optionOrLocalFallback(
options.usedExports,
!forToString
);
const showProvidedExports = optionOrLocalFallback(
options.providedExports,
!forToString
);
const showOptimizationBailout = optionOrLocalFallback(
options.optimizationBailout,
!forToString
);
const showChildren = optionOrLocalFallback(options.children, true);
2018-07-15 03:28:26 +08:00
const showSource = optionOrLocalFallback(options.source, false);
const showModuleTrace = optionOrLocalFallback(options.moduleTrace, true);
const showErrors = optionOrLocalFallback(options.errors, true);
2018-02-25 09:00:20 +08:00
const showErrorDetails = optionOrLocalFallback(
options.errorDetails,
!forToString
);
const showWarnings = optionOrLocalFallback(options.warnings, true);
const warningsFilter = optionsOrFallback(options.warningsFilter, null);
2018-02-25 09:00:20 +08:00
const showPublicPath = optionOrLocalFallback(
options.publicPath,
!forToString
);
const excludeModules = []
.concat(optionsOrFallback(options.excludeModules, options.exclude, []))
.map(testAgainstGivenOption);
const excludeAssets = []
.concat(optionsOrFallback(options.excludeAssets, []))
.map(testAgainstGivenOption);
const maxModules = optionsOrFallback(
options.maxModules,
forToString ? 15 : Infinity
);
const sortModules = optionsOrFallback(options.modulesSort, "id");
const sortChunks = optionsOrFallback(options.chunksSort, "id");
2018-09-05 20:22:10 +08:00
const sortAssets = optionsOrFallback(options.assetsSort, "name");
2018-02-25 09:00:20 +08:00
const showOutputPath = optionOrLocalFallback(
options.outputPath,
!forToString
);
if (!showOrphanModules) {
2018-08-10 02:32:31 +08:00
excludeModules.push((ident, module, type) => {
return (
chunkGraph.getNumberOfModuleChunks(module) === 0 && type !== "nested"
);
});
}
2018-02-25 09:00:20 +08:00
if (!showCachedModules) {
2018-08-22 21:33:16 +08:00
excludeModules.push(
(ident, module) => !compilation.builtModules.has(module)
);
}
if (!showRuntimeModules) {
excludeModules.push((ident, module) => module.type === "runtime");
}
2018-08-10 02:32:31 +08:00
const createModuleFilter = type => {
let i = 0;
return module => {
2018-02-25 09:00:20 +08:00
if (excludeModules.length > 0) {
const ident = requestShortener.shorten(module.resource);
2018-08-10 02:32:31 +08:00
const excluded = excludeModules.some(fn => fn(ident, module, type));
2018-02-25 09:00:20 +08:00
if (excluded) return false;
}
const result = i < maxModules;
i++;
return result;
};
2017-01-11 17:51:58 +08:00
};
const createAssetFilter = () => {
return asset => {
2018-02-25 09:00:20 +08:00
if (excludeAssets.length > 0) {
const ident = asset.name;
const excluded = excludeAssets.some(fn => fn(ident, asset));
2018-02-25 09:00:20 +08:00
if (excluded) return false;
}
return showCachedAssets || asset.emitted;
};
};
2018-09-05 20:22:10 +08:00
const sortRealModules = concatComparators(
2018-09-05 22:06:20 +08:00
compareSelect(
/**
* @param {Module} m module
* @returns {number} depth
*/
m => moduleGraph.getDepth(m),
compareNumbers
),
compareSelect(
/**
* @param {Module} m module
* @returns {number} index
*/
m => moduleGraph.getPreOrderIndex(m),
compareNumbers
),
compareSelect(
/**
* @param {Module} m module
* @returns {string} identifier
*/
m => m.identifier(),
compareIds
)
);
2018-08-21 22:46:53 +08:00
const sortByField = field => {
2018-02-25 09:00:20 +08:00
if (!field) {
2018-09-05 22:06:20 +08:00
/**
* @param {any} a first
* @param {any} b second
* @returns {-1|0|1} zero
*/
const noSort = (a, b) => 0;
return noSort;
}
2013-01-31 01:49:25 +08:00
2018-08-21 22:46:53 +08:00
const fieldKey = normalizeFieldKey(field);
2018-09-05 20:22:10 +08:00
let sortFn = compareSelect(m => m[fieldKey], compareIds);
// if a field is prefixed with a "!" the sort is reversed!
2018-08-21 22:46:53 +08:00
const sortIsRegular = sortOrderRegular(field);
2018-08-21 22:46:53 +08:00
if (!sortIsRegular) {
const oldSortFn = sortFn;
sortFn = (a, b) => oldSortFn(b, a);
}
return sortFn;
2017-01-11 17:51:58 +08:00
};
2015-07-13 06:20:09 +08:00
2018-02-25 09:00:20 +08:00
const formatError = e => {
let text = "";
if (typeof e === "string") {
e = { message: e };
}
2018-02-25 09:00:20 +08:00
if (e.chunk) {
text += `chunk ${e.chunk.name || e.chunk.id}${
e.chunk.hasRuntime()
? " [entry]"
: e.chunk.canBeInitial()
? " [initial]"
: ""
2018-02-25 09:00:20 +08:00
}\n`;
}
2018-02-25 09:00:20 +08:00
if (e.file) {
text += `${e.file}\n`;
}
2018-02-25 09:00:20 +08:00
if (
e.module &&
e.module.readableIdentifier &&
typeof e.module.readableIdentifier === "function"
) {
2018-12-10 18:34:59 +08:00
text += formatFilePath(e.module.readableIdentifier(requestShortener));
if (typeof e.loc === "object") {
const locInfo = formatLocation(e.loc);
if (locInfo) text += ` ${locInfo}`;
}
text += "\n";
}
text += e.message;
if (showErrorDetails && e.details) {
text += `\n${e.details}`;
}
if (showErrorDetails && e.missing) {
2018-02-25 09:00:20 +08:00
text += e.missing.map(item => `\n[${item}]`).join("");
}
/** @type {Module} */
let current = e.module;
if (showModuleTrace) {
while (current) {
const origin = moduleGraph.getIssuer(current);
if (!origin) break;
2018-12-10 18:34:59 +08:00
text += `\n @ ${formatFilePath(
origin.readableIdentifier(requestShortener)
)}`;
const connections = moduleGraph.getIncomingConnections(current);
for (const c of connections) {
if (
c.resolvedOriginModule === origin &&
c.dependency &&
c.dependency.loc
) {
const locInfo = formatLocation(c.dependency.loc);
if (locInfo) text += ` ${locInfo}`;
}
}
current = origin;
}
}
return text;
2017-01-11 17:51:58 +08:00
};
const obj = {
errors: compilation.errors.map(formatError),
2018-02-25 09:00:20 +08:00
warnings: Stats.filterWarnings(
compilation.warnings.map(formatError),
warningsFilter
)
};
2014-08-01 21:19:15 +08:00
//We just hint other renderers since actually omitting
//errors/warnings from the JSON would be kind of weird.
Object.defineProperty(obj, "_showWarnings", {
value: showWarnings,
enumerable: false
});
Object.defineProperty(obj, "_showErrors", {
value: showErrors,
enumerable: false
2015-04-17 16:17:10 +08:00
});
2018-02-25 09:00:20 +08:00
if (showVersion) {
obj.version = require("../package.json").version;
}
2018-02-25 09:00:20 +08:00
if (showHash) obj.hash = this.hash;
if (showTimings && this.startTime && this.endTime) {
obj.time = this.endTime - this.startTime;
}
2018-02-25 09:00:20 +08:00
if (showBuiltAt && this.endTime) {
2017-06-04 05:40:21 +08:00
obj.builtAt = this.endTime;
}
2018-02-25 09:00:20 +08:00
if (showEnv && options._env) {
obj.env = options._env;
}
2018-02-25 09:00:20 +08:00
if (compilation.needAdditionalPass) {
obj.needAdditionalPass = true;
}
2018-02-25 09:00:20 +08:00
if (showPublicPath) {
obj.publicPath = this.compilation.mainTemplate.getPublicPath({
hash: this.compilation.hash
2013-01-31 01:49:25 +08:00
});
}
2018-02-25 09:00:20 +08:00
if (showOutputPath) {
obj.outputPath = this.compilation.mainTemplate.outputOptions.path;
}
2018-02-25 09:00:20 +08:00
if (showAssets) {
const assetsByFile = {};
2017-07-26 22:03:06 +08:00
const compilationAssets = Object.keys(compilation.assets);
obj.assetsByChunkName = {};
2018-02-25 09:00:20 +08:00
obj.assets = compilationAssets
.map(asset => {
2018-11-09 06:26:24 +08:00
const source = compilation.assets[asset];
2018-02-25 09:00:20 +08:00
const obj = {
name: asset,
2018-11-09 06:26:24 +08:00
size: source.size(),
2018-02-25 09:00:20 +08:00
chunks: [],
chunkNames: [],
2018-11-09 06:26:24 +08:00
emitted: compilation.emittedAssets.has(source)
2018-02-25 09:00:20 +08:00
};
2015-07-13 06:20:09 +08:00
2018-02-25 09:00:20 +08:00
if (showPerformance) {
2018-11-09 06:26:24 +08:00
obj.isOverSizeLimit = SizeLimitsPlugin.isOverSizeLimit(source);
2018-02-25 09:00:20 +08:00
}
2018-02-25 09:00:20 +08:00
assetsByFile[asset] = obj;
return obj;
})
.filter(createAssetFilter());
2017-07-26 22:03:06 +08:00
obj.filteredAssets = compilationAssets.length - obj.assets.length;
2018-02-25 09:00:20 +08:00
for (const chunk of compilation.chunks) {
for (const asset of chunk.files) {
if (assetsByFile[asset]) {
for (const id of chunk.ids) {
assetsByFile[asset].chunks.push(id);
2018-01-22 20:52:43 +08:00
}
2018-02-25 09:00:20 +08:00
if (chunk.name) {
assetsByFile[asset].chunkNames.push(chunk.name);
if (obj.assetsByChunkName[chunk.name]) {
2018-02-25 09:00:20 +08:00
obj.assetsByChunkName[chunk.name] = []
.concat(obj.assetsByChunkName[chunk.name])
.concat([asset]);
} else {
obj.assetsByChunkName[chunk.name] = asset;
}
}
}
2018-01-22 20:52:43 +08:00
}
}
2018-09-05 22:06:20 +08:00
if (sortAssets) {
obj.assets.sort(
concatComparators(
sortByField(sortAssets),
compareSelect(a => a.name, compareIds)
)
);
}
2013-01-31 01:49:25 +08:00
}
/**
* @param {Map<string, ChunkGroup>} groupMap map from name to chunk group
* @returns {Object} chunk group stats object
*/
const fnChunkGroup = groupMap => {
const obj = {};
for (const keyValuePair of groupMap) {
const name = keyValuePair[0];
const cg = keyValuePair[1];
const children = cg.getChildrenByOrders(moduleGraph, chunkGraph);
obj[name] = {
chunks: cg.chunks.map(c => c.id),
assets: cg.chunks.reduce(
2018-02-25 09:00:20 +08:00
(array, c) => array.concat(c.files || []),
/** @type {string[]} */ ([])
),
children: Object.keys(children).reduce((obj, key) => {
const groups = children[key];
obj[key] = groups.map(group => ({
name: group.name,
chunks: group.chunks.map(c => c.id),
assets: group.chunks.reduce(
(array, c) => array.concat(c.files || []),
/** @type {string[]} */ ([])
)
}));
return obj;
}, /** @type {Record<string, {name: string, chunks: (string|number)[], assets: string[]}[]>} */ Object.create(null)),
childAssets: Object.keys(children).reduce((obj, key) => {
const groups = children[key];
obj[key] = Array.from(
groups.reduce((set, group) => {
for (const chunk of group.chunks) {
for (const asset of chunk.files) {
set.add(asset);
}
}
return set;
}, /** @type {Set<string>} */ (new Set()))
);
return obj;
}, Object.create(null))
};
2018-02-25 09:00:20 +08:00
if (showPerformance) {
obj[name].isOverSizeLimit = SizeLimitsPlugin.isOverSizeLimit(cg);
}
}
return obj;
};
if (showEntrypoints) {
obj.entrypoints = fnChunkGroup(compilation.entrypoints);
}
if (showChunkGroups) {
2018-04-22 19:55:10 +08:00
obj.namedChunkGroups = fnChunkGroup(compilation.namedChunkGroups);
2013-02-19 18:11:43 +08:00
}
2018-08-22 20:54:28 +08:00
/**
* @param {ModuleProfile} profile the profile of the module
* @returns {any} stats info
*/
const fnProfile = profile => {
if (!profile) return undefined;
return {
resolving: profile.factory,
2018-10-09 20:30:59 +08:00
restoring: profile.restoring,
2018-08-22 20:54:28 +08:00
building: profile.building,
integration: profile.integration,
2018-10-09 20:30:59 +08:00
storing: profile.storing,
2018-08-22 20:54:28 +08:00
additionalResolving: profile.additionalFactories,
additionalIntegration: profile.additionalIntegration,
2018-08-22 20:54:28 +08:00
// TODO remove this in webpack 6
factory: profile.factory,
2018-08-22 20:54:28 +08:00
// TODO remove this in webpack 6
dependencies: profile.additionalFactories
};
};
2018-08-10 02:32:31 +08:00
const fnModule = (module, nested) => {
const path = [];
const issuer = moduleGraph.getIssuer(module);
let current = issuer;
while (current) {
path.push(current);
current = moduleGraph.getIssuer(current);
}
path.reverse();
const obj = {
id: chunkGraph.getModuleId(module),
identifier: module.identifier(),
name: module.readableIdentifier(requestShortener),
index: moduleGraph.getPreOrderIndex(module),
preOrderIndex: moduleGraph.getPreOrderIndex(module),
index2: moduleGraph.getPostOrderIndex(module),
postOrderIndex: moduleGraph.getPostOrderIndex(module),
size: module.size(),
2018-12-04 18:24:15 +08:00
sizes: Array.from(module.getSourceTypes()).reduce((obj, type) => {
obj[type] = module.size(type);
return obj;
}, {}),
cacheable: module.buildInfo.cacheable,
2018-08-22 21:33:16 +08:00
built: compilation.builtModules.has(module),
optional: module.isOptional(moduleGraph),
runtime: module.type === "runtime",
chunks: Array.from(
chunkGraph.getOrderedModuleChunksIterable(module, compareChunksById),
chunk => chunk.id
),
issuer: issuer && issuer.identifier(),
issuerId: issuer && chunkGraph.getModuleId(issuer),
issuerName: issuer && issuer.readableIdentifier(requestShortener),
2018-02-25 09:00:20 +08:00
issuerPath:
issuer &&
2018-02-25 09:00:20 +08:00
path.map(module => ({
id: chunkGraph.getModuleId(module),
2018-02-25 09:00:20 +08:00
identifier: module.identifier(),
name: module.readableIdentifier(requestShortener),
2018-08-22 20:54:28 +08:00
profile: fnProfile(moduleGraph.getProfile(module))
2018-02-25 09:00:20 +08:00
})),
2018-08-22 20:54:28 +08:00
profile: fnProfile(moduleGraph.getProfile(module)),
failed: !!module.error,
errors: module.errors ? module.errors.length : 0,
warnings: module.warnings ? module.warnings.length : 0
2013-01-31 01:49:25 +08:00
};
2018-08-10 02:32:31 +08:00
if (showOrphanModules && !nested) {
obj.orphan = chunkGraph.getNumberOfModuleChunks(module) === 0;
2018-08-10 02:32:31 +08:00
}
if (showModuleAssets) {
obj.assets = Object.keys(module.buildInfo.assets || {});
}
2018-02-25 09:00:20 +08:00
if (showReasons) {
obj.reasons = moduleGraph
.getIncomingConnections(module)
.sort(
concatComparators(
compareSelect(
x => x.originModule,
compareModulesById(chunkGraph)
),
compareSelect(
x => x.dependency,
concatComparators(
compareSelect(
/**
* @param {Dependency} x dependency
* @returns {DependencyLocation} location
*/
x => x.loc,
compareLocations
),
compareSelect(x => x.type, compareIds)
)
)
)
)
2018-02-25 09:00:20 +08:00
.map(reason => {
2018-08-16 19:12:41 +08:00
const depAsAny = /** @type {TODO} */ (reason.dependency);
2018-02-25 09:00:20 +08:00
const obj = {
moduleId: reason.originModule
? chunkGraph.getModuleId(reason.originModule)
: null,
moduleIdentifier: reason.originModule
? reason.originModule.identifier()
2018-02-25 09:00:20 +08:00
: null,
module: reason.originModule
? reason.originModule.readableIdentifier(requestShortener)
2018-02-25 09:00:20 +08:00
: null,
moduleName: reason.originModule
? reason.originModule.readableIdentifier(requestShortener)
2018-02-25 09:00:20 +08:00
: null,
type: reason.dependency ? reason.dependency.type : null,
explanation: reason.explanation,
userRequest:
depAsAny && "userRequest" in depAsAny
? depAsAny.userRequest
: null
2018-02-25 09:00:20 +08:00
};
if (reason.dependency) {
const locInfo = formatLocation(reason.dependency.loc);
if (locInfo) {
obj.loc = locInfo;
}
2018-02-25 09:00:20 +08:00
}
return obj;
2018-07-20 01:44:44 +08:00
});
2013-01-31 01:49:25 +08:00
}
2018-02-25 09:00:20 +08:00
if (showUsedExports) {
const usedExports = moduleGraph.getUsedExports(module);
if (usedExports === null) {
obj.usedExports = null;
} else if (typeof usedExports === "boolean") {
obj.usedExports = usedExports;
} else {
obj.usedExports = Array.from(usedExports);
}
}
2018-02-25 09:00:20 +08:00
if (showProvidedExports) {
obj.providedExports = Array.isArray(module.buildMeta.providedExports)
? module.buildMeta.providedExports
: null;
}
2018-02-25 09:00:20 +08:00
if (showOptimizationBailout) {
obj.optimizationBailout = moduleGraph
.getOptimizationBailout(module)
.map(item => {
if (typeof item === "function") return item(requestShortener);
return item;
});
}
2018-02-25 09:00:20 +08:00
if (showDepth) {
obj.depth = moduleGraph.getDepth(module);
}
2018-02-25 09:00:20 +08:00
if (showNestedModules) {
if (module.modules) {
const modules = module.modules;
obj.modules = modules
2018-08-10 02:32:31 +08:00
.filter(createModuleFilter("nested"))
.map(m => fnModule(m, true));
obj.filteredModules = modules.length - obj.modules.length;
2018-09-05 22:06:20 +08:00
if (sortModules) {
obj.modules.sort(
concatComparators(
sortByField(sortModules),
keepOriginalOrder(obj.modules)
)
);
}
}
}
2018-02-25 09:00:20 +08:00
if (showSource && module._source) {
obj.source = module._source.source();
}
return obj;
2017-11-08 18:32:05 +08:00
};
2018-02-25 09:00:20 +08:00
if (showChunks) {
2018-09-06 22:59:11 +08:00
obj.chunks = Array.from(compilation.chunks).map(chunk => {
const parents = new Set();
const children = new Set();
const siblings = new Set();
const childIdByOrder = chunk.getChildIdsByOrders(chunkGraph);
2018-02-25 09:00:20 +08:00
for (const chunkGroup of chunk.groupsIterable) {
for (const parentGroup of chunkGroup.parentsIterable) {
for (const chunk of parentGroup.chunks) {
parents.add(chunk.id);
}
}
2018-02-25 09:00:20 +08:00
for (const childGroup of chunkGroup.childrenIterable) {
for (const chunk of childGroup.chunks) {
children.add(chunk.id);
}
}
2018-02-25 09:00:20 +08:00
for (const sibling of chunkGroup.chunks) {
if (sibling !== chunk) siblings.add(sibling.id);
}
}
const obj = {
id: chunk.id,
rendered: chunk.rendered,
initial: chunk.canBeInitial(),
entry: chunk.hasRuntime(),
recorded: AggressiveSplittingPlugin.wasChunkRecorded(chunk),
2018-01-09 16:40:30 +08:00
reason: chunk.chunkReason,
size: chunkGraph.getChunkModulesSize(chunk),
sizes: chunkGraph.getChunkModulesSizes(chunk),
names: chunk.name ? [chunk.name] : [],
files: chunk.files.slice(),
hash: chunk.renderedHash,
siblings: Array.from(siblings).sort(compareIds),
parents: Array.from(parents).sort(compareIds),
children: Array.from(children).sort(compareIds),
2018-04-17 14:56:40 +08:00
childrenByOrder: childIdByOrder
};
2018-02-25 09:00:20 +08:00
if (showChunkModules) {
obj.modules = chunkGraph
.getChunkModules(chunk)
.slice()
.sort(sortRealModules)
2018-08-10 02:32:31 +08:00
.filter(createModuleFilter("chunk"))
.map(m => fnModule(m));
obj.filteredModules =
chunkGraph.getNumberOfChunkModules(chunk) - obj.modules.length;
2018-09-05 22:06:20 +08:00
if (sortModules) {
obj.modules.sort(
concatComparators(
sortByField(sortModules),
keepOriginalOrder(obj.modules)
)
);
}
}
if (showChunkRootModules) {
const rootModules = chunkGraph.getChunkRootModules(chunk);
obj.rootModules = rootModules
.slice()
.sort(sortRealModules)
.filter(createModuleFilter("root-of-chunk"))
.map(m => fnModule(m));
obj.filteredRootModules = rootModules.length - obj.rootModules.length;
obj.nonRootModules =
chunkGraph.getNumberOfChunkModules(chunk) - rootModules.length;
if (sortModules) {
obj.rootModules.sort(
concatComparators(
sortByField(sortModules),
keepOriginalOrder(obj.rootModules)
)
);
}
}
2018-02-25 09:00:20 +08:00
if (showChunkOrigins) {
const originsKeySet = new Set();
obj.origins = Array.from(chunk.groupsIterable, g => g.origins)
.reduce((a, b) => a.concat(b), [])
.map(origin => ({
moduleId: origin.module
? chunkGraph.getModuleId(origin.module)
: undefined,
module: origin.module ? origin.module.identifier() : "",
moduleIdentifier: origin.module ? origin.module.identifier() : "",
2018-02-25 09:00:20 +08:00
moduleName: origin.module
? origin.module.readableIdentifier(requestShortener)
: "",
loc: formatLocation(origin.loc),
request: origin.request
2018-02-25 09:00:20 +08:00
}))
.filter(origin => {
const key = [origin.module, origin.loc, origin.request].join();
if (originsKeySet.has(key)) return false;
originsKeySet.add(key);
return true;
})
.sort(
concatComparators(
compareSelect(m => m.moduleId, compareIds),
compareSelect(m => m.loc, compareIds),
compareSelect(m => m.request, compareIds)
2018-02-25 09:00:20 +08:00
)
);
}
return obj;
});
2018-09-05 22:06:20 +08:00
obj.chunks.sort(
concatComparators(
sortByField(sortChunks),
compareSelect(c => c.id, compareIds)
)
);
}
2018-02-25 09:00:20 +08:00
if (showModules) {
2018-09-05 22:06:20 +08:00
obj.modules = Array.from(compilation.modules)
.sort(sortRealModules)
2018-08-10 02:32:31 +08:00
.filter(createModuleFilter("module"))
.map(m => fnModule(m));
2018-09-05 22:12:48 +08:00
obj.filteredModules = compilation.modules.size - obj.modules.length;
2018-09-05 22:06:20 +08:00
if (sortModules) {
obj.modules.sort(
concatComparators(
sortByField(sortModules),
keepOriginalOrder(obj.modules)
)
);
}
}
2018-02-25 09:00:20 +08:00
if (showChildren) {
obj.children = compilation.children.map((child, idx) => {
const childOptions = Stats.getChildOptions(options, idx);
const obj = new Stats(child).toJson(childOptions, forToString);
delete obj.hash;
delete obj.version;
if (child.name) {
2018-02-25 09:00:20 +08:00
obj.name = identifierUtils.makePathsRelative(
context,
child.name,
compilation.compiler.root
2018-02-25 09:00:20 +08:00
);
}
return obj;
});
}
return obj;
2013-01-31 01:49:25 +08:00
}
toString(options) {
2018-02-25 09:00:20 +08:00
if (typeof options === "boolean" || typeof options === "string") {
options = Stats.presetToOptions(options);
2018-02-25 09:00:20 +08:00
} else if (!options) {
options = {};
}
2013-01-31 01:49:25 +08:00
const useColors = optionsOrFallback(options.colors, false);
2015-07-13 06:20:09 +08:00
const obj = this.toJson(options, true);
2015-07-13 06:20:09 +08:00
return Stats.jsonToString(obj, useColors);
2013-01-31 01:49:25 +08:00
}
2015-07-13 06:20:09 +08:00
static jsonToString(obj, useColors) {
const buf = [];
2016-11-04 07:03:17 +08:00
const defaultColors = {
bold: "\u001b[1m",
yellow: "\u001b[1m\u001b[33m",
red: "\u001b[1m\u001b[31m",
green: "\u001b[1m\u001b[32m",
cyan: "\u001b[1m\u001b[36m",
magenta: "\u001b[1m\u001b[35m"
};
2018-02-25 09:00:20 +08:00
const colors = Object.keys(defaultColors).reduce(
(obj, color) => {
obj[color] = str => {
if (useColors) {
buf.push(
useColors === true || useColors[color] === undefined
? defaultColors[color]
: useColors[color]
);
}
buf.push(str);
if (useColors) {
buf.push("\u001b[39m\u001b[22m");
}
};
return obj;
},
{
normal: str => buf.push(str)
}
);
2015-07-13 06:20:09 +08:00
2018-02-25 09:00:20 +08:00
const coloredTime = time => {
let times = [800, 400, 200, 100];
2018-02-25 09:00:20 +08:00
if (obj.time) {
times = [obj.time / 2, obj.time / 4, obj.time / 8, obj.time / 16];
}
2018-02-25 09:00:20 +08:00
if (time < times[3]) colors.normal(`${time}ms`);
else if (time < times[2]) colors.bold(`${time}ms`);
else if (time < times[1]) colors.green(`${time}ms`);
else if (time < times[0]) colors.yellow(`${time}ms`);
else colors.red(`${time}ms`);
2017-01-11 17:51:58 +08:00
};
const newline = () => buf.push("\n");
const getText = (arr, row, col) => {
return arr[row][col].value;
2017-01-11 17:51:58 +08:00
};
const table = (array, align, splitter) => {
const rows = array.length;
const cols = array[0].length;
const colSizes = new Array(cols);
for (let col = 0; col < cols; col++) {
colSizes[col] = 0;
}
2018-02-25 09:00:20 +08:00
for (let row = 0; row < rows; row++) {
for (let col = 0; col < cols; col++) {
const value = `${getText(array, row, col)}`;
2018-02-25 09:00:20 +08:00
if (value.length > colSizes[col]) {
colSizes[col] = value.length;
}
}
2016-12-14 18:50:44 +08:00
}
2018-02-25 09:00:20 +08:00
for (let row = 0; row < rows; row++) {
for (let col = 0; col < cols; col++) {
const format = array[row][col].color;
const value = `${getText(array, row, col)}`;
let l = value.length;
if (align[col] === "l") {
format(value);
}
for (; l < colSizes[col] && col !== cols - 1; l++) {
colors.normal(" ");
}
if (align[col] === "r") {
format(value);
}
if (col + 1 < cols && colSizes[col] !== 0) {
colors.normal(splitter || " ");
}
}
newline();
2013-05-10 00:17:28 +08:00
}
2017-01-11 17:51:58 +08:00
};
const getAssetColor = (asset, defaultColor) => {
2018-02-25 09:00:20 +08:00
if (asset.isOverSizeLimit) {
return colors.yellow;
}
return defaultColor;
2017-01-11 17:51:58 +08:00
};
2018-02-25 09:00:20 +08:00
if (obj.hash) {
colors.normal("Hash: ");
colors.bold(obj.hash);
newline();
2016-09-09 20:19:36 +08:00
}
2018-02-25 09:00:20 +08:00
if (obj.version) {
colors.normal("Version: webpack ");
colors.bold(obj.version);
newline();
2016-09-09 20:19:36 +08:00
}
2018-02-25 09:00:20 +08:00
if (typeof obj.time === "number") {
colors.normal("Time: ");
colors.bold(obj.time);
colors.normal("ms");
newline();
2016-09-09 20:19:36 +08:00
}
2018-02-25 09:00:20 +08:00
if (typeof obj.builtAt === "number") {
const builtAtDate = new Date(obj.builtAt);
colors.normal("Built at: ");
2018-03-05 15:38:32 +08:00
colors.normal(
2018-04-11 03:32:12 +08:00
builtAtDate.toLocaleDateString(undefined, {
2018-03-05 15:38:32 +08:00
day: "2-digit",
month: "2-digit",
year: "numeric"
})
);
colors.normal(" ");
colors.bold(builtAtDate.toLocaleTimeString());
newline();
}
2018-02-25 09:00:20 +08:00
if (obj.env) {
colors.normal("Environment (--env): ");
colors.bold(JSON.stringify(obj.env, null, 2));
newline();
}
2018-02-25 09:00:20 +08:00
if (obj.publicPath) {
colors.normal("PublicPath: ");
colors.bold(obj.publicPath);
2016-09-09 20:19:36 +08:00
newline();
}
2018-02-25 09:00:20 +08:00
if (obj.assets && obj.assets.length > 0) {
const t = [
2018-02-25 09:00:20 +08:00
[
{
value: "Asset",
color: colors.bold
},
{
value: "Size",
color: colors.bold
},
{
value: "Chunks",
color: colors.bold
},
{
value: "",
color: colors.bold
},
{
value: "",
color: colors.bold
},
{
value: "Chunk Names",
color: colors.bold
}
]
];
2018-02-25 09:00:20 +08:00
for (const asset of obj.assets) {
t.push([
{
value: asset.name,
color: getAssetColor(asset, colors.green)
},
{
2018-07-27 04:37:21 +08:00
value: formatSize(asset.size),
2018-02-25 09:00:20 +08:00
color: getAssetColor(asset, colors.normal)
},
{
value: asset.chunks.map(c => `{${c}}`).join(", "),
2018-02-25 09:00:20 +08:00
color: colors.bold
},
{
value: asset.emitted ? "[emitted]" : "",
color: colors.green
},
{
value: asset.isOverSizeLimit ? "[big]" : "",
color: getAssetColor(asset, colors.normal)
},
{
value: asset.chunkNames.join(", "),
color: colors.normal
}
]);
2018-01-22 20:52:43 +08:00
}
table(t, "rrrlll");
2016-09-09 20:19:36 +08:00
}
2018-02-25 09:00:20 +08:00
if (obj.filteredAssets > 0) {
colors.normal(" ");
2018-02-25 09:00:20 +08:00
if (obj.assets.length > 0) colors.normal("+ ");
colors.normal(obj.filteredAssets);
2018-02-25 09:00:20 +08:00
if (obj.assets.length > 0) colors.normal(" hidden");
colors.normal(obj.filteredAssets !== 1 ? " assets" : " asset");
newline();
}
2018-04-23 19:41:00 +08:00
const processChunkGroups = (namedGroups, prefix) => {
for (const name of Object.keys(namedGroups)) {
const cg = namedGroups[name];
colors.normal(`${prefix} `);
colors.bold(name);
2018-04-23 19:41:00 +08:00
if (cg.isOverSizeLimit) {
2016-09-09 20:19:36 +08:00
colors.normal(" ");
colors.yellow("[big]");
2016-09-09 20:19:36 +08:00
}
colors.normal(" =");
2018-04-23 19:41:00 +08:00
for (const asset of cg.assets) {
colors.normal(" ");
colors.green(asset);
2018-01-22 20:52:43 +08:00
}
2018-04-23 19:41:00 +08:00
for (const name of Object.keys(cg.childAssets)) {
const assets = cg.childAssets[name];
if (assets && assets.length > 0) {
colors.normal(" ");
colors.magenta(`(${name}:`);
for (const asset of assets) {
colors.normal(" ");
colors.green(asset);
}
colors.magenta(")");
}
}
2016-09-09 20:19:36 +08:00
newline();
2018-01-22 20:52:43 +08:00
}
2018-04-23 19:41:00 +08:00
};
if (obj.entrypoints) {
processChunkGroups(obj.entrypoints, "Entrypoint");
2016-09-09 20:19:36 +08:00
}
2018-04-23 19:41:00 +08:00
if (obj.namedChunkGroups) {
let outputChunkGroups = obj.namedChunkGroups;
if (obj.entrypoints) {
outputChunkGroups = Object.keys(outputChunkGroups)
.filter(name => !obj.entrypoints[name])
.reduce((result, name) => {
result[name] = obj.namedChunkGroups[name];
return result;
}, {});
}
processChunkGroups(outputChunkGroups, "Chunk Group");
}
const processSizes = sizes => {
const keys = Object.keys(sizes);
2018-12-04 18:24:15 +08:00
if (keys.length > 1) {
for (const key of keys) {
colors.normal(" ");
colors.normal(formatSize(sizes[key]));
2018-12-04 18:24:15 +08:00
colors.normal(" (");
colors.normal(key);
colors.normal(")");
}
} else if (keys.length === 1) {
colors.normal(" ");
colors.normal(formatSize(sizes[keys[0]]));
2018-12-04 18:24:15 +08:00
}
};
const processModuleAttributes = module => {
processSizes(module.sizes);
2018-02-25 09:00:20 +08:00
if (module.chunks) {
for (const chunk of module.chunks) {
colors.normal(" {");
colors.yellow(chunk);
colors.normal("}");
2018-01-22 20:52:43 +08:00
}
}
2018-02-25 09:00:20 +08:00
if (typeof module.depth === "number") {
colors.normal(` [depth ${module.depth}]`);
2013-05-08 19:28:54 +08:00
}
2018-02-25 09:00:20 +08:00
if (module.cacheable === false) {
colors.red(" [not cacheable]");
}
if (module.orphan) {
colors.yellow(" [orphan]");
}
if (module.runtime) {
colors.yellow(" [runtime]");
}
2018-02-25 09:00:20 +08:00
if (module.optional) {
colors.yellow(" [optional]");
}
2018-02-25 09:00:20 +08:00
if (module.built) {
colors.green(" [built]");
}
if (module.assets && module.assets.length) {
colors.magenta(
` [${module.assets.length} asset${
module.assets.length === 1 ? "" : "s"
}]`
);
}
if (module.failed) {
colors.red(" [failed]");
}
if (module.warnings) {
2018-02-25 09:00:20 +08:00
colors.yellow(
` [${module.warnings} warning${module.warnings === 1 ? "" : "s"}]`
);
}
if (module.errors) {
2018-02-25 09:00:20 +08:00
colors.red(
` [${module.errors} error${module.errors === 1 ? "" : "s"}]`
);
}
2017-01-11 17:51:58 +08:00
};
const processModuleContent = (module, prefix) => {
2018-02-25 09:00:20 +08:00
if (Array.isArray(module.providedExports)) {
colors.normal(prefix);
if (module.providedExports.length === 0) {
colors.cyan("[no exports]");
} else {
colors.cyan(`[exports: ${module.providedExports.join(", ")}]`);
}
newline();
}
2018-02-25 09:00:20 +08:00
if (module.usedExports !== undefined) {
if (module.usedExports !== true) {
colors.normal(prefix);
if (module.usedExports === null) {
2017-12-14 17:57:33 +08:00
colors.cyan("[used exports unknown]");
} else if (module.usedExports === false) {
colors.cyan("[module unused]");
} else if (
2018-02-25 09:00:20 +08:00
Array.isArray(module.usedExports) &&
module.usedExports.length === 0
) {
2017-12-14 17:57:33 +08:00
colors.cyan("[no exports used]");
} else if (Array.isArray(module.usedExports)) {
const providedExportsCount = Array.isArray(module.providedExports)
? module.providedExports.length
: null;
if (
providedExportsCount !== null &&
providedExportsCount === module.usedExports.length
) {
colors.cyan("[all exports used]");
} else {
colors.cyan(
`[only some exports used: ${module.usedExports.join(", ")}]`
);
}
}
newline();
}
}
2018-02-25 09:00:20 +08:00
if (Array.isArray(module.optimizationBailout)) {
for (const item of module.optimizationBailout) {
colors.normal(prefix);
colors.yellow(item);
newline();
2018-01-22 20:52:43 +08:00
}
}
2018-02-25 09:00:20 +08:00
if (module.reasons) {
for (const reason of module.reasons) {
colors.normal(prefix);
2018-02-25 09:00:20 +08:00
if (reason.type) {
colors.normal(reason.type);
colors.normal(" ");
}
2018-02-25 09:00:20 +08:00
if (reason.userRequest) {
colors.cyan(reason.userRequest);
colors.normal(" ");
}
2018-02-25 09:00:20 +08:00
if (reason.moduleId !== null) {
colors.normal("[");
colors.normal(reason.moduleId);
colors.normal("]");
}
2018-02-25 09:00:20 +08:00
if (reason.module && reason.module !== reason.moduleId) {
colors.normal(" ");
colors.magenta(reason.module);
}
2018-02-25 09:00:20 +08:00
if (reason.loc) {
colors.normal(" ");
colors.normal(reason.loc);
2014-01-23 22:31:40 +08:00
}
if (reason.explanation) {
colors.normal(" ");
colors.cyan(reason.explanation);
}
2014-01-23 22:31:40 +08:00
newline();
2018-01-22 20:52:43 +08:00
}
2014-01-23 22:31:40 +08:00
}
2018-02-25 09:00:20 +08:00
if (module.profile) {
colors.normal(prefix);
2018-02-25 09:00:20 +08:00
if (module.issuerPath) {
for (const m of module.issuerPath) {
colors.normal("[");
2018-01-22 20:52:43 +08:00
colors.normal(m.id);
colors.normal("] ");
2018-02-25 09:00:20 +08:00
if (m.profile) {
const time =
m.profile.resolving +
2018-10-09 20:30:59 +08:00
m.profile.restoring +
m.profile.integration +
2018-10-09 20:30:59 +08:00
m.profile.building +
m.profile.storing;
coloredTime(time);
colors.normal(" ");
}
colors.normal("-> ");
2018-01-22 20:52:43 +08:00
}
}
coloredTime(
module.profile.resolving +
2018-10-09 20:30:59 +08:00
module.profile.restoring +
module.profile.integration +
2018-10-09 20:30:59 +08:00
module.profile.building +
module.profile.storing
);
2018-08-22 20:54:28 +08:00
colors.normal(" (resolving: ");
coloredTime(module.profile.resolving);
2018-10-09 20:30:59 +08:00
colors.normal(", restoring: ");
coloredTime(module.profile.restoring);
colors.normal(", integration: ");
coloredTime(module.profile.integration);
2018-08-22 20:54:28 +08:00
colors.normal(", building: ");
coloredTime(module.profile.building);
2018-10-09 20:30:59 +08:00
colors.normal(", storing: ");
coloredTime(module.profile.storing);
2018-08-22 20:54:28 +08:00
if (module.profile.additionalResolving) {
colors.normal(", additional resolving: ");
coloredTime(module.profile.additionalResolving);
2018-01-22 20:52:43 +08:00
}
if (module.profile.additionalIntegration) {
colors.normal(", additional integration: ");
coloredTime(module.profile.additionalIntegration);
}
2018-08-22 20:54:28 +08:00
colors.normal(")");
newline();
2013-01-31 01:49:25 +08:00
}
2018-02-25 09:00:20 +08:00
if (module.modules) {
processModulesList(module, prefix + "| ", "nested module");
}
2017-01-11 17:51:58 +08:00
};
const processModulesList = (
obj,
prefix,
itemType = "module",
dependentItemType = "dependent module"
) => {
2018-02-25 09:00:20 +08:00
if (obj.modules) {
let maxModuleId = 0;
for (const module of obj.modules) {
if (typeof module.id === "number") {
if (maxModuleId < module.id) maxModuleId = module.id;
}
}
let contentPrefix = prefix + " ";
if (maxModuleId >= 10) contentPrefix += " ";
if (maxModuleId >= 100) contentPrefix += " ";
if (maxModuleId >= 1000) contentPrefix += " ";
2018-02-25 09:00:20 +08:00
for (const module of obj.modules) {
colors.normal(prefix);
const name = module.name || module.identifier;
if (
(typeof module.id === "string" && module.id !== "") ||
typeof module.id === "number"
) {
if (typeof module.id === "number") {
if (module.id < 1000 && maxModuleId >= 1000) colors.normal(" ");
if (module.id < 100 && maxModuleId >= 100) colors.normal(" ");
if (module.id < 10 && maxModuleId >= 10) colors.normal(" ");
} else {
if (maxModuleId >= 1000) colors.normal(" ");
if (maxModuleId >= 100) colors.normal(" ");
if (maxModuleId >= 10) colors.normal(" ");
}
if (name !== module.id) {
colors.normal("[");
colors.normal(module.id);
colors.normal("]");
colors.normal(" ");
} else {
colors.normal("[");
colors.bold(module.id);
colors.normal("]");
}
}
2018-02-25 09:00:20 +08:00
if (name !== module.id) {
colors.bold(name);
}
processModuleAttributes(module);
newline();
processModuleContent(module, contentPrefix);
2018-01-22 20:52:43 +08:00
}
2018-02-25 09:00:20 +08:00
if (obj.filteredModules > 0) {
colors.normal(prefix);
colors.normal(" ");
2018-02-25 09:00:20 +08:00
if (obj.modules.length > 0) colors.normal(" + ");
colors.normal(obj.filteredModules);
2018-02-25 09:00:20 +08:00
if (obj.modules.length > 0) colors.normal(" hidden");
colors.normal(` ${itemType}${obj.filteredModules !== 1 ? "s" : ""}`);
newline();
}
if (obj.dependentModules > 0) {
const additional = obj.modules.length > 0 || obj.filteredModules > 0;
colors.normal(prefix);
colors.normal(" ");
if (additional) colors.normal(" + ");
colors.normal(obj.dependentModules);
if (additional) colors.normal(" hidden");
colors.normal(
` ${dependentItemType}${obj.dependentModules !== 1 ? "s" : ""}`
);
newline();
}
}
};
2018-02-25 09:00:20 +08:00
if (obj.chunks) {
for (const chunk of obj.chunks) {
colors.normal("chunk ");
2018-02-25 09:00:20 +08:00
if (chunk.id < 1000) colors.normal(" ");
if (chunk.id < 100) colors.normal(" ");
if (chunk.id < 10) colors.normal(" ");
colors.normal("{");
colors.yellow(chunk.id);
colors.normal("} ");
colors.green(chunk.files.join(", "));
2018-02-25 09:00:20 +08:00
if (chunk.names && chunk.names.length > 0) {
colors.normal(" (");
colors.normal(chunk.names.join(", "));
colors.normal(")");
}
processSizes(chunk.sizes);
2018-02-25 09:00:20 +08:00
for (const id of chunk.parents) {
colors.normal(" <{");
colors.yellow(id);
colors.normal("}>");
2018-01-22 20:52:43 +08:00
}
2018-02-25 09:00:20 +08:00
for (const id of chunk.siblings) {
colors.normal(" ={");
colors.yellow(id);
colors.normal("}=");
2018-01-22 20:52:43 +08:00
}
2018-02-25 09:00:20 +08:00
for (const id of chunk.children) {
colors.normal(" >{");
colors.yellow(id);
colors.normal("}<");
2018-01-22 20:52:43 +08:00
}
2018-04-17 14:56:40 +08:00
if (chunk.childrenByOrder) {
for (const name of Object.keys(chunk.childrenByOrder)) {
const children = chunk.childrenByOrder[name];
colors.normal(" ");
colors.magenta(`(${name}:`);
for (const id of children) {
colors.normal(" {");
colors.yellow(id);
colors.normal("}");
}
colors.magenta(")");
}
}
2018-02-25 09:00:20 +08:00
if (chunk.entry) {
colors.yellow(" [entry]");
2018-02-25 09:00:20 +08:00
} else if (chunk.initial) {
colors.yellow(" [initial]");
}
2018-02-25 09:00:20 +08:00
if (chunk.rendered) {
colors.green(" [rendered]");
}
2018-02-25 09:00:20 +08:00
if (chunk.recorded) {
colors.green(" [recorded]");
}
2018-02-25 09:00:20 +08:00
if (chunk.reason) {
2018-01-09 16:40:30 +08:00
colors.yellow(` ${chunk.reason}`);
}
newline();
2018-02-25 09:00:20 +08:00
if (chunk.origins) {
for (const origin of chunk.origins) {
colors.normal(" > ");
2018-02-25 09:00:20 +08:00
if (origin.request) {
colors.normal(origin.request);
colors.normal(" ");
}
2018-02-25 09:00:20 +08:00
if (origin.module) {
colors.normal("[");
colors.normal(origin.moduleId);
colors.normal("] ");
if (origin.moduleName) {
colors.bold(origin.moduleName);
colors.normal(" ");
}
}
2018-02-25 09:00:20 +08:00
if (origin.loc) {
colors.normal(origin.loc);
}
newline();
2018-01-22 20:52:43 +08:00
}
}
const hasRootModules =
chunk.rootModules ||
chunk.filteredRootModules ||
chunk.nonRootModules;
processModulesList(
{
modules: chunk.rootModules,
filteredModules: chunk.filteredRootModules,
dependentModules: chunk.nonRootModules
},
" ",
"root module",
"dependent module"
);
processModulesList(chunk, hasRootModules ? " | " : " ", "chunk module");
2018-01-22 20:52:43 +08:00
}
}
processModulesList(obj, "");
2018-02-25 09:00:20 +08:00
if (obj._showWarnings && obj.warnings) {
for (const warning of obj.warnings) {
newline();
colors.yellow(`WARNING in ${warning}`);
newline();
2018-01-22 20:52:43 +08:00
}
}
2018-02-25 09:00:20 +08:00
if (obj._showErrors && obj.errors) {
for (const error of obj.errors) {
newline();
colors.red(`ERROR in ${error}`);
newline();
2018-01-22 20:52:43 +08:00
}
}
2018-02-25 09:00:20 +08:00
if (obj.children) {
for (const child of obj.children) {
2017-02-05 08:07:36 +08:00
const childString = Stats.jsonToString(child, useColors);
2018-02-25 09:00:20 +08:00
if (childString) {
if (child.name) {
colors.normal("Child ");
colors.bold(child.name.replace(/\|/g, " "));
colors.normal(":");
} else {
colors.normal("Child");
}
newline();
buf.push(" ");
buf.push(childString.replace(/\n/g, "\n "));
newline();
}
2018-01-22 20:52:43 +08:00
}
}
2018-02-25 09:00:20 +08:00
if (obj.needAdditionalPass) {
colors.yellow(
"Compilation needs an additional pass and will compile again."
);
}
2013-01-31 01:49:25 +08:00
while (buf[buf.length - 1] === "\n") {
buf.pop();
}
return buf.join("");
}
static presetToOptions(name) {
// Accepted values: none, errors-only, minimal, normal, detailed, verbose
// Any other falsy value will behave as 'none', truthy values as 'normal'
2018-02-25 09:00:20 +08:00
const pn =
(typeof name === "string" && name.toLowerCase()) || name || "none";
switch (pn) {
case "none":
return {
all: false
};
case "verbose":
return {
entrypoints: true,
2018-04-23 19:41:00 +08:00
chunkGroups: true,
modules: false,
chunks: true,
chunkModules: true,
chunkRootModules: false,
chunkOrigins: true,
depth: true,
env: true,
reasons: true,
usedExports: true,
providedExports: true,
optimizationBailout: true,
errorDetails: true,
publicPath: true,
orphanModules: true,
runtime: true,
exclude: false,
2018-02-25 09:00:20 +08:00
maxModules: Infinity
};
case "detailed":
return {
entrypoints: true,
2018-04-23 19:41:00 +08:00
chunkGroups: true,
chunks: true,
chunkModules: false,
chunkRootModules: false,
chunkOrigins: true,
depth: true,
usedExports: true,
providedExports: true,
optimizationBailout: true,
errorDetails: true,
publicPath: true,
runtimeModules: true,
runtime: true,
exclude: false,
2018-02-25 09:00:20 +08:00
maxModules: Infinity
};
case "minimal":
return {
all: false,
modules: true,
maxModules: 0,
errors: true,
2018-02-25 09:00:20 +08:00
warnings: true
};
case "errors-only":
return {
all: false,
errors: true,
2018-02-25 09:00:20 +08:00
moduleTrace: true
};
default:
return {};
}
}
static getChildOptions(options, idx) {
let innerOptions;
2018-02-25 09:00:20 +08:00
if (Array.isArray(options.children)) {
if (idx < options.children.length) {
innerOptions = options.children[idx];
}
2018-02-25 09:00:20 +08:00
} else if (typeof options.children === "object" && options.children) {
innerOptions = options.children;
}
if (typeof innerOptions === "boolean" || typeof innerOptions === "string") {
innerOptions = Stats.presetToOptions(innerOptions);
}
if (!innerOptions) {
return options;
}
2017-02-05 08:07:36 +08:00
const childOptions = Object.assign({}, options);
delete childOptions.children; // do not inherit children
2017-02-05 08:07:36 +08:00
return Object.assign(childOptions, innerOptions);
}
}
module.exports = Stats;