|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
|
import util from 'node:util'; |
|
|
import type { ConsoleMessageItem } from '../types.js'; |
|
|
|
|
|
interface ConsolePatcherParams { |
|
|
onNewMessage?: (message: Omit<ConsoleMessageItem, 'id'>) => void; |
|
|
debugMode: boolean; |
|
|
stderr?: boolean; |
|
|
} |
|
|
|
|
|
export class ConsolePatcher { |
|
|
private originalConsoleLog = console.log; |
|
|
private originalConsoleWarn = console.warn; |
|
|
private originalConsoleError = console.error; |
|
|
private originalConsoleDebug = console.debug; |
|
|
private originalConsoleInfo = console.info; |
|
|
|
|
|
private params: ConsolePatcherParams; |
|
|
|
|
|
constructor(params: ConsolePatcherParams) { |
|
|
this.params = params; |
|
|
} |
|
|
|
|
|
patch() { |
|
|
console.log = this.patchConsoleMethod('log', this.originalConsoleLog); |
|
|
console.warn = this.patchConsoleMethod('warn', this.originalConsoleWarn); |
|
|
console.error = this.patchConsoleMethod('error', this.originalConsoleError); |
|
|
console.debug = this.patchConsoleMethod('debug', this.originalConsoleDebug); |
|
|
console.info = this.patchConsoleMethod('info', this.originalConsoleInfo); |
|
|
} |
|
|
|
|
|
cleanup = () => { |
|
|
console.log = this.originalConsoleLog; |
|
|
console.warn = this.originalConsoleWarn; |
|
|
console.error = this.originalConsoleError; |
|
|
console.debug = this.originalConsoleDebug; |
|
|
console.info = this.originalConsoleInfo; |
|
|
}; |
|
|
|
|
|
private formatArgs = (args: unknown[]): string => util.format(...args); |
|
|
|
|
|
private patchConsoleMethod = |
|
|
( |
|
|
type: 'log' | 'warn' | 'error' | 'debug' | 'info', |
|
|
originalMethod: (...args: unknown[]) => void, |
|
|
) => |
|
|
(...args: unknown[]) => { |
|
|
if (this.params.stderr) { |
|
|
if (type !== 'debug' || this.params.debugMode) { |
|
|
this.originalConsoleError(this.formatArgs(args)); |
|
|
} |
|
|
} else { |
|
|
if (this.params.debugMode) { |
|
|
originalMethod.apply(console, args); |
|
|
} |
|
|
|
|
|
if (type !== 'debug' || this.params.debugMode) { |
|
|
this.params.onNewMessage?.({ |
|
|
type, |
|
|
content: this.formatArgs(args), |
|
|
count: 1, |
|
|
}); |
|
|
} |
|
|
} |
|
|
}; |
|
|
} |
|
|
|