feat(nestlogged): implement custom ConsoleLogger
Implement custom ConsoleLogger to support scopeId and scope field in json logging. Also, it simplifies the ScopedLogger inner logic.
This commit is contained in:
parent
21731ea7c5
commit
b7e23fbcb9
@ -7,7 +7,7 @@ export {
|
|||||||
LoggedInterceptor,
|
LoggedInterceptor,
|
||||||
LoggedMiddleware,
|
LoggedMiddleware,
|
||||||
} from './logged';
|
} from './logged';
|
||||||
export { ScopedLogger } from './logger';
|
export { ScopedLogger, ConsoleLogger, ConsoleLoggerOptions } from './logger';
|
||||||
export {
|
export {
|
||||||
InjectLogger,
|
InjectLogger,
|
||||||
LoggedParam,
|
LoggedParam,
|
||||||
|
@ -1,4 +1,6 @@
|
|||||||
import { Logger, LogLevel } from '@nestjs/common';
|
import { Logger, LoggerService, LogLevel, Injectable, Optional } from '@nestjs/common';
|
||||||
|
import { inspect, InspectOptions } from 'util';
|
||||||
|
import { isString, isPlainObject, isFunction, isUndefined, clc, yellow, isLogLevelEnabled, isScope, LogScopeInformation, NestloggedScopeId, NestloggedScope, formatScope } from './utils';
|
||||||
import * as hyperid from 'hyperid';
|
import * as hyperid from 'hyperid';
|
||||||
|
|
||||||
const createId = hyperid({ fixedLength: true });
|
const createId = hyperid({ fixedLength: true });
|
||||||
@ -6,18 +8,20 @@ const createId = hyperid({ fixedLength: true });
|
|||||||
export class ScopedLogger extends Logger {
|
export class ScopedLogger extends Logger {
|
||||||
constructor(
|
constructor(
|
||||||
private logger: Logger,
|
private logger: Logger,
|
||||||
private scope: string[],
|
private scope: (string | string[])[],
|
||||||
private scopeId: string = createId(),
|
private scopeId: string = createId(),
|
||||||
) {
|
) {
|
||||||
super();
|
super();
|
||||||
}
|
}
|
||||||
|
|
||||||
private scopedLog(method: LogLevel) {
|
private scopedLog(method: LogLevel) {
|
||||||
return (message: string) => {
|
return (message: any) => {
|
||||||
this.logger[method](
|
this.logger[method](
|
||||||
`${
|
{
|
||||||
this.scopeId ? `(ID ${this.scopeId}) | ` : ''
|
[NestloggedScopeId]: this.scopeId,
|
||||||
}${this.scope.join(' -> ')}: ${message}`,
|
[NestloggedScope]: this.scope,
|
||||||
|
},
|
||||||
|
message,
|
||||||
);
|
);
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
@ -51,3 +55,613 @@ export class ScopedLogger extends Logger {
|
|||||||
return createId();
|
return createId();
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
const DEFAULT_DEPTH = 5;
|
||||||
|
|
||||||
|
export interface ConsoleLoggerOptions {
|
||||||
|
/**
|
||||||
|
* Enabled log levels.
|
||||||
|
*/
|
||||||
|
logLevels?: LogLevel[];
|
||||||
|
/**
|
||||||
|
* If enabled, will print timestamp (time difference) between current and previous log message.
|
||||||
|
* Note: This option is not used when `json` is enabled.
|
||||||
|
*/
|
||||||
|
timestamp?: boolean;
|
||||||
|
/**
|
||||||
|
* A prefix to be used for each log message.
|
||||||
|
* Note: This option is not used when `json` is enabled.
|
||||||
|
*/
|
||||||
|
prefix?: string;
|
||||||
|
/**
|
||||||
|
* If enabled, will print the log message in JSON format.
|
||||||
|
*/
|
||||||
|
json?: boolean;
|
||||||
|
/**
|
||||||
|
* If enabled, will print the log message in color.
|
||||||
|
* Default true if json is disabled, false otherwise
|
||||||
|
*/
|
||||||
|
colors?: boolean;
|
||||||
|
/**
|
||||||
|
* The context of the logger.
|
||||||
|
*/
|
||||||
|
context?: string;
|
||||||
|
/**
|
||||||
|
* If enabled, will print the log message in a single line, even if it is an object with multiple properties.
|
||||||
|
* If set to a number, the most n inner elements are united on a single line as long as all properties fit into breakLength. Short array elements are also grouped together.
|
||||||
|
* Default true when `json` is enabled, false otherwise.
|
||||||
|
*/
|
||||||
|
compact?: boolean | number;
|
||||||
|
/**
|
||||||
|
* Specifies the maximum number of Array, TypedArray, Map, Set, WeakMap, and WeakSet elements to include when formatting.
|
||||||
|
* Set to null or Infinity to show all elements. Set to 0 or negative to show no elements.
|
||||||
|
* Ignored when `json` is enabled, colors are disabled, and `compact` is set to true as it produces a parseable JSON output.
|
||||||
|
* @default 100
|
||||||
|
*/
|
||||||
|
maxArrayLength?: number;
|
||||||
|
/**
|
||||||
|
* Specifies the maximum number of characters to include when formatting.
|
||||||
|
* Set to null or Infinity to show all elements. Set to 0 or negative to show no characters.
|
||||||
|
* Ignored when `json` is enabled, colors are disabled, and `compact` is set to true as it produces a parseable JSON output.
|
||||||
|
* @default 10000.
|
||||||
|
*/
|
||||||
|
maxStringLength?: number;
|
||||||
|
/**
|
||||||
|
* If enabled, will sort keys while formatting objects.
|
||||||
|
* Can also be a custom sorting function.
|
||||||
|
* Ignored when `json` is enabled, colors are disabled, and `compact` is set to true as it produces a parseable JSON output.
|
||||||
|
* @default false
|
||||||
|
*/
|
||||||
|
sorted?: boolean | ((a: string, b: string) => number);
|
||||||
|
/**
|
||||||
|
* Specifies the number of times to recurse while formatting object. T
|
||||||
|
* This is useful for inspecting large objects. To recurse up to the maximum call stack size pass Infinity or null.
|
||||||
|
* Ignored when `json` is enabled, colors are disabled, and `compact` is set to true as it produces a parseable JSON output.
|
||||||
|
* @default 5
|
||||||
|
*/
|
||||||
|
depth?: number;
|
||||||
|
/**
|
||||||
|
* If true, object's non-enumerable symbols and properties are included in the formatted result.
|
||||||
|
* WeakMap and WeakSet entries are also included as well as user defined prototype properties
|
||||||
|
* @default false
|
||||||
|
*/
|
||||||
|
showHidden?: boolean;
|
||||||
|
/**
|
||||||
|
* The length at which input values are split across multiple lines. Set to Infinity to format the input as a single line (in combination with "compact" set to true).
|
||||||
|
* Default Infinity when "compact" is true, 80 otherwise.
|
||||||
|
* Ignored when `json` is enabled, colors are disabled, and `compact` is set to true as it produces a parseable JSON output.
|
||||||
|
*/
|
||||||
|
breakLength?: number;
|
||||||
|
}
|
||||||
|
|
||||||
|
const DEFAULT_LOG_LEVELS: LogLevel[] = [
|
||||||
|
'log',
|
||||||
|
'error',
|
||||||
|
'warn',
|
||||||
|
'debug',
|
||||||
|
'verbose',
|
||||||
|
'fatal',
|
||||||
|
];
|
||||||
|
|
||||||
|
const dateTimeFormatter = new Intl.DateTimeFormat(undefined, {
|
||||||
|
year: 'numeric',
|
||||||
|
hour: 'numeric',
|
||||||
|
minute: 'numeric',
|
||||||
|
second: 'numeric',
|
||||||
|
day: '2-digit',
|
||||||
|
month: '2-digit',
|
||||||
|
});
|
||||||
|
|
||||||
|
@Injectable()
|
||||||
|
export class ConsoleLogger implements LoggerService {
|
||||||
|
/**
|
||||||
|
* The options of the logger.
|
||||||
|
*/
|
||||||
|
protected options: ConsoleLoggerOptions;
|
||||||
|
/**
|
||||||
|
* The context of the logger (can be set manually or automatically inferred).
|
||||||
|
*/
|
||||||
|
protected context?: string;
|
||||||
|
/**
|
||||||
|
* The original context of the logger (set in the constructor).
|
||||||
|
*/
|
||||||
|
protected originalContext?: string;
|
||||||
|
/**
|
||||||
|
* The options used for the "inspect" method.
|
||||||
|
*/
|
||||||
|
protected inspectOptions: InspectOptions;
|
||||||
|
/**
|
||||||
|
* The last timestamp at which the log message was printed.
|
||||||
|
*/
|
||||||
|
protected static lastTimestampAt?: number;
|
||||||
|
|
||||||
|
constructor();
|
||||||
|
constructor(context: string);
|
||||||
|
constructor(options: ConsoleLoggerOptions);
|
||||||
|
constructor(context: string, options: ConsoleLoggerOptions);
|
||||||
|
constructor(
|
||||||
|
@Optional()
|
||||||
|
contextOrOptions?: string | ConsoleLoggerOptions,
|
||||||
|
@Optional()
|
||||||
|
options?: ConsoleLoggerOptions,
|
||||||
|
) {
|
||||||
|
// eslint-disable-next-line prefer-const
|
||||||
|
let [context, opts] = isString(contextOrOptions)
|
||||||
|
? [contextOrOptions, options]
|
||||||
|
: options
|
||||||
|
? [undefined, options]
|
||||||
|
: [contextOrOptions?.context, contextOrOptions];
|
||||||
|
|
||||||
|
opts = opts ?? {};
|
||||||
|
opts.logLevels ??= DEFAULT_LOG_LEVELS;
|
||||||
|
opts.colors ??= opts.colors ?? (opts.json ? false : true);
|
||||||
|
opts.prefix ??= 'Nest';
|
||||||
|
|
||||||
|
this.options = opts;
|
||||||
|
this.inspectOptions = this.getInspectOptions();
|
||||||
|
|
||||||
|
if (context) {
|
||||||
|
this.context = context;
|
||||||
|
this.originalContext = context;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Write a 'log' level log, if the configured level allows for it.
|
||||||
|
* Prints to `stdout` with newline.
|
||||||
|
*/
|
||||||
|
log(message: any, context?: string): void;
|
||||||
|
log(message: any, ...optionalParams: [...any, string?]): void;
|
||||||
|
log(message: any, ...optionalParams: any[]) {
|
||||||
|
if (!this.isLevelEnabled('log')) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const { messages, context, scopeInfo } = this.getContextAndMessagesToPrint([
|
||||||
|
message,
|
||||||
|
...optionalParams,
|
||||||
|
]);
|
||||||
|
this.printMessages(messages, context, 'log', undefined, undefined, scopeInfo);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Write an 'error' level log, if the configured level allows for it.
|
||||||
|
* Prints to `stderr` with newline.
|
||||||
|
*/
|
||||||
|
error(message: any, stackOrContext?: string): void;
|
||||||
|
error(message: any, stack?: string, context?: string): void;
|
||||||
|
error(message: any, ...optionalParams: [...any, string?, string?]): void;
|
||||||
|
error(message: any, ...optionalParams: any[]) {
|
||||||
|
if (!this.isLevelEnabled('error')) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const { messages, context, stack, scopeInfo } =
|
||||||
|
this.getContextAndStackAndMessagesToPrint([message, ...optionalParams]);
|
||||||
|
|
||||||
|
this.printMessages(messages, context, 'error', 'stderr', stack, scopeInfo);
|
||||||
|
this.printStackTrace(stack!);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Write a 'warn' level log, if the configured level allows for it.
|
||||||
|
* Prints to `stdout` with newline.
|
||||||
|
*/
|
||||||
|
warn(message: any, context?: string): void;
|
||||||
|
warn(message: any, ...optionalParams: [...any, string?]): void;
|
||||||
|
warn(message: any, ...optionalParams: any[]) {
|
||||||
|
if (!this.isLevelEnabled('warn')) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const { messages, context, scopeInfo } = this.getContextAndMessagesToPrint([
|
||||||
|
message,
|
||||||
|
...optionalParams,
|
||||||
|
]);
|
||||||
|
this.printMessages(messages, context, 'warn', undefined, undefined, scopeInfo);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Write a 'debug' level log, if the configured level allows for it.
|
||||||
|
* Prints to `stdout` with newline.
|
||||||
|
*/
|
||||||
|
debug(message: any, context?: string): void;
|
||||||
|
debug(message: any, ...optionalParams: [...any, string?]): void;
|
||||||
|
debug(message: any, ...optionalParams: any[]) {
|
||||||
|
if (!this.isLevelEnabled('debug')) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const { messages, context, scopeInfo } = this.getContextAndMessagesToPrint([
|
||||||
|
message,
|
||||||
|
...optionalParams,
|
||||||
|
]);
|
||||||
|
this.printMessages(messages, context, 'debug', undefined, undefined, scopeInfo);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Write a 'verbose' level log, if the configured level allows for it.
|
||||||
|
* Prints to `stdout` with newline.
|
||||||
|
*/
|
||||||
|
verbose(message: any, context?: string): void;
|
||||||
|
verbose(message: any, ...optionalParams: [...any, string?]): void;
|
||||||
|
verbose(message: any, ...optionalParams: any[]) {
|
||||||
|
if (!this.isLevelEnabled('verbose')) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const { messages, context, scopeInfo } = this.getContextAndMessagesToPrint([
|
||||||
|
message,
|
||||||
|
...optionalParams,
|
||||||
|
]);
|
||||||
|
this.printMessages(messages, context, 'verbose', undefined, undefined, scopeInfo);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Write a 'fatal' level log, if the configured level allows for it.
|
||||||
|
* Prints to `stdout` with newline.
|
||||||
|
*/
|
||||||
|
fatal(message: any, context?: string): void;
|
||||||
|
fatal(message: any, ...optionalParams: [...any, string?]): void;
|
||||||
|
fatal(message: any, ...optionalParams: any[]) {
|
||||||
|
if (!this.isLevelEnabled('fatal')) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const { messages, context, scopeInfo } = this.getContextAndMessagesToPrint([
|
||||||
|
message,
|
||||||
|
...optionalParams,
|
||||||
|
]);
|
||||||
|
this.printMessages(messages, context, 'fatal', undefined, undefined, scopeInfo);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Set log levels
|
||||||
|
* @param levels log levels
|
||||||
|
*/
|
||||||
|
setLogLevels(levels: LogLevel[]) {
|
||||||
|
if (!this.options) {
|
||||||
|
this.options = {};
|
||||||
|
}
|
||||||
|
this.options.logLevels = levels;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Set logger context
|
||||||
|
* @param context context
|
||||||
|
*/
|
||||||
|
setContext(context: string) {
|
||||||
|
this.context = context;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Resets the logger context to the value that was passed in the constructor.
|
||||||
|
*/
|
||||||
|
resetContext() {
|
||||||
|
this.context = this.originalContext;
|
||||||
|
}
|
||||||
|
|
||||||
|
isLevelEnabled(level: LogLevel): boolean {
|
||||||
|
const logLevels = this.options?.logLevels;
|
||||||
|
return isLogLevelEnabled(level, logLevels);
|
||||||
|
}
|
||||||
|
|
||||||
|
protected getTimestamp(): string {
|
||||||
|
return dateTimeFormatter.format(Date.now());
|
||||||
|
}
|
||||||
|
|
||||||
|
protected printMessages(
|
||||||
|
messages: unknown[],
|
||||||
|
context = '',
|
||||||
|
logLevel: LogLevel = 'log',
|
||||||
|
writeStreamType?: 'stdout' | 'stderr',
|
||||||
|
errorStack?: unknown,
|
||||||
|
scopeInfo?: LogScopeInformation,
|
||||||
|
) {
|
||||||
|
messages.forEach(message => {
|
||||||
|
if (this.options.json) {
|
||||||
|
this.printAsJson(message, {
|
||||||
|
context,
|
||||||
|
logLevel,
|
||||||
|
writeStreamType,
|
||||||
|
errorStack,
|
||||||
|
scopeInfo,
|
||||||
|
});
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
const pidMessage = this.formatPid(process.pid);
|
||||||
|
const contextMessage = this.formatContext(context);
|
||||||
|
const timestampDiff = this.updateAndGetTimestampDiff();
|
||||||
|
const formattedLogLevel = logLevel.toUpperCase().padStart(7, ' ');
|
||||||
|
const formattedScopeInfo = this.formatScopeInfo(scopeInfo);
|
||||||
|
const formattedMessage = this.formatMessage(
|
||||||
|
logLevel,
|
||||||
|
message,
|
||||||
|
pidMessage,
|
||||||
|
formattedLogLevel,
|
||||||
|
contextMessage,
|
||||||
|
timestampDiff,
|
||||||
|
formattedScopeInfo
|
||||||
|
);
|
||||||
|
|
||||||
|
process[writeStreamType ?? 'stdout'].write(formattedMessage);
|
||||||
|
});
|
||||||
|
}
|
||||||
|
|
||||||
|
protected formatScopeInfo(scopeInfo?: LogScopeInformation): [string, string] {
|
||||||
|
if (!scopeInfo) return ['', ''];
|
||||||
|
const scopeId = scopeInfo[NestloggedScopeId];
|
||||||
|
const formattedScope = formatScope(scopeInfo[NestloggedScope]);
|
||||||
|
return this.options.colors ? [`ID=[${clc.cyanBright(scopeId)}] | `, formattedScope] : [`ID=[${scopeId}] | `, formattedScope]
|
||||||
|
}
|
||||||
|
|
||||||
|
protected printAsJson(
|
||||||
|
message: unknown,
|
||||||
|
options: {
|
||||||
|
context: string;
|
||||||
|
logLevel: LogLevel;
|
||||||
|
writeStreamType?: 'stdout' | 'stderr';
|
||||||
|
errorStack?: unknown;
|
||||||
|
scopeInfo?: LogScopeInformation;
|
||||||
|
},
|
||||||
|
) {
|
||||||
|
type JsonLogObject = {
|
||||||
|
level: LogLevel;
|
||||||
|
pid: number;
|
||||||
|
timestamp: number;
|
||||||
|
message: unknown;
|
||||||
|
context?: string;
|
||||||
|
stack?: unknown;
|
||||||
|
scopeId?: string;
|
||||||
|
scope?: (string | string[])[];
|
||||||
|
};
|
||||||
|
|
||||||
|
const logObject: JsonLogObject = {
|
||||||
|
level: options.logLevel,
|
||||||
|
pid: process.pid,
|
||||||
|
timestamp: Date.now(),
|
||||||
|
message,
|
||||||
|
};
|
||||||
|
|
||||||
|
if (options.scopeInfo) {
|
||||||
|
logObject.scopeId = options.scopeInfo[NestloggedScopeId];
|
||||||
|
logObject.scope = options.scopeInfo[NestloggedScope];
|
||||||
|
}
|
||||||
|
|
||||||
|
if (options.context) {
|
||||||
|
logObject.context = options.context;
|
||||||
|
}
|
||||||
|
|
||||||
|
if (options.errorStack) {
|
||||||
|
logObject.stack = options.errorStack;
|
||||||
|
}
|
||||||
|
|
||||||
|
const formattedMessage =
|
||||||
|
!this.options.colors && this.inspectOptions.compact === true
|
||||||
|
? JSON.stringify(logObject, this.stringifyReplacer)
|
||||||
|
: inspect(logObject, this.inspectOptions);
|
||||||
|
process[options.writeStreamType ?? 'stdout'].write(`${formattedMessage}\n`);
|
||||||
|
}
|
||||||
|
|
||||||
|
protected formatPid(pid: number) {
|
||||||
|
return `[${this.options.prefix}] ${pid} - `;
|
||||||
|
}
|
||||||
|
|
||||||
|
protected formatContext(context: string): string {
|
||||||
|
if (!context) {
|
||||||
|
return '';
|
||||||
|
}
|
||||||
|
|
||||||
|
context = `[${context}] `;
|
||||||
|
return this.options.colors ? yellow(context) : context;
|
||||||
|
}
|
||||||
|
|
||||||
|
protected formatMessage(
|
||||||
|
logLevel: LogLevel,
|
||||||
|
message: unknown,
|
||||||
|
pidMessage: string,
|
||||||
|
formattedLogLevel: string,
|
||||||
|
contextMessage: string,
|
||||||
|
timestampDiff: string,
|
||||||
|
formattedScopeInfo: [string, string],
|
||||||
|
) {
|
||||||
|
const output = this.stringifyMessage(message, logLevel);
|
||||||
|
pidMessage = this.colorize(pidMessage, logLevel);
|
||||||
|
formattedLogLevel = this.colorize(formattedLogLevel, logLevel);
|
||||||
|
let colorizedScope = '';
|
||||||
|
if (formattedScopeInfo[1]) colorizedScope = this.colorize(formattedScopeInfo[1], logLevel);
|
||||||
|
return `${pidMessage}${this.getTimestamp()} ${formattedLogLevel} ${contextMessage}${formattedScopeInfo[0]}${colorizedScope}${output}${timestampDiff}\n`;
|
||||||
|
}
|
||||||
|
|
||||||
|
protected stringifyMessage(message: unknown, logLevel: LogLevel) {
|
||||||
|
if (isFunction(message)) {
|
||||||
|
const messageAsStr = Function.prototype.toString.call(message);
|
||||||
|
const isClass = messageAsStr.startsWith('class ');
|
||||||
|
if (isClass) {
|
||||||
|
// If the message is a class, we will display the class name.
|
||||||
|
return this.stringifyMessage(message.name, logLevel);
|
||||||
|
}
|
||||||
|
// If the message is a non-class function, call it and re-resolve its value.
|
||||||
|
return this.stringifyMessage(message(), logLevel);
|
||||||
|
}
|
||||||
|
|
||||||
|
if (typeof message === 'string') {
|
||||||
|
return this.colorize(message, logLevel);
|
||||||
|
}
|
||||||
|
|
||||||
|
const outputText = inspect(message, this.inspectOptions);
|
||||||
|
if (isPlainObject(message)) {
|
||||||
|
return `Object(${Object.keys(message).length}) ${outputText}`;
|
||||||
|
}
|
||||||
|
if (Array.isArray(message)) {
|
||||||
|
return `Array(${message.length}) ${outputText}`;
|
||||||
|
}
|
||||||
|
return outputText;
|
||||||
|
}
|
||||||
|
|
||||||
|
protected colorize(message: string, logLevel: LogLevel) {
|
||||||
|
if (!this.options.colors || this.options.json) {
|
||||||
|
return message;
|
||||||
|
}
|
||||||
|
const color = this.getColorByLogLevel(logLevel);
|
||||||
|
return color(message);
|
||||||
|
}
|
||||||
|
|
||||||
|
protected printStackTrace(stack: string) {
|
||||||
|
if (!stack || this.options.json) {
|
||||||
|
return;
|
||||||
|
}
|
||||||
|
process.stderr.write(`${stack}\n`);
|
||||||
|
}
|
||||||
|
|
||||||
|
protected updateAndGetTimestampDiff(): string {
|
||||||
|
const includeTimestamp =
|
||||||
|
ConsoleLogger.lastTimestampAt && this.options?.timestamp;
|
||||||
|
const result = includeTimestamp
|
||||||
|
? this.formatTimestampDiff(Date.now() - ConsoleLogger.lastTimestampAt!)
|
||||||
|
: '';
|
||||||
|
ConsoleLogger.lastTimestampAt = Date.now();
|
||||||
|
return result;
|
||||||
|
}
|
||||||
|
|
||||||
|
protected formatTimestampDiff(timestampDiff: number) {
|
||||||
|
const formattedDiff = ` +${timestampDiff}ms`;
|
||||||
|
return this.options.colors ? yellow(formattedDiff) : formattedDiff;
|
||||||
|
}
|
||||||
|
|
||||||
|
protected getInspectOptions() {
|
||||||
|
let breakLength = this.options.breakLength;
|
||||||
|
if (typeof breakLength === 'undefined') {
|
||||||
|
breakLength = this.options.colors
|
||||||
|
? this.options.compact
|
||||||
|
? Infinity
|
||||||
|
: undefined
|
||||||
|
: this.options.compact === false
|
||||||
|
? undefined
|
||||||
|
: Infinity; // default breakLength to Infinity if inline is not set and colors is false
|
||||||
|
}
|
||||||
|
|
||||||
|
const inspectOptions: InspectOptions = {
|
||||||
|
depth: this.options.depth ?? DEFAULT_DEPTH,
|
||||||
|
sorted: this.options.sorted,
|
||||||
|
showHidden: this.options.showHidden,
|
||||||
|
compact: this.options.compact ?? (this.options.json ? true : false),
|
||||||
|
colors: this.options.colors,
|
||||||
|
breakLength,
|
||||||
|
};
|
||||||
|
|
||||||
|
if (this.options.maxArrayLength) {
|
||||||
|
inspectOptions.maxArrayLength = this.options.maxArrayLength;
|
||||||
|
}
|
||||||
|
if (this.options.maxStringLength) {
|
||||||
|
inspectOptions.maxStringLength = this.options.maxStringLength;
|
||||||
|
}
|
||||||
|
|
||||||
|
return inspectOptions;
|
||||||
|
}
|
||||||
|
|
||||||
|
protected stringifyReplacer(key: string, value: unknown) {
|
||||||
|
// Mimic util.inspect behavior for JSON logger with compact on and colors off
|
||||||
|
if (typeof value === 'bigint') {
|
||||||
|
return value.toString();
|
||||||
|
}
|
||||||
|
if (typeof value === 'symbol') {
|
||||||
|
return value.toString();
|
||||||
|
}
|
||||||
|
|
||||||
|
if (
|
||||||
|
value instanceof Map ||
|
||||||
|
value instanceof Set ||
|
||||||
|
value instanceof Error
|
||||||
|
) {
|
||||||
|
return `${inspect(value, this.inspectOptions)}`;
|
||||||
|
}
|
||||||
|
return value;
|
||||||
|
}
|
||||||
|
|
||||||
|
private getContextAndMessagesToPrint(args: unknown[]): {
|
||||||
|
scopeInfo?: LogScopeInformation,
|
||||||
|
messages: any,
|
||||||
|
context?: string,
|
||||||
|
} {
|
||||||
|
if (isScope(args[0])) {
|
||||||
|
return {
|
||||||
|
scopeInfo: args[0],
|
||||||
|
...this.getContextAndMessagesToPrint(args.slice(1)),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if (args?.length <= 1) {
|
||||||
|
return { messages: args, context: this.context };
|
||||||
|
}
|
||||||
|
const lastElement = args[args.length - 1];
|
||||||
|
const isContext = isString(lastElement);
|
||||||
|
if (!isContext) {
|
||||||
|
return { messages: args, context: this.context };
|
||||||
|
}
|
||||||
|
return {
|
||||||
|
context: lastElement,
|
||||||
|
messages: args.slice(0, args.length - 1),
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
private getContextAndStackAndMessagesToPrint(args: unknown[]): {
|
||||||
|
messages: any;
|
||||||
|
context: string;
|
||||||
|
stack?: string;
|
||||||
|
scopeInfo?: LogScopeInformation;
|
||||||
|
} {
|
||||||
|
if (isScope(args[0])) {
|
||||||
|
return {
|
||||||
|
scopeInfo: args[0],
|
||||||
|
...this.getContextAndStackAndMessagesToPrint(args.slice(1)),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
if (args.length === 2) {
|
||||||
|
return this.isStackFormat(args[1])
|
||||||
|
? {
|
||||||
|
messages: [args[0]],
|
||||||
|
stack: args[1] as string,
|
||||||
|
context: this.context,
|
||||||
|
}
|
||||||
|
: {
|
||||||
|
messages: [args[0]],
|
||||||
|
context: args[1] as string,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
const { messages, context } = this.getContextAndMessagesToPrint(args);
|
||||||
|
if (messages?.length <= 1) {
|
||||||
|
return { messages, context };
|
||||||
|
}
|
||||||
|
const lastElement = messages[messages.length - 1];
|
||||||
|
const isStack = isString(lastElement);
|
||||||
|
// https://github.com/nestjs/nest/issues/11074#issuecomment-1421680060
|
||||||
|
if (!isStack && !isUndefined(lastElement)) {
|
||||||
|
return { messages, context };
|
||||||
|
}
|
||||||
|
return {
|
||||||
|
stack: lastElement,
|
||||||
|
messages: messages.slice(0, messages.length - 1),
|
||||||
|
context,
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
private isStackFormat(stack: unknown) {
|
||||||
|
if (!isString(stack) && !isUndefined(stack)) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
|
||||||
|
return /^(.)+\n\s+at .+:\d+:\d+/.test(stack!);
|
||||||
|
}
|
||||||
|
|
||||||
|
private getColorByLogLevel(level: LogLevel) {
|
||||||
|
switch (level) {
|
||||||
|
case 'debug':
|
||||||
|
return clc.magentaBright;
|
||||||
|
case 'warn':
|
||||||
|
return clc.yellow;
|
||||||
|
case 'error':
|
||||||
|
return clc.red;
|
||||||
|
case 'verbose':
|
||||||
|
return clc.cyanBright;
|
||||||
|
case 'fatal':
|
||||||
|
return clc.bold;
|
||||||
|
default:
|
||||||
|
return clc.green;
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
@ -1,4 +1,4 @@
|
|||||||
import { Logger } from '@nestjs/common';
|
import { Logger, LogLevel } from '@nestjs/common';
|
||||||
import { ScopedLogger } from './logger';
|
import { ScopedLogger } from './logger';
|
||||||
import { REQUEST_LOG_ID } from './logged/utils';
|
import { REQUEST_LOG_ID } from './logged/utils';
|
||||||
|
|
||||||
@ -7,3 +7,98 @@ const logger = new Logger();
|
|||||||
export function getRequestLogger(functionName: string, req: any): ScopedLogger {
|
export function getRequestLogger(functionName: string, req: any): ScopedLogger {
|
||||||
return new ScopedLogger(logger, [functionName], req[REQUEST_LOG_ID]);
|
return new ScopedLogger(logger, [functionName], req[REQUEST_LOG_ID]);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
export const NestloggedScopeId = Symbol('nestlogged_scopeId');
|
||||||
|
export const NestloggedScope = Symbol('nestlogged_scope');
|
||||||
|
export interface LogScopeInformation {
|
||||||
|
[NestloggedScopeId]: string;
|
||||||
|
[NestloggedScope]: (string | string[])[];
|
||||||
|
}
|
||||||
|
|
||||||
|
export const isNil = (val: any): val is null | undefined =>
|
||||||
|
isUndefined(val) || val === null;
|
||||||
|
export const isFunction = (val: any): val is Function =>
|
||||||
|
typeof val === 'function';
|
||||||
|
export const isObject = (fn: any): fn is object =>
|
||||||
|
!isNil(fn) && typeof fn === 'object';
|
||||||
|
export const isPlainObject = (fn: any): fn is object => {
|
||||||
|
if (!isObject(fn)) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
const proto = Object.getPrototypeOf(fn);
|
||||||
|
if (proto === null) {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
const ctor =
|
||||||
|
Object.prototype.hasOwnProperty.call(proto, 'constructor') &&
|
||||||
|
proto.constructor;
|
||||||
|
return (
|
||||||
|
typeof ctor === 'function' &&
|
||||||
|
ctor instanceof ctor &&
|
||||||
|
Function.prototype.toString.call(ctor) ===
|
||||||
|
Function.prototype.toString.call(Object)
|
||||||
|
);
|
||||||
|
};
|
||||||
|
export const isString = (val: any): val is string => typeof val === 'string';
|
||||||
|
export const isUndefined = (obj: any): obj is undefined =>
|
||||||
|
typeof obj === 'undefined';
|
||||||
|
export const isScope = (obj: any): obj is LogScopeInformation =>
|
||||||
|
typeof obj === 'object' &&
|
||||||
|
obj !== null &&
|
||||||
|
NestloggedScopeId in obj &&
|
||||||
|
NestloggedScope in obj;
|
||||||
|
|
||||||
|
|
||||||
|
const LOG_LEVEL_VALUES: Record<LogLevel, number> = {
|
||||||
|
verbose: 0,
|
||||||
|
debug: 1,
|
||||||
|
log: 2,
|
||||||
|
warn: 3,
|
||||||
|
error: 4,
|
||||||
|
fatal: 5,
|
||||||
|
};
|
||||||
|
|
||||||
|
/**
|
||||||
|
* Checks if target level is enabled.
|
||||||
|
* @param targetLevel target level
|
||||||
|
* @param logLevels array of enabled log levels
|
||||||
|
*/
|
||||||
|
export function isLogLevelEnabled(
|
||||||
|
targetLevel: LogLevel,
|
||||||
|
logLevels: LogLevel[] | undefined,
|
||||||
|
): boolean {
|
||||||
|
if (!logLevels || (Array.isArray(logLevels) && logLevels?.length === 0)) {
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
if (logLevels.includes(targetLevel)) {
|
||||||
|
return true;
|
||||||
|
}
|
||||||
|
const highestLogLevelValue = logLevels
|
||||||
|
.map(level => LOG_LEVEL_VALUES[level])
|
||||||
|
.sort((a, b) => b - a)?.[0];
|
||||||
|
|
||||||
|
const targetLevelValue = LOG_LEVEL_VALUES[targetLevel];
|
||||||
|
return targetLevelValue >= highestLogLevelValue;
|
||||||
|
}
|
||||||
|
|
||||||
|
type ColorTextFn = (text: string) => string;
|
||||||
|
|
||||||
|
const isColorAllowed = () => !process.env.NO_COLOR;
|
||||||
|
const colorIfAllowed = (colorFn: ColorTextFn) => (text: string) =>
|
||||||
|
isColorAllowed() ? colorFn(text) : text;
|
||||||
|
|
||||||
|
export const clc = {
|
||||||
|
bold: colorIfAllowed((text: string) => `\x1B[1m${text}\x1B[0m`),
|
||||||
|
green: colorIfAllowed((text: string) => `\x1B[32m${text}\x1B[39m`),
|
||||||
|
yellow: colorIfAllowed((text: string) => `\x1B[33m${text}\x1B[39m`),
|
||||||
|
red: colorIfAllowed((text: string) => `\x1B[31m${text}\x1B[39m`),
|
||||||
|
magentaBright: colorIfAllowed((text: string) => `\x1B[95m${text}\x1B[39m`),
|
||||||
|
cyanBright: colorIfAllowed((text: string) => `\x1B[96m${text}\x1B[39m`),
|
||||||
|
};
|
||||||
|
export const yellow = colorIfAllowed(
|
||||||
|
(text: string) => `\x1B[38;5;3m${text}\x1B[39m`,
|
||||||
|
);
|
||||||
|
|
||||||
|
export function formatScope(scopes: (string | string[])[]): string {
|
||||||
|
return scopes.map((v) => typeof v === 'string' ? v : v.join('.')).join(' -> ') + ' ';
|
||||||
|
}
|
Loading…
x
Reference in New Issue
Block a user