summaryrefslogtreecommitdiffstats
path: root/node_modules/webpack/lib/logging
diff options
context:
space:
mode:
Diffstat (limited to 'node_modules/webpack/lib/logging')
-rw-r--r--node_modules/webpack/lib/logging/Logger.js128
-rw-r--r--node_modules/webpack/lib/logging/createConsoleLogger.js210
-rw-r--r--node_modules/webpack/lib/logging/runtime.js36
-rw-r--r--node_modules/webpack/lib/logging/truncateArgs.js76
4 files changed, 450 insertions, 0 deletions
diff --git a/node_modules/webpack/lib/logging/Logger.js b/node_modules/webpack/lib/logging/Logger.js
new file mode 100644
index 0000000..835683e
--- /dev/null
+++ b/node_modules/webpack/lib/logging/Logger.js
@@ -0,0 +1,128 @@
+/*
+ MIT License http://www.opensource.org/licenses/mit-license.php
+ Author Tobias Koppers @sokra
+ */
+
+"use strict";
+
+const LogType = Object.freeze({
+ error: /** @type {"error"} */ ("error"), // message, c style arguments
+ warn: /** @type {"warn"} */ ("warn"), // message, c style arguments
+ info: /** @type {"info"} */ ("info"), // message, c style arguments
+ log: /** @type {"log"} */ ("log"), // message, c style arguments
+ debug: /** @type {"debug"} */ ("debug"), // message, c style arguments
+
+ trace: /** @type {"trace"} */ ("trace"), // no arguments
+
+ group: /** @type {"group"} */ ("group"), // [label]
+ groupCollapsed: /** @type {"groupCollapsed"} */ ("groupCollapsed"), // [label]
+ groupEnd: /** @type {"groupEnd"} */ ("groupEnd"), // [label]
+
+ profile: /** @type {"profile"} */ ("profile"), // [profileName]
+ profileEnd: /** @type {"profileEnd"} */ ("profileEnd"), // [profileName]
+
+ time: /** @type {"time"} */ ("time"), // name, time as [seconds, nanoseconds]
+
+ clear: /** @type {"clear"} */ ("clear"), // no arguments
+ status: /** @type {"status"} */ ("status") // message, arguments
+});
+
+exports.LogType = LogType;
+
+/** @typedef {typeof LogType[keyof typeof LogType]} LogTypeEnum */
+
+const LOG_SYMBOL = Symbol("webpack logger raw log method");
+const TIMERS_SYMBOL = Symbol("webpack logger times");
+
+class WebpackLogger {
+ /**
+ * @param {function(LogTypeEnum, any[]=): void} log log function
+ */
+ constructor(log) {
+ this[LOG_SYMBOL] = log;
+ }
+
+ error(...args) {
+ this[LOG_SYMBOL](LogType.error, args);
+ }
+
+ warn(...args) {
+ this[LOG_SYMBOL](LogType.warn, args);
+ }
+
+ info(...args) {
+ this[LOG_SYMBOL](LogType.info, args);
+ }
+
+ log(...args) {
+ this[LOG_SYMBOL](LogType.log, args);
+ }
+
+ debug(...args) {
+ this[LOG_SYMBOL](LogType.debug, args);
+ }
+
+ assert(assertion, ...args) {
+ if (!assertion) {
+ this[LOG_SYMBOL](LogType.error, args);
+ }
+ }
+
+ trace() {
+ this[LOG_SYMBOL](LogType.trace, ["Trace"]);
+ }
+
+ clear() {
+ this[LOG_SYMBOL](LogType.clear);
+ }
+
+ status(...args) {
+ this[LOG_SYMBOL](LogType.status, args);
+ }
+
+ group(...args) {
+ this[LOG_SYMBOL](LogType.group, args);
+ }
+
+ groupCollapsed(...args) {
+ this[LOG_SYMBOL](LogType.groupCollapsed, args);
+ }
+
+ groupEnd(...args) {
+ this[LOG_SYMBOL](LogType.groupEnd, args);
+ }
+
+ profile(label) {
+ this[LOG_SYMBOL](LogType.profile, [label]);
+ }
+
+ profileEnd(label) {
+ this[LOG_SYMBOL](LogType.profileEnd, [label]);
+ }
+
+ time(label) {
+ this[TIMERS_SYMBOL] = this[TIMERS_SYMBOL] || new Map();
+ this[TIMERS_SYMBOL].set(label, process.hrtime());
+ }
+
+ timeLog(label) {
+ const prev = this[TIMERS_SYMBOL] && this[TIMERS_SYMBOL].get(label);
+ if (!prev) {
+ throw new Error(`No such label '${label}' for WebpackLogger.timeLog()`);
+ }
+ const time = process.hrtime(prev);
+ this[LOG_SYMBOL](LogType.time, [label, ...time]);
+ }
+
+ timeEnd(label) {
+ const prev = this[TIMERS_SYMBOL] && this[TIMERS_SYMBOL].get(label);
+ if (!prev) {
+ throw new Error(`No such label '${label}' for WebpackLogger.timeEnd()`);
+ }
+ const time = process.hrtime(prev);
+ this[TIMERS_SYMBOL].delete(label);
+ this[LOG_SYMBOL](LogType.time, [label, ...time]);
+ }
+}
+
+exports.Logger = WebpackLogger;
diff --git a/node_modules/webpack/lib/logging/createConsoleLogger.js b/node_modules/webpack/lib/logging/createConsoleLogger.js
new file mode 100644
index 0000000..504f660
--- /dev/null
+++ b/node_modules/webpack/lib/logging/createConsoleLogger.js
@@ -0,0 +1,210 @@
+/*
+ MIT License http://www.opensource.org/licenses/mit-license.php
+ Author Tobias Koppers @sokra
+*/
+
+"use strict";
+
+const { LogType } = require("./Logger");
+
+/** @typedef {import("./Logger").LogTypeEnum} LogTypeEnum */
+/** @typedef {import("../../declarations/WebpackOptions").FilterTypes} FilterTypes */
+/** @typedef {import("../../declarations/WebpackOptions").FilterItemTypes} FilterItemTypes */
+
+/** @typedef {function(string): boolean} FilterFunction */
+
+/**
+ * @typedef {Object} LoggerOptions
+ * @property {false|true|"none"|"error"|"warn"|"info"|"log"|"verbose"} level loglevel
+ * @property {FilterTypes|boolean} debug filter for debug logging
+ * @property {Console & { status?: Function, logTime?: Function }} console the console to log to
+ */
+
+/**
+ * @param {FilterItemTypes} item an input item
+ * @returns {FilterFunction} filter funtion
+ */
+const filterToFunction = item => {
+ if (typeof item === "string") {
+ const regExp = new RegExp(
+ `[\\\\/]${item.replace(
+ // eslint-disable-next-line no-useless-escape
+ /[-[\]{}()*+?.\\^$|]/g,
+ "\\$&"
+ )}([\\\\/]|$|!|\\?)`
+ );
+ 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;
+ }
+};
+
+/**
+ * @enum {number}
+ */
+const LogLevel = {
+ none: 6,
+ false: 6,
+ error: 5,
+ warn: 4,
+ info: 3,
+ log: 2,
+ true: 2,
+ verbose: 1
+};
+
+/**
+ * @param {LoggerOptions} options options object
+ * @returns {function(string, LogTypeEnum, any[]): void} logging function
+ */
+module.exports = ({ level = "info", debug = false, console }) => {
+ const debugFilters =
+ typeof debug === "boolean"
+ ? [() => debug]
+ : /** @type {FilterItemTypes[]} */ ([])
+ .concat(debug)
+ .map(filterToFunction);
+ /** @type {number} */
+ const loglevel = LogLevel[`${level}`] || 0;
+
+ /**
+ * @param {string} name name of the logger
+ * @param {LogTypeEnum} type type of the log entry
+ * @param {any[]} args arguments of the log entry
+ * @returns {void}
+ */
+ const logger = (name, type, args) => {
+ const labeledArgs = () => {
+ if (Array.isArray(args)) {
+ if (args.length > 0 && typeof args[0] === "string") {
+ return [`[${name}] ${args[0]}`, ...args.slice(1)];
+ } else {
+ return [`[${name}]`, ...args];
+ }
+ } else {
+ return [];
+ }
+ };
+ const debug = debugFilters.some(f => f(name));
+ switch (type) {
+ case LogType.debug:
+ if (!debug) return;
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ if (typeof console.debug === "function") {
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ console.debug(...labeledArgs());
+ } else {
+ console.log(...labeledArgs());
+ }
+ break;
+ case LogType.log:
+ if (!debug && loglevel > LogLevel.log) return;
+ console.log(...labeledArgs());
+ break;
+ case LogType.info:
+ if (!debug && loglevel > LogLevel.info) return;
+ console.info(...labeledArgs());
+ break;
+ case LogType.warn:
+ if (!debug && loglevel > LogLevel.warn) return;
+ console.warn(...labeledArgs());
+ break;
+ case LogType.error:
+ if (!debug && loglevel > LogLevel.error) return;
+ console.error(...labeledArgs());
+ break;
+ case LogType.trace:
+ if (!debug) return;
+ console.trace();
+ break;
+ case LogType.groupCollapsed:
+ if (!debug && loglevel > LogLevel.log) return;
+ if (!debug && loglevel > LogLevel.verbose) {
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ if (typeof console.groupCollapsed === "function") {
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ console.groupCollapsed(...labeledArgs());
+ } else {
+ console.log(...labeledArgs());
+ }
+ break;
+ }
+ // falls through
+ case LogType.group:
+ if (!debug && loglevel > LogLevel.log) return;
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ if (typeof console.group === "function") {
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ console.group(...labeledArgs());
+ } else {
+ console.log(...labeledArgs());
+ }
+ break;
+ case LogType.groupEnd:
+ if (!debug && loglevel > LogLevel.log) return;
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ if (typeof console.groupEnd === "function") {
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ console.groupEnd();
+ }
+ break;
+ case LogType.time: {
+ if (!debug && loglevel > LogLevel.log) return;
+ const ms = args[1] * 1000 + args[2] / 1000000;
+ const msg = `[${name}] ${args[0]}: ${ms}ms`;
+ if (typeof console.logTime === "function") {
+ console.logTime(msg);
+ } else {
+ console.log(msg);
+ }
+ break;
+ }
+ case LogType.profile:
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ if (typeof console.profile === "function") {
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ console.profile(...labeledArgs());
+ }
+ break;
+ case LogType.profileEnd:
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ if (typeof console.profileEnd === "function") {
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ console.profileEnd(...labeledArgs());
+ }
+ break;
+ case LogType.clear:
+ if (!debug && loglevel > LogLevel.log) return;
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ if (typeof console.clear === "function") {
+ // eslint-disable-next-line node/no-unsupported-features/node-builtins
+ console.clear();
+ }
+ break;
+ case LogType.status:
+ if (!debug && loglevel > LogLevel.info) return;
+ if (typeof console.status === "function") {
+ if (args.length === 0) {
+ console.status();
+ } else {
+ console.status(...labeledArgs());
+ }
+ } else {
+ if (args.length !== 0) {
+ console.info(...labeledArgs());
+ }
+ }
+ break;
+ default:
+ throw new Error(`Unexpected LogType ${type}`);
+ }
+ };
+ return logger;
+};
diff --git a/node_modules/webpack/lib/logging/runtime.js b/node_modules/webpack/lib/logging/runtime.js
new file mode 100644
index 0000000..18e2148
--- /dev/null
+++ b/node_modules/webpack/lib/logging/runtime.js
@@ -0,0 +1,36 @@
+const SyncBailHook = require("tapable/lib/SyncBailHook");
+const { Logger } = require("./Logger");
+const createConsoleLogger = require("./createConsoleLogger");
+
+/** @type {createConsoleLogger.LoggerOptions} */
+let currentDefaultLoggerOptions = {
+ level: "info",
+ debug: false,
+ console
+};
+let currentDefaultLogger = createConsoleLogger(currentDefaultLoggerOptions);
+
+/**
+ * @param {string} name name of the logger
+ * @returns {Logger} a logger
+ */
+exports.getLogger = name => {
+ return new Logger((type, args) => {
+ if (exports.hooks.log.call(name, type, args) === undefined) {
+ currentDefaultLogger(name, type, args);
+ }
+ });
+};
+
+/**
+ * @param {createConsoleLogger.LoggerOptions} options new options, merge with old options
+ * @returns {void}
+ */
+exports.configureDefaultLogger = options => {
+ Object.assign(currentDefaultLoggerOptions, options);
+ currentDefaultLogger = createConsoleLogger(currentDefaultLoggerOptions);
+};
+
+exports.hooks = {
+ log: new SyncBailHook(["origin", "type", "args"])
+};
diff --git a/node_modules/webpack/lib/logging/truncateArgs.js b/node_modules/webpack/lib/logging/truncateArgs.js
new file mode 100644
index 0000000..8522586
--- /dev/null
+++ b/node_modules/webpack/lib/logging/truncateArgs.js
@@ -0,0 +1,76 @@
+/*
+ MIT License http://www.opensource.org/licenses/mit-license.php
+ Author Tobias Koppers @sokra
+ */
+
+"use strict";
+
+/**
+ * @param {any[]} args items to be truncated
+ * @param {number} maxLength maximum length of args including spaces between
+ * @returns {string[]} truncated args
+ */
+const truncateArgs = (args, maxLength) => {
+ const lengths = args.map(a => `${a}`.length);
+ const availableLength = maxLength - lengths.length + 1;
+
+ if (availableLength > 0 && args.length === 1) {
+ if (availableLength >= args[0].length) {
+ return args;
+ } else if (availableLength > 3) {
+ return ["..." + args[0].slice(-availableLength + 3)];
+ } else {
+ return [args[0].slice(-availableLength)];
+ }
+ }
+
+ // Check if there is space for at least 4 chars per arg
+ if (availableLength < lengths.reduce((s, i) => s + Math.min(i, 6), 0)) {
+ // remove args
+ if (args.length > 1)
+ return truncateArgs(args.slice(0, args.length - 1), maxLength);
+ return [];
+ }
+
+ let currentLength = lengths.reduce((a, b) => a + b, 0);
+
+ // Check if all fits into maxLength
+ if (currentLength <= availableLength) return args;
+
+ // Try to remove chars from the longest items until it fits
+ while (currentLength > availableLength) {
+ const maxLength = Math.max(...lengths);
+ const shorterItems = lengths.filter(l => l !== maxLength);
+ const nextToMaxLength =
+ shorterItems.length > 0 ? Math.max(...shorterItems) : 0;
+ const maxReduce = maxLength - nextToMaxLength;
+ let maxItems = lengths.length - shorterItems.length;
+ let overrun = currentLength - availableLength;
+ for (let i = 0; i < lengths.length; i++) {
+ if (lengths[i] === maxLength) {
+ const reduce = Math.min(Math.floor(overrun / maxItems), maxReduce);
+ lengths[i] -= reduce;
+ currentLength -= reduce;
+ overrun -= reduce;
+ maxItems--;
+ }
+ }
+ }
+
+ // Return args reduced to length in lengths
+ return args.map((a, i) => {
+ const str = `${a}`;
+ const length = lengths[i];
+ if (str.length === length) {
+ return str;
+ } else if (length > 5) {
+ return "..." + str.slice(-length + 3);
+ } else if (length > 0) {
+ return str.slice(-length);
+ } else {
+ return "";
+ }
+ });
+};
+
+module.exports = truncateArgs;