A tree-shakeable, configurable logger that intercepts console methods with beautiful separators, colors, emojis, and context information. Configure once and enhance all your console logs with automatic file/component detection and method-specific customization.
This package was created not because existing logging solutions are inadequate, but because none of them perfectly matched the specific requirements I was looking for. I needed a logger that:
- Intercepts console methods automatically (no need to replace every
console.log) - Provides configurable separators before and after each log
- Supports method-specific overrides (different formats for
log,info,error, etc.) - Automatically detects file names, line numbers, and component names
- Is tree-shakeable and production-ready
- Works seamlessly with build tools to remove console statements in production
While there are excellent logging packages available, I couldn't find one that combined all these features exactly as I needed them. So I decided to create Loggatron to fill that gap. If you have similar requirements, this package might be perfect for you too!
- 🌳 Tree-shakeable: Only import what you use
- 🎨 Highly Configurable: Separators, colors, emojis, and method-specific overrides
- 📍 Context-aware: Automatically shows file name, line number, and component name
- 🔧 Method Overrides: Different formatting for each console method (log, info, warn, error, debug)
- 🌐 Universal: Works in Node.js and browser environments
- 🚀 Production-ready: Easy to remove all console.log in production builds
- 🎯 Zero Dependencies: Lightweight with no runtime dependencies
npm install loggatronimport { init } from 'loggatron';
// Initialize once in your main file
init();
// Now all console.log calls will be enhanced
console.log('Hello World');
// Output:
// -------------------------------- 📝 [MyComponent] (index.ts:42)
// Hello World
// --------------------------------import { init } from 'loggatron';
// Initialize with defaults
init();
console.log('This will have separators and context');
console.info('This too');
console.error('Errors are highlighted');import { init } from 'loggatron';
init({
separator: {
preLog: '━━━━━━━━━━━━━━━━━━━━━━━━',
postLog: '━━━━━━━━━━━━━━━━━━━━━━━━',
color: '\x1b[97m', // Bright White for separators
},
colors: {
log: '\x1b[36m', // Cyan
error: '\x1b[31m', // Red
},
emojis: {
log: '✨',
error: '🔥',
},
showFileName: true,
showFunctionName: true,
addNewLine: false, // Don't add extra newline after logs
methods: ['log', 'error', 'warn'], // Only intercept these methods
});The powerful feature of Loggatron is the ability to customize each console method individually:
import { init } from 'loggatron';
init({
// Global defaults
separator: {
preLog: '--------------------------------',
postLog: '--------------------------------',
color: '\x1b[97m', // Bright White for separators
skipOnEmptyLog: true, // Skip separators on empty logs
},
showFileName: true,
showFunctionName: true,
addNewLine: false, // Don't add extra newline
// Method-specific overrides
overrides: {
info: {
separator: {
preLog: '', // No separator for info
postLog: '', // Clean output
skipOnEmptyLog: false, // Always show separators for info (if set)
},
showFileName: false, // Don't show file name for info
showFunctionName: true, // But still show function name
addNewLine: true, // Add newline after info logs
},
error: {
separator: {
preLog: '🚨🚨🚨 ERROR 🚨🚨🚨',
postLog: '━━━━━━━━━━━━━━━━━━━━━━━━',
color: '\x1b[91m', // Bright Red for error separators
skipOnEmptyLog: false, // Always show error separators
},
showFileName: true,
showFunctionName: true,
},
debug: {
separator: {
preLog: '🐛 DEBUG START 🐛',
postLog: '🐛 DEBUG END 🐛',
color: '\x1b[95m', // Bright Magenta for debug separators
},
showFileName: true,
showFunctionName: false, // Hide function name for debug
},
warn: {
showFileName: false, // Simple warning format
showFunctionName: true,
},
},
});
// Now different methods have different formats:
console.log('Full format with separators'); // Uses global config
console.info('Minimal format'); // No separators, no filename
console.error('Enhanced error format'); // Custom error format
console.debug('Debug format'); // Custom debug format
console.warn('Simple warning'); // Simplified formatBy default, separators are skipped when a log is empty (no arguments or only whitespace). You can control this behavior:
import { init } from 'loggatron';
init({
separator: {
preLog: '--------------------------------',
postLog: '--------------------------------',
skipOnEmptyLog: true, // Default: skip separators on empty logs
},
});
console.log(); // No separators shown (no arguments)
console.log(''); // No separators shown (empty log)
console.log(' '); // No separators shown (only whitespace)
console.log('Actual message'); // Separators shown
// Override per method
init({
separator: {
skipOnEmptyLog: true, // Global default
},
overrides: {
error: {
separator: {
skipOnEmptyLog: false, // Always show separators for errors, even if empty
},
},
},
});Control whether to add an extra newline after each log:
import { init } from 'loggatron';
init({
addNewLine: true, // Add extra newline after each log
});
console.log('Message 1');
console.log('Message 2');
// Output will have extra spacing between logs
// Override per method
init({
addNewLine: false, // Global default: no extra newline
overrides: {
info: {
addNewLine: true, // Add newline only for info logs
},
},
});You can set different colors for separators (separate from log content colors):
import { init } from 'loggatron';
init({
separator: {
preLog: '--------------------------------',
postLog: '--------------------------------',
color: '\x1b[90m', // Gray separators
},
colors: {
log: '\x1b[36m', // Cyan for log content
},
// Separators will be gray, log content will be cyan
});
// Override separator color per method
init({
separator: {
color: '\x1b[97m', // White separators by default
},
overrides: {
error: {
separator: {
color: '\x1b[91m', // Bright red separators for errors
},
},
},
});import { configure } from 'loggatron';
// Update configuration at runtime
configure({
enabled: false, // Disable temporarily
});
// Re-enable
configure({
enabled: true,
});import { destroy } from 'loggatron';
destroy(); // Restores original console methodsimport { getInstance } from 'loggatron';
const instance = getInstance();
if (instance) {
// Access the Loggatron instance directly
// Note: The instance type is not exported, but you can use it via getInstance()
}| Option | Type | Default | Description |
|---|---|---|---|
enabled |
boolean |
true |
Enable/disable the logger |
separator.preLog |
string |
"--------------------------------" |
Text before each log |
separator.postLog |
string |
"--------------------------------" |
Text after each log |
separator.color |
string |
'\x1b[97m' |
ANSI color code for separators (Bright White) |
separator.skipOnEmptyLog |
boolean |
true |
Skip separators when log is empty |
showFileName |
boolean |
true |
Show file name and line number |
showFunctionName |
boolean |
true |
Show function/component name |
addNewLine |
boolean |
false |
Add extra newline after each log |
colors.log |
string |
'\x1b[36m' |
ANSI color code for log (Cyan) |
colors.info |
string |
'\x1b[32m' |
ANSI color code for info (Green) |
colors.warn |
string |
'\x1b[33m' |
ANSI color code for warn (Yellow) |
colors.error |
string |
'\x1b[31m' |
ANSI color code for error (Red) |
colors.debug |
string |
'\x1b[35m' |
ANSI color code for debug (Magenta) |
emojis.log |
string |
'📝' |
Emoji for log |
emojis.info |
string |
'ℹ️' |
Emoji for info |
emojis.warn |
string |
'⚠️' |
Emoji for warn |
emojis.error |
string |
'❌' |
Emoji for error |
emojis.debug |
string |
'🐛' |
Emoji for debug |
methods |
LogMethod[] |
['log','info','warn','error','debug'] |
Console methods to intercept |
captureStack |
boolean |
true |
Capture stack trace for context |
maxStackDepth |
number |
3 |
Maximum stack frames to check |
Each method can override these specific options:
overrides: {
log?: {
separator?: {
preLog?: string;
postLog?: string;
color?: string; // Custom color for this method's separators
skipOnEmptyLog?: boolean; // Skip separators on empty logs for this method
};
showFileName?: boolean;
showFunctionName?: boolean;
addNewLine?: boolean; // Override global addNewLine for this method
};
// ... same for info, warn, error, debug
}Note:
- Override values take precedence over global values. If an override option is
undefined, it falls back to the global setting. - Colors and emojis cannot be overridden per method - they are set globally via
colorsandemojisconfiguration options. - Each method uses its own color and emoji from the global
colorsandemojisconfiguration (e.g.,colors.errorforconsole.error,emojis.infoforconsole.info).
Add to your vite.config.ts:
import { defineConfig } from 'vite';
export default defineConfig({
build: {
minify: 'esbuild',
esbuild: {
drop: ['console', 'debugger'], // Removes all console.* calls
},
},
});Or for more control with Terser:
import { defineConfig } from 'vite';
import { terser } from 'rollup-plugin-terser';
export default defineConfig({
build: {
minify: 'terser',
terserOptions: {
compress: {
drop_console: true, // Remove all console.*
// Or selective: drop_console: ['log', 'info'], // Keep warn and error
},
},
},
});In your webpack.config.js:
const TerserPlugin = require('terser-webpack-plugin');
module.exports = {
// ... other configurations ...
optimization: {
minimize: true,
minimizer: [
new TerserPlugin({
terserOptions: {
compress: {
drop_console: true, // Remove all console.*
// Or selective: drop_console: ['log', 'info'],
},
},
}),
],
},
};import { terser } from 'rollup-plugin-terser';
export default {
plugins: [
terser({
compress: {
drop_console: true,
},
}),
],
};npm install --save-dev babel-plugin-transform-remove-consoleIn your .babelrc or babel.config.js:
{
"plugins": [
[
"transform-remove-console",
{
"exclude": ["error", "warn"] // Keep error and warn
}
]
]
}This package is fully tree-shakeable. If you only import what you need, unused code will be removed:
// Only imports init function - tree-shakeable
import { init } from 'loggatron';
// Instead of importing everything
import * as loggatron from 'loggatron'; // Not recommendedMake sure your bundler supports tree-shaking and that sideEffects: false is respected.
You can customize colors using ANSI escape codes:
'\x1b[30m'- Black'\x1b[31m'- Red'\x1b[32m'- Green'\x1b[33m'- Yellow'\x1b[34m'- Blue'\x1b[35m'- Magenta'\x1b[36m'- Cyan'\x1b[37m'- White'\x1b[90m'- Bright Black (Gray)'\x1b[91m'- Bright Red'\x1b[92m'- Bright Green'\x1b[93m'- Bright Yellow'\x1b[94m'- Bright Blue'\x1b[95m'- Bright Magenta'\x1b[96m'- Bright Cyan'\x1b[97m'- Bright White'\x1b[0m'- Reset (automatically added)
Works in both Node.js and browser environments. Colors work in terminals that support ANSI codes. In browser DevTools, colors may not display unless the browser supports ANSI color codes in console output.
Initializes Loggatron with optional configuration. Call this once in your main application file.
const logger = init({
enabled: true,
separator: { preLog: '===', postLog: '===' },
});Updates the configuration of an existing Loggatron instance. If no instance exists, it will be created.
configure({ enabled: false });Destroys the Loggatron instance and restores original console methods.
destroy();Returns the current Loggatron instance, or null if not initialized.
const instance = getInstance();The Loggatron class is not exported from the main entry point to keep the API surface minimal. Use the init(), configure(), destroy(), and getInstance() functions instead for all use cases.
// main.tsx
import { init } from 'loggatron';
init({
addNewLine: true, // Add spacing between logs
overrides: {
info: {
separator: { preLog: '', postLog: '' },
showFileName: false,
showFunctionName: true,
},
},
});
// Component.tsx
export function MyComponent() {
console.log('Component rendered'); // Full format
console.info('User action'); // Minimal format
return <div>Hello</div>;
}// app.ts
import { init } from 'loggatron';
init({
separator: {
preLog: '┌─────────────────────────────',
postLog: '└─────────────────────────────',
color: '\x1b[90m', // Gray for separators
},
addNewLine: true, // Add spacing for better readability
overrides: {
error: {
separator: {
preLog: '❌ ERROR ───────────────────',
postLog: '─────────────────────────────',
color: '\x1b[91m', // Bright Red for error separators
},
},
},
});
console.log('Server starting...');
console.error('Database connection failed');import { init } from 'loggatron';
init({
enabled: process.env.NODE_ENV !== 'production',
// In production, logger is disabled but you can still remove console.log via build tools
});All notable changes to this project are documented in CHANGELOG.md.
MIT
console-log-interceptor- Basic console interceptionconsole-interceptor- Proxy-based interceptiontslog- Full-featured TypeScript loggerminilog- Lightweight logging library