Files
n8n-mcp/tests/logger.test.ts
czlonkowski 6699a1d34c test: implement comprehensive testing improvements from PR #104 review
Major improvements based on comprehensive test suite review:

Test Fixes:
- Fix all 78 failing tests across logger, MSW, and validator tests
- Fix console spy management in logger tests with proper DEBUG env handling
- Fix MSW test environment restoration in session-management.test.ts
- Fix workflow validator tests by adding proper node connections
- Fix mock setup issues in edge case tests

Test Organization:
- Split large config-validator.test.ts (1,075 lines) into 4 focused files
- Rename 63+ tests to follow "should X when Y" naming convention
- Add comprehensive edge case test files for all major validators
- Create tests/README.md with testing guidelines and best practices

New Features:
- Add ConfigValidator.validateBatch() method for bulk validation
- Add edge case coverage for null/undefined, boundaries, invalid data
- Add CI-aware performance test timeouts
- Add JSDoc comments to test utilities and factories
- Add workflow duplicate node name validation tests

Results:
- All tests passing: 1,356 passed, 19 skipped
- Test coverage: 85.34% statements, 85.3% branches
- From 78 failures to 0 failures

🤖 Generated with [Claude Code](https://claude.ai/code)

Co-Authored-By: Claude <noreply@anthropic.com>
2025-07-30 13:44:35 +02:00

143 lines
4.9 KiB
TypeScript

import { describe, it, expect, vi, beforeEach, afterEach } from 'vitest';
import { Logger, LogLevel } from '../src/utils/logger';
describe('Logger', () => {
let logger: Logger;
let consoleErrorSpy: ReturnType<typeof vi.spyOn>;
let consoleWarnSpy: ReturnType<typeof vi.spyOn>;
let consoleLogSpy: ReturnType<typeof vi.spyOn>;
let originalDebug: string | undefined;
beforeEach(() => {
// Save original DEBUG value and enable debug for logger tests
originalDebug = process.env.DEBUG;
process.env.DEBUG = 'true';
// Create spies before creating logger
consoleErrorSpy = vi.spyOn(console, 'error').mockImplementation(() => {});
consoleWarnSpy = vi.spyOn(console, 'warn').mockImplementation(() => {});
consoleLogSpy = vi.spyOn(console, 'log').mockImplementation(() => {});
// Create logger after spies and env setup
logger = new Logger({ timestamp: false, prefix: 'test' });
});
afterEach(() => {
// Restore all mocks first
vi.restoreAllMocks();
// Restore original DEBUG value with more robust handling
try {
if (originalDebug === undefined) {
// Use Reflect.deleteProperty for safer deletion
Reflect.deleteProperty(process.env, 'DEBUG');
} else {
process.env.DEBUG = originalDebug;
}
} catch (error) {
// If deletion fails, set to empty string as fallback
process.env.DEBUG = '';
}
});
describe('log levels', () => {
it('should only log errors when level is ERROR', () => {
logger.setLevel(LogLevel.ERROR);
logger.error('error message');
logger.warn('warn message');
logger.info('info message');
logger.debug('debug message');
expect(consoleErrorSpy).toHaveBeenCalledTimes(1);
expect(consoleWarnSpy).toHaveBeenCalledTimes(0);
expect(consoleLogSpy).toHaveBeenCalledTimes(0);
});
it('should log errors and warnings when level is WARN', () => {
logger.setLevel(LogLevel.WARN);
logger.error('error message');
logger.warn('warn message');
logger.info('info message');
logger.debug('debug message');
expect(consoleErrorSpy).toHaveBeenCalledTimes(1);
expect(consoleWarnSpy).toHaveBeenCalledTimes(1);
expect(consoleLogSpy).toHaveBeenCalledTimes(0);
});
it('should log all except debug when level is INFO', () => {
logger.setLevel(LogLevel.INFO);
logger.error('error message');
logger.warn('warn message');
logger.info('info message');
logger.debug('debug message');
expect(consoleErrorSpy).toHaveBeenCalledTimes(1);
expect(consoleWarnSpy).toHaveBeenCalledTimes(1);
expect(consoleLogSpy).toHaveBeenCalledTimes(1);
});
it('should log everything when level is DEBUG', () => {
logger.setLevel(LogLevel.DEBUG);
logger.error('error message');
logger.warn('warn message');
logger.info('info message');
logger.debug('debug message');
expect(consoleErrorSpy).toHaveBeenCalledTimes(1);
expect(consoleWarnSpy).toHaveBeenCalledTimes(1);
expect(consoleLogSpy).toHaveBeenCalledTimes(2); // info + debug
});
});
describe('message formatting', () => {
it('should include prefix in messages', () => {
logger.info('test message');
expect(consoleLogSpy).toHaveBeenCalledWith('[test] [INFO] test message');
});
it('should include timestamp when enabled', () => {
// Need to create a new logger instance, but ensure DEBUG is set first
const timestampLogger = new Logger({ timestamp: true, prefix: 'test' });
const dateSpy = vi.spyOn(Date.prototype, 'toISOString').mockReturnValue('2024-01-01T00:00:00.000Z');
timestampLogger.info('test message');
expect(consoleLogSpy).toHaveBeenCalledWith('[2024-01-01T00:00:00.000Z] [test] [INFO] test message');
dateSpy.mockRestore();
});
it('should pass additional arguments', () => {
const obj = { foo: 'bar' };
logger.info('test message', obj, 123);
expect(consoleLogSpy).toHaveBeenCalledWith('[test] [INFO] test message', obj, 123);
});
});
describe('parseLogLevel', () => {
it('should parse log level strings correctly', () => {
expect(Logger.parseLogLevel('error')).toBe(LogLevel.ERROR);
expect(Logger.parseLogLevel('ERROR')).toBe(LogLevel.ERROR);
expect(Logger.parseLogLevel('warn')).toBe(LogLevel.WARN);
expect(Logger.parseLogLevel('info')).toBe(LogLevel.INFO);
expect(Logger.parseLogLevel('debug')).toBe(LogLevel.DEBUG);
expect(Logger.parseLogLevel('unknown')).toBe(LogLevel.INFO);
});
});
describe('singleton instance', () => {
it('should return the same instance', () => {
const instance1 = Logger.getInstance();
const instance2 = Logger.getInstance();
expect(instance1).toBe(instance2);
});
});
});