mirror of
https://github.com/affaan-m/everything-claude-code.git
synced 2026-02-15 02:43:20 +08:00
- Add try-catch around readFileSync in validate-agents, validate-commands, validate-skills to handle TOCTOU races and file read errors - Add validate-hooks.js and all test suites to package.json test script (was only running 4/5 validators and 0/4 test files) - Fix shell variable injection in observe.sh: use os.environ instead of interpolating $timestamp/$OBSERVATIONS_FILE into Python string literals - Fix $? always being 0 in start-observer.sh: capture exit code before conditional since `if !` inverts the status - Add OLD_VERSION validation in release.sh and use pipe delimiter in sed to avoid issues with slash-containing values - Add jq dependency check in evaluate-session.sh before parsing config - Sync .cursor/ copies of all modified shell scripts
46 lines
1.1 KiB
JavaScript
46 lines
1.1 KiB
JavaScript
#!/usr/bin/env node
|
|
/**
|
|
* Validate command markdown files are non-empty and readable
|
|
*/
|
|
|
|
const fs = require('fs');
|
|
const path = require('path');
|
|
|
|
const COMMANDS_DIR = path.join(__dirname, '../../commands');
|
|
|
|
function validateCommands() {
|
|
if (!fs.existsSync(COMMANDS_DIR)) {
|
|
console.log('No commands directory found, skipping validation');
|
|
process.exit(0);
|
|
}
|
|
|
|
const files = fs.readdirSync(COMMANDS_DIR).filter(f => f.endsWith('.md'));
|
|
let hasErrors = false;
|
|
|
|
for (const file of files) {
|
|
const filePath = path.join(COMMANDS_DIR, file);
|
|
let content;
|
|
try {
|
|
content = fs.readFileSync(filePath, 'utf-8');
|
|
} catch (err) {
|
|
console.error(`ERROR: ${file} - ${err.message}`);
|
|
hasErrors = true;
|
|
continue;
|
|
}
|
|
|
|
// Validate the file is non-empty readable markdown
|
|
if (content.trim().length === 0) {
|
|
console.error(`ERROR: ${file} - Empty command file`);
|
|
hasErrors = true;
|
|
}
|
|
}
|
|
|
|
if (hasErrors) {
|
|
process.exit(1);
|
|
}
|
|
|
|
console.log(`Validated ${files.length} command files`);
|
|
}
|
|
|
|
validateCommands();
|