mirror of
https://github.com/affaan-m/everything-claude-code.git
synced 2026-02-01 20:23:08 +08:00
- Fix 16 ESLint no-unused-vars errors across hook scripts and tests - Add eslint-disable comment for intentional control-regex in ANSI stripper - Update session file test to use getSessionIdShort() instead of hardcoded 'default' (reflects PR #110's project-name fallback behavior) - Add marketing/ to .gitignore (local drafts) - Add skill-create-output.js (terminal output formatter) All 69 tests now pass. CI should be green.
62 lines
1.6 KiB
JavaScript
Executable File
62 lines
1.6 KiB
JavaScript
Executable File
#!/usr/bin/env node
|
|
|
|
/**
|
|
* Stop Hook: Check for console.log statements in modified files
|
|
*
|
|
* This hook runs after each response and checks if any modified
|
|
* JavaScript/TypeScript files contain console.log statements.
|
|
* It provides warnings to help developers remember to remove
|
|
* debug statements before committing.
|
|
*/
|
|
|
|
const { execSync } = require('child_process');
|
|
const fs = require('fs');
|
|
|
|
let data = '';
|
|
|
|
// Read stdin
|
|
process.stdin.on('data', chunk => {
|
|
data += chunk;
|
|
});
|
|
|
|
process.stdin.on('end', () => {
|
|
try {
|
|
// Check if we're in a git repository
|
|
try {
|
|
execSync('git rev-parse --git-dir', { stdio: 'pipe' });
|
|
} catch {
|
|
// Not in a git repo, just pass through the data
|
|
console.log(data);
|
|
process.exit(0);
|
|
}
|
|
|
|
// Get list of modified files
|
|
const files = execSync('git diff --name-only HEAD', {
|
|
encoding: 'utf8',
|
|
stdio: ['pipe', 'pipe', 'pipe']
|
|
})
|
|
.split('\n')
|
|
.filter(f => /\.(ts|tsx|js|jsx)$/.test(f) && fs.existsSync(f));
|
|
|
|
let hasConsole = false;
|
|
|
|
// Check each file for console.log
|
|
for (const file of files) {
|
|
const content = fs.readFileSync(file, 'utf8');
|
|
if (content.includes('console.log')) {
|
|
console.error(`[Hook] WARNING: console.log found in ${file}`);
|
|
hasConsole = true;
|
|
}
|
|
}
|
|
|
|
if (hasConsole) {
|
|
console.error('[Hook] Remove console.log statements before committing');
|
|
}
|
|
} catch (_error) {
|
|
// Silently ignore errors (git might not be available, etc.)
|
|
}
|
|
|
|
// Always output the original data
|
|
console.log(data);
|
|
});
|