@e0ipso/ai-task-manager 1.9.0 → 1.9.2
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/package.json +1 -1
- package/templates/ai-task-manager/config/hooks/PRE_PHASE.md +1 -1
- package/templates/ai-task-manager/config/scripts/{check-task-dependencies.js → check-task-dependencies.cjs} +4 -4
- package/templates/ai-task-manager/config/scripts/get-next-plan-id.cjs +431 -0
- package/templates/assistant/commands/tasks/create-plan.md +3 -1
- package/templates/assistant/commands/tasks/execute-task.md +2 -2
- package/templates/assistant/commands/tasks/generate-tasks.md +5 -1
- package/templates/ai-task-manager/config/scripts/get-next-plan-id.js +0 -124
- /package/templates/ai-task-manager/config/scripts/{get-next-task-id.js → get-next-task-id.cjs} +0 -0
package/package.json
CHANGED
|
@@ -17,7 +17,7 @@ If there are unstaged changes in the `main` branch, do not create a feature bran
|
|
|
17
17
|
```bash
|
|
18
18
|
# For each task in current phase
|
|
19
19
|
for TASK_ID in $PHASE_TASKS; do
|
|
20
|
-
if ! node .ai/task-manager/config/scripts/check-task-dependencies.
|
|
20
|
+
if ! node .ai/task-manager/config/scripts/check-task-dependencies.cjs "$1" "$TASK_ID"; then
|
|
21
21
|
echo "ERROR: Task $TASK_ID has unresolved dependencies - cannot proceed with phase execution"
|
|
22
22
|
echo "Please resolve dependencies before continuing with blueprint execution"
|
|
23
23
|
exit 1
|
|
@@ -1,9 +1,9 @@
|
|
|
1
1
|
#!/usr/bin/env node
|
|
2
2
|
|
|
3
3
|
/**
|
|
4
|
-
* Script: check-task-dependencies.
|
|
4
|
+
* Script: check-task-dependencies.cjs
|
|
5
5
|
* Purpose: Check if a task has all of its dependencies resolved (completed)
|
|
6
|
-
* Usage: node check-task-dependencies.
|
|
6
|
+
* Usage: node check-task-dependencies.cjs <plan-id> <task-id>
|
|
7
7
|
* Returns: 0 if all dependencies are resolved, 1 if not
|
|
8
8
|
*/
|
|
9
9
|
|
|
@@ -216,8 +216,8 @@ const main = async () => {
|
|
|
216
216
|
// Check arguments
|
|
217
217
|
if (process.argv.length !== 4) {
|
|
218
218
|
printError('Invalid number of arguments', chalk);
|
|
219
|
-
console.log('Usage: node check-task-dependencies.
|
|
220
|
-
console.log('Example: node check-task-dependencies.
|
|
219
|
+
console.log('Usage: node check-task-dependencies.cjs <plan-id> <task-id>');
|
|
220
|
+
console.log('Example: node check-task-dependencies.cjs 16 03');
|
|
221
221
|
process.exit(1);
|
|
222
222
|
}
|
|
223
223
|
|
|
@@ -0,0 +1,431 @@
|
|
|
1
|
+
#!/usr/bin/env node
|
|
2
|
+
|
|
3
|
+
const fs = require('fs');
|
|
4
|
+
const path = require('path');
|
|
5
|
+
|
|
6
|
+
// Enable debug logging via environment variable
|
|
7
|
+
const DEBUG = process.env.DEBUG === 'true';
|
|
8
|
+
|
|
9
|
+
/**
|
|
10
|
+
* Debug logging utility
|
|
11
|
+
* @param {string} message - Debug message
|
|
12
|
+
* @param {...any} args - Additional arguments to log
|
|
13
|
+
*/
|
|
14
|
+
function debugLog(message, ...args) {
|
|
15
|
+
if (DEBUG) {
|
|
16
|
+
console.error(`[DEBUG] ${message}`, ...args);
|
|
17
|
+
}
|
|
18
|
+
}
|
|
19
|
+
|
|
20
|
+
/**
|
|
21
|
+
* Error logging utility
|
|
22
|
+
* @param {string} message - Error message
|
|
23
|
+
* @param {...any} args - Additional arguments to log
|
|
24
|
+
*/
|
|
25
|
+
function errorLog(message, ...args) {
|
|
26
|
+
console.error(`[ERROR] ${message}`, ...args);
|
|
27
|
+
}
|
|
28
|
+
|
|
29
|
+
/**
|
|
30
|
+
* Find the task manager root directory by traversing up from current working directory
|
|
31
|
+
* @returns {string|null} Path to task manager root or null if not found
|
|
32
|
+
*/
|
|
33
|
+
function findTaskManagerRoot() {
|
|
34
|
+
// Start from the actual current working directory, not process.cwd()
|
|
35
|
+
// This ensures we start from the correct context where the script is being executed
|
|
36
|
+
let currentPath = process.cwd();
|
|
37
|
+
const filesystemRoot = path.parse(currentPath).root;
|
|
38
|
+
|
|
39
|
+
debugLog(`Starting search for task manager root from: ${currentPath}`);
|
|
40
|
+
debugLog(`Filesystem root: ${filesystemRoot}`);
|
|
41
|
+
|
|
42
|
+
// Traverse upward through parent directories until we reach the filesystem root
|
|
43
|
+
while (currentPath !== filesystemRoot) {
|
|
44
|
+
const taskManagerPlansPath = path.join(currentPath, '.ai', 'task-manager', 'plans');
|
|
45
|
+
debugLog(`Checking for task manager at: ${taskManagerPlansPath}`);
|
|
46
|
+
|
|
47
|
+
try {
|
|
48
|
+
// Check if this is a valid task manager directory
|
|
49
|
+
if (fs.existsSync(taskManagerPlansPath)) {
|
|
50
|
+
// Verify it's a directory, not a file
|
|
51
|
+
const stats = fs.lstatSync(taskManagerPlansPath);
|
|
52
|
+
if (stats.isDirectory()) {
|
|
53
|
+
const taskManagerRoot = path.join(currentPath, '.ai', 'task-manager');
|
|
54
|
+
debugLog(`Found valid task manager root at: ${taskManagerRoot}`);
|
|
55
|
+
return taskManagerRoot;
|
|
56
|
+
} else {
|
|
57
|
+
debugLog(`Path exists but is not a directory: ${taskManagerPlansPath}`);
|
|
58
|
+
}
|
|
59
|
+
} else {
|
|
60
|
+
debugLog(`Task manager path does not exist: ${taskManagerPlansPath}`);
|
|
61
|
+
}
|
|
62
|
+
} catch (err) {
|
|
63
|
+
// Handle permission errors or other filesystem issues gracefully
|
|
64
|
+
// Continue searching in parent directories
|
|
65
|
+
if (err.code === 'EPERM' || err.code === 'EACCES') {
|
|
66
|
+
const warningMsg = `Warning: Permission denied accessing ${taskManagerPlansPath}`;
|
|
67
|
+
console.warn(warningMsg);
|
|
68
|
+
debugLog(`Permission error: ${err.message}`);
|
|
69
|
+
} else {
|
|
70
|
+
debugLog(`Filesystem error checking ${taskManagerPlansPath}: ${err.message}`);
|
|
71
|
+
}
|
|
72
|
+
}
|
|
73
|
+
|
|
74
|
+
// Move up to parent directory
|
|
75
|
+
const parentPath = path.dirname(currentPath);
|
|
76
|
+
|
|
77
|
+
// Safety check: if path.dirname returns the same path, we've reached the root
|
|
78
|
+
if (parentPath === currentPath) {
|
|
79
|
+
debugLog(`Reached filesystem root, stopping traversal`);
|
|
80
|
+
break;
|
|
81
|
+
}
|
|
82
|
+
|
|
83
|
+
currentPath = parentPath;
|
|
84
|
+
debugLog(`Moving up to parent directory: ${currentPath}`);
|
|
85
|
+
}
|
|
86
|
+
|
|
87
|
+
// Check the filesystem root as the final attempt
|
|
88
|
+
try {
|
|
89
|
+
const rootTaskManagerPlans = path.join(filesystemRoot, '.ai', 'task-manager', 'plans');
|
|
90
|
+
debugLog(`Final check at filesystem root: ${rootTaskManagerPlans}`);
|
|
91
|
+
|
|
92
|
+
if (fs.existsSync(rootTaskManagerPlans)) {
|
|
93
|
+
const stats = fs.lstatSync(rootTaskManagerPlans);
|
|
94
|
+
if (stats.isDirectory()) {
|
|
95
|
+
const taskManagerRoot = path.join(filesystemRoot, '.ai', 'task-manager');
|
|
96
|
+
debugLog(`Found task manager root at filesystem root: ${taskManagerRoot}`);
|
|
97
|
+
return taskManagerRoot;
|
|
98
|
+
}
|
|
99
|
+
}
|
|
100
|
+
} catch (err) {
|
|
101
|
+
debugLog(`Error checking filesystem root: ${err.message}`);
|
|
102
|
+
}
|
|
103
|
+
|
|
104
|
+
debugLog(`Task manager root not found in any parent directory`);
|
|
105
|
+
return null;
|
|
106
|
+
}
|
|
107
|
+
|
|
108
|
+
/**
|
|
109
|
+
* Parse YAML frontmatter for ID with comprehensive error handling and debug logging
|
|
110
|
+
* @param {string} content - File content
|
|
111
|
+
* @param {string} [filePath] - Optional file path for error context
|
|
112
|
+
* @returns {number|null} Extracted ID or null
|
|
113
|
+
*/
|
|
114
|
+
function extractIdFromFrontmatter(content, filePath = 'unknown') {
|
|
115
|
+
debugLog(`Attempting to extract ID from frontmatter in: ${filePath}`);
|
|
116
|
+
|
|
117
|
+
// Check for frontmatter block existence
|
|
118
|
+
const frontmatterMatch = content.match(/^---\s*\r?\n([\s\S]*?)\r?\n---/);
|
|
119
|
+
if (!frontmatterMatch) {
|
|
120
|
+
debugLog(`No frontmatter block found in: ${filePath}`);
|
|
121
|
+
return null;
|
|
122
|
+
}
|
|
123
|
+
|
|
124
|
+
const frontmatterText = frontmatterMatch[1];
|
|
125
|
+
debugLog(`Found frontmatter block in ${filePath}:\n${frontmatterText}`);
|
|
126
|
+
|
|
127
|
+
// Enhanced patterns to handle various YAML formats and edge cases:
|
|
128
|
+
// - id: 5 (simple numeric)
|
|
129
|
+
// - id: "5" (double quoted)
|
|
130
|
+
// - id: '5' (single quoted)
|
|
131
|
+
// - "id": 5 (quoted key)
|
|
132
|
+
// - 'id': 5 (single quoted key)
|
|
133
|
+
// - id : 5 (extra spaces)
|
|
134
|
+
// - id: 05 (zero-padded)
|
|
135
|
+
// - id: +5 (explicit positive)
|
|
136
|
+
// - Mixed quotes: 'id': "5" (different quote types)
|
|
137
|
+
const patterns = [
|
|
138
|
+
// Most flexible pattern - handles quoted/unquoted keys and values with optional spaces
|
|
139
|
+
{
|
|
140
|
+
regex: /^\s*["']?id["']?\s*:\s*["']?([+-]?\d+)["']?\s*(?:#.*)?$/mi,
|
|
141
|
+
description: 'Flexible pattern with optional quotes and comments'
|
|
142
|
+
},
|
|
143
|
+
// Simple numeric with optional whitespace and comments
|
|
144
|
+
{
|
|
145
|
+
regex: /^\s*id\s*:\s*([+-]?\d+)\s*(?:#.*)?$/mi,
|
|
146
|
+
description: 'Simple numeric with optional comments'
|
|
147
|
+
},
|
|
148
|
+
// Double quoted values
|
|
149
|
+
{
|
|
150
|
+
regex: /^\s*["']?id["']?\s*:\s*"([+-]?\d+)"\s*(?:#.*)?$/mi,
|
|
151
|
+
description: 'Double quoted values'
|
|
152
|
+
},
|
|
153
|
+
// Single quoted values
|
|
154
|
+
{
|
|
155
|
+
regex: /^\s*["']?id["']?\s*:\s*'([+-]?\d+)'\s*(?:#.*)?$/mi,
|
|
156
|
+
description: 'Single quoted values'
|
|
157
|
+
},
|
|
158
|
+
// Mixed quotes - quoted key, unquoted value
|
|
159
|
+
{
|
|
160
|
+
regex: /^\s*["']id["']\s*:\s*([+-]?\d+)\s*(?:#.*)?$/mi,
|
|
161
|
+
description: 'Quoted key, unquoted value'
|
|
162
|
+
},
|
|
163
|
+
// YAML-style with pipe or greater-than indicators (edge case)
|
|
164
|
+
{
|
|
165
|
+
regex: /^\s*id\s*:\s*[|>]\s*([+-]?\d+)\s*$/mi,
|
|
166
|
+
description: 'YAML block scalar indicators'
|
|
167
|
+
}
|
|
168
|
+
];
|
|
169
|
+
|
|
170
|
+
// Try each pattern in order
|
|
171
|
+
for (let i = 0; i < patterns.length; i++) {
|
|
172
|
+
const { regex, description } = patterns[i];
|
|
173
|
+
debugLog(`Trying pattern ${i + 1} (${description}) on ${filePath}`);
|
|
174
|
+
|
|
175
|
+
const match = frontmatterText.match(regex);
|
|
176
|
+
if (match) {
|
|
177
|
+
debugLog(`Pattern ${i + 1} matched in ${filePath}: "${match[0].trim()}"`);
|
|
178
|
+
|
|
179
|
+
const rawId = match[1];
|
|
180
|
+
const id = parseInt(rawId, 10);
|
|
181
|
+
|
|
182
|
+
// Validate the parsed ID
|
|
183
|
+
if (isNaN(id)) {
|
|
184
|
+
errorLog(`Invalid ID value "${rawId}" in ${filePath} - not a valid number`);
|
|
185
|
+
continue;
|
|
186
|
+
}
|
|
187
|
+
|
|
188
|
+
if (id < 0) {
|
|
189
|
+
errorLog(`Invalid ID value ${id} in ${filePath} - ID must be non-negative`);
|
|
190
|
+
continue;
|
|
191
|
+
}
|
|
192
|
+
|
|
193
|
+
if (id > Number.MAX_SAFE_INTEGER) {
|
|
194
|
+
errorLog(`Invalid ID value ${id} in ${filePath} - ID exceeds maximum safe integer`);
|
|
195
|
+
continue;
|
|
196
|
+
}
|
|
197
|
+
|
|
198
|
+
debugLog(`Successfully extracted ID ${id} from ${filePath}`);
|
|
199
|
+
return id;
|
|
200
|
+
} else {
|
|
201
|
+
debugLog(`Pattern ${i + 1} did not match in ${filePath}`);
|
|
202
|
+
}
|
|
203
|
+
}
|
|
204
|
+
|
|
205
|
+
// If no patterns matched, try to identify common issues
|
|
206
|
+
debugLog(`All patterns failed for ${filePath}. Analyzing frontmatter for common issues...`);
|
|
207
|
+
|
|
208
|
+
// Check for 'id' field existence (case-insensitive)
|
|
209
|
+
const hasIdField = /^\s*["']?id["']?\s*:/mi.test(frontmatterText);
|
|
210
|
+
if (!hasIdField) {
|
|
211
|
+
debugLog(`No 'id' field found in frontmatter of ${filePath}`);
|
|
212
|
+
} else {
|
|
213
|
+
// ID field exists but didn't match - might be malformed
|
|
214
|
+
const idLineMatch = frontmatterText.match(/^\s*["']?id["']?\s*:.*$/mi);
|
|
215
|
+
if (idLineMatch) {
|
|
216
|
+
const idLine = idLineMatch[0].trim();
|
|
217
|
+
errorLog(`Found malformed ID line in ${filePath}: "${idLine}"`);
|
|
218
|
+
|
|
219
|
+
// Check for common formatting issues
|
|
220
|
+
if (idLine.includes('null') || idLine.includes('undefined')) {
|
|
221
|
+
errorLog(`ID field has null/undefined value in ${filePath}`);
|
|
222
|
+
} else if (idLine.match(/:\s*$/)) {
|
|
223
|
+
errorLog(`ID field has missing value in ${filePath}`);
|
|
224
|
+
} else if (idLine.includes('[') || idLine.includes('{')) {
|
|
225
|
+
errorLog(`ID field appears to be array/object instead of number in ${filePath}`);
|
|
226
|
+
} else {
|
|
227
|
+
errorLog(`ID field has unrecognized format in ${filePath}`);
|
|
228
|
+
}
|
|
229
|
+
}
|
|
230
|
+
}
|
|
231
|
+
|
|
232
|
+
errorLog(`Failed to extract ID from frontmatter in ${filePath}`);
|
|
233
|
+
return null;
|
|
234
|
+
}
|
|
235
|
+
|
|
236
|
+
/**
|
|
237
|
+
* Get the next available plan ID by scanning existing plan files
|
|
238
|
+
* @returns {number} Next available plan ID
|
|
239
|
+
*/
|
|
240
|
+
function getNextPlanId() {
|
|
241
|
+
const taskManagerRoot = findTaskManagerRoot();
|
|
242
|
+
|
|
243
|
+
if (!taskManagerRoot) {
|
|
244
|
+
errorLog('No .ai/task-manager/plans directory found in current directory or any parent directory.');
|
|
245
|
+
errorLog('');
|
|
246
|
+
errorLog('Please ensure you are in a project with task manager initialized, or navigate to the correct');
|
|
247
|
+
errorLog('project directory. The task manager looks for the .ai/task-manager/plans structure starting');
|
|
248
|
+
errorLog('from the current working directory and traversing upward through parent directories.');
|
|
249
|
+
errorLog('');
|
|
250
|
+
errorLog(`Current working directory: ${process.cwd()}`);
|
|
251
|
+
process.exit(1);
|
|
252
|
+
}
|
|
253
|
+
|
|
254
|
+
debugLog(`Task manager root found: ${taskManagerRoot}`);
|
|
255
|
+
|
|
256
|
+
const plansDir = path.join(taskManagerRoot, 'plans');
|
|
257
|
+
const archiveDir = path.join(taskManagerRoot, 'archive');
|
|
258
|
+
|
|
259
|
+
debugLog(`Scanning directories: ${plansDir}, ${archiveDir}`);
|
|
260
|
+
|
|
261
|
+
let maxId = 0;
|
|
262
|
+
let filesScanned = 0;
|
|
263
|
+
let errorsEncountered = 0;
|
|
264
|
+
|
|
265
|
+
// Scan both plans and archive directories
|
|
266
|
+
[plansDir, archiveDir].forEach(dir => {
|
|
267
|
+
const dirName = path.basename(dir);
|
|
268
|
+
debugLog(`Scanning directory: ${dir}`);
|
|
269
|
+
|
|
270
|
+
if (!fs.existsSync(dir)) {
|
|
271
|
+
debugLog(`Directory does not exist: ${dir}`);
|
|
272
|
+
return;
|
|
273
|
+
}
|
|
274
|
+
|
|
275
|
+
try {
|
|
276
|
+
const entries = fs.readdirSync(dir, { withFileTypes: true });
|
|
277
|
+
debugLog(`Found ${entries.length} entries in ${dir}`);
|
|
278
|
+
|
|
279
|
+
entries.forEach(entry => {
|
|
280
|
+
if (entry.isDirectory() && entry.name.match(/^\d+--/)) {
|
|
281
|
+
// This is a plan directory, look for plan files inside
|
|
282
|
+
const planDirPath = path.join(dir, entry.name);
|
|
283
|
+
debugLog(`Scanning plan directory: ${planDirPath}`);
|
|
284
|
+
|
|
285
|
+
try {
|
|
286
|
+
const planDirEntries = fs.readdirSync(planDirPath, { withFileTypes: true });
|
|
287
|
+
|
|
288
|
+
planDirEntries.forEach(planEntry => {
|
|
289
|
+
if (planEntry.isFile() && planEntry.name.match(/^plan-\d+--.*\.md$/)) {
|
|
290
|
+
filesScanned++;
|
|
291
|
+
const filePath = path.join(planDirPath, planEntry.name);
|
|
292
|
+
debugLog(`Processing plan file: ${filePath}`);
|
|
293
|
+
|
|
294
|
+
// Extract ID from directory name as primary source
|
|
295
|
+
const dirMatch = entry.name.match(/^(\d+)--/);
|
|
296
|
+
let dirId = null;
|
|
297
|
+
if (dirMatch) {
|
|
298
|
+
dirId = parseInt(dirMatch[1], 10);
|
|
299
|
+
if (!isNaN(dirId)) {
|
|
300
|
+
debugLog(`Extracted ID ${dirId} from directory name: ${entry.name}`);
|
|
301
|
+
if (dirId > maxId) {
|
|
302
|
+
maxId = dirId;
|
|
303
|
+
debugLog(`New max ID from directory name: ${maxId}`);
|
|
304
|
+
}
|
|
305
|
+
}
|
|
306
|
+
}
|
|
307
|
+
|
|
308
|
+
// Extract ID from filename as secondary source
|
|
309
|
+
const filenameMatch = planEntry.name.match(/^plan-(\d+)--/);
|
|
310
|
+
let filenameId = null;
|
|
311
|
+
if (filenameMatch) {
|
|
312
|
+
filenameId = parseInt(filenameMatch[1], 10);
|
|
313
|
+
if (!isNaN(filenameId)) {
|
|
314
|
+
debugLog(`Extracted ID ${filenameId} from filename: ${planEntry.name}`);
|
|
315
|
+
if (filenameId > maxId) {
|
|
316
|
+
maxId = filenameId;
|
|
317
|
+
debugLog(`New max ID from filename: ${maxId}`);
|
|
318
|
+
}
|
|
319
|
+
}
|
|
320
|
+
}
|
|
321
|
+
|
|
322
|
+
// Also check frontmatter for most reliable ID
|
|
323
|
+
try {
|
|
324
|
+
const content = fs.readFileSync(filePath, 'utf8');
|
|
325
|
+
const frontmatterId = extractIdFromFrontmatter(content, filePath);
|
|
326
|
+
|
|
327
|
+
if (frontmatterId !== null) {
|
|
328
|
+
debugLog(`Extracted ID ${frontmatterId} from frontmatter: ${filePath}`);
|
|
329
|
+
if (frontmatterId > maxId) {
|
|
330
|
+
maxId = frontmatterId;
|
|
331
|
+
debugLog(`New max ID from frontmatter: ${maxId}`);
|
|
332
|
+
}
|
|
333
|
+
|
|
334
|
+
// Validate consistency between all sources
|
|
335
|
+
if (dirId !== null && dirId !== frontmatterId) {
|
|
336
|
+
errorLog(`ID mismatch in ${filePath}: directory has ${dirId}, frontmatter has ${frontmatterId}`);
|
|
337
|
+
errorsEncountered++;
|
|
338
|
+
}
|
|
339
|
+
if (filenameId !== null && filenameId !== frontmatterId) {
|
|
340
|
+
errorLog(`ID mismatch in ${filePath}: filename has ${filenameId}, frontmatter has ${frontmatterId}`);
|
|
341
|
+
errorsEncountered++;
|
|
342
|
+
}
|
|
343
|
+
} else {
|
|
344
|
+
debugLog(`No ID found in frontmatter: ${filePath}`);
|
|
345
|
+
if (dirId === null && filenameId === null) {
|
|
346
|
+
errorLog(`No valid ID found in directory, filename, or frontmatter: ${filePath}`);
|
|
347
|
+
errorsEncountered++;
|
|
348
|
+
}
|
|
349
|
+
}
|
|
350
|
+
} catch (err) {
|
|
351
|
+
errorLog(`Failed to read file ${filePath}: ${err.message}`);
|
|
352
|
+
errorsEncountered++;
|
|
353
|
+
}
|
|
354
|
+
}
|
|
355
|
+
});
|
|
356
|
+
} catch (err) {
|
|
357
|
+
errorLog(`Failed to read plan directory ${planDirPath}: ${err.message}`);
|
|
358
|
+
errorsEncountered++;
|
|
359
|
+
}
|
|
360
|
+
} else if (entry.isFile() && entry.name.match(/^plan-\d+--.*\.md$/)) {
|
|
361
|
+
// Legacy: direct plan file in plans/archive directory (fallback for old format)
|
|
362
|
+
filesScanned++;
|
|
363
|
+
const filePath = path.join(dir, entry.name);
|
|
364
|
+
debugLog(`Processing legacy plan file: ${filePath}`);
|
|
365
|
+
|
|
366
|
+
// Extract ID from filename as fallback
|
|
367
|
+
const filenameMatch = entry.name.match(/^plan-(\d+)--/);
|
|
368
|
+
let filenameId = null;
|
|
369
|
+
if (filenameMatch) {
|
|
370
|
+
filenameId = parseInt(filenameMatch[1], 10);
|
|
371
|
+
if (!isNaN(filenameId)) {
|
|
372
|
+
debugLog(`Extracted ID ${filenameId} from legacy filename: ${entry.name}`);
|
|
373
|
+
if (filenameId > maxId) {
|
|
374
|
+
maxId = filenameId;
|
|
375
|
+
debugLog(`New max ID from legacy filename: ${maxId}`);
|
|
376
|
+
}
|
|
377
|
+
}
|
|
378
|
+
}
|
|
379
|
+
|
|
380
|
+
// Also check frontmatter for more reliable ID
|
|
381
|
+
try {
|
|
382
|
+
const content = fs.readFileSync(filePath, 'utf8');
|
|
383
|
+
const frontmatterId = extractIdFromFrontmatter(content, filePath);
|
|
384
|
+
|
|
385
|
+
if (frontmatterId !== null) {
|
|
386
|
+
debugLog(`Extracted ID ${frontmatterId} from legacy frontmatter: ${filePath}`);
|
|
387
|
+
if (frontmatterId > maxId) {
|
|
388
|
+
maxId = frontmatterId;
|
|
389
|
+
debugLog(`New max ID from legacy frontmatter: ${maxId}`);
|
|
390
|
+
}
|
|
391
|
+
|
|
392
|
+
// Validate consistency between filename and frontmatter
|
|
393
|
+
if (filenameId !== null && filenameId !== frontmatterId) {
|
|
394
|
+
errorLog(`ID mismatch in legacy ${filePath}: filename has ${filenameId}, frontmatter has ${frontmatterId}`);
|
|
395
|
+
errorsEncountered++;
|
|
396
|
+
}
|
|
397
|
+
} else {
|
|
398
|
+
debugLog(`No ID found in legacy frontmatter: ${filePath}`);
|
|
399
|
+
if (filenameId === null) {
|
|
400
|
+
errorLog(`No valid ID found in legacy filename or frontmatter: ${filePath}`);
|
|
401
|
+
errorsEncountered++;
|
|
402
|
+
}
|
|
403
|
+
}
|
|
404
|
+
} catch (err) {
|
|
405
|
+
errorLog(`Failed to read legacy file ${filePath}: ${err.message}`);
|
|
406
|
+
errorsEncountered++;
|
|
407
|
+
}
|
|
408
|
+
} else if (entry.isFile() && entry.name.endsWith('.md')) {
|
|
409
|
+
debugLog(`Skipping non-plan file: ${entry.name}`);
|
|
410
|
+
} else if (entry.isDirectory()) {
|
|
411
|
+
debugLog(`Skipping non-plan directory: ${entry.name}`);
|
|
412
|
+
}
|
|
413
|
+
});
|
|
414
|
+
} catch (err) {
|
|
415
|
+
errorLog(`Failed to read directory ${dir}: ${err.message}`);
|
|
416
|
+
errorsEncountered++;
|
|
417
|
+
}
|
|
418
|
+
});
|
|
419
|
+
|
|
420
|
+
const nextId = maxId + 1;
|
|
421
|
+
debugLog(`Scan complete. Files scanned: ${filesScanned}, Errors: ${errorsEncountered}, Max ID found: ${maxId}, Next ID: ${nextId}`);
|
|
422
|
+
|
|
423
|
+
if (errorsEncountered > 0) {
|
|
424
|
+
errorLog(`Encountered ${errorsEncountered} errors during scan. Next ID calculation may be inaccurate.`);
|
|
425
|
+
}
|
|
426
|
+
|
|
427
|
+
return nextId;
|
|
428
|
+
}
|
|
429
|
+
|
|
430
|
+
// Output the next plan ID
|
|
431
|
+
console.log(getNextPlanId());
|
|
@@ -4,6 +4,8 @@ description: Create a comprehensive plan to accomplish the request from the user
|
|
|
4
4
|
---
|
|
5
5
|
# Comprehensive Plan Creation
|
|
6
6
|
|
|
7
|
+
Think harder and use tools.
|
|
8
|
+
|
|
7
9
|
You are a comprehensive task planning assistant. Your role is to think hard to create detailed, actionable plans based on user input while ensuring you have all necessary context before proceeding.
|
|
8
10
|
|
|
9
11
|
Include .ai/task-manager/config/TASK_MANAGER.md for the directory structure of tasks.
|
|
@@ -122,7 +124,7 @@ The schema for this frontmatter is:
|
|
|
122
124
|
|
|
123
125
|
**Auto-generate the next plan ID:**
|
|
124
126
|
```bash
|
|
125
|
-
node .ai/task-manager/config/scripts/get-next-plan-id.
|
|
127
|
+
node .ai/task-manager/config/scripts/get-next-plan-id.cjs
|
|
126
128
|
```
|
|
127
129
|
|
|
128
130
|
**Key formatting:**
|
|
@@ -27,7 +27,7 @@ Use your internal Todo task tool to track the execution of all parts of the task
|
|
|
27
27
|
- Plan ID: $1 (required)
|
|
28
28
|
- Task ID: $2 (required)
|
|
29
29
|
- Task management directory structure: `/`
|
|
30
|
-
- Dependency checking script: `.ai/task-manager/config/scripts/check-task-dependencies.
|
|
30
|
+
- Dependency checking script: `.ai/task-manager/config/scripts/check-task-dependencies.cjs`
|
|
31
31
|
|
|
32
32
|
### Input Validation
|
|
33
33
|
|
|
@@ -134,7 +134,7 @@ Use the dependency checking script to validate all dependencies:
|
|
|
134
134
|
|
|
135
135
|
```bash
|
|
136
136
|
# Call the dependency checking script
|
|
137
|
-
if ! node .ai/task-manager/config/scripts/check-task-dependencies.
|
|
137
|
+
if ! node .ai/task-manager/config/scripts/check-task-dependencies.cjs "$PLAN_ID" "$TASK_ID"; then
|
|
138
138
|
echo ""
|
|
139
139
|
echo "Task execution blocked by unresolved dependencies."
|
|
140
140
|
echo "Please complete the required dependencies first."
|
|
@@ -2,7 +2,11 @@
|
|
|
2
2
|
argument-hint: [plan-ID]
|
|
3
3
|
description: Generate tasks to implement the plan with the provided ID.
|
|
4
4
|
---
|
|
5
|
+
|
|
5
6
|
# Comprehensive Task List Creation
|
|
7
|
+
|
|
8
|
+
Think harder and use tools.
|
|
9
|
+
|
|
6
10
|
You are a comprehensive task planning assistant. Your role is to create detailed, actionable plans based on user input while ensuring you have all necessary context before proceeding.
|
|
7
11
|
|
|
8
12
|
Include /TASK_MANAGER.md for the directory structure of tasks.
|
|
@@ -221,7 +225,7 @@ Use the task template in .ai/task-manager/config/templates/TASK_TEMPLATE.md
|
|
|
221
225
|
When creating tasks, you need to determine the next available task ID for the specified plan. Use this bash command to automatically generate the correct ID:
|
|
222
226
|
|
|
223
227
|
```bash
|
|
224
|
-
node .ai/task-manager/config/scripts/get-next-task-id.
|
|
228
|
+
node .ai/task-manager/config/scripts/get-next-task-id.cjs $1
|
|
225
229
|
```
|
|
226
230
|
|
|
227
231
|
### Validation Checklist
|
|
@@ -1,124 +0,0 @@
|
|
|
1
|
-
#!/usr/bin/env node
|
|
2
|
-
|
|
3
|
-
const fs = require('fs');
|
|
4
|
-
const path = require('path');
|
|
5
|
-
|
|
6
|
-
/**
|
|
7
|
-
* Find the task manager root directory by traversing up from CWD
|
|
8
|
-
* @returns {string|null} Path to task manager root or null if not found
|
|
9
|
-
*/
|
|
10
|
-
function findTaskManagerRoot() {
|
|
11
|
-
let currentPath = process.cwd();
|
|
12
|
-
const root = path.parse(currentPath).root;
|
|
13
|
-
|
|
14
|
-
while (currentPath !== root) {
|
|
15
|
-
const taskManagerPath = path.join(currentPath, '.ai', 'task-manager', 'plans');
|
|
16
|
-
if (fs.existsSync(taskManagerPath)) {
|
|
17
|
-
return path.join(currentPath, '.ai', 'task-manager');
|
|
18
|
-
}
|
|
19
|
-
currentPath = path.dirname(currentPath);
|
|
20
|
-
}
|
|
21
|
-
|
|
22
|
-
// Check root directory as well
|
|
23
|
-
const rootTaskManager = path.join(root, '.ai', 'task-manager', 'plans');
|
|
24
|
-
if (fs.existsSync(rootTaskManager)) {
|
|
25
|
-
return path.join(root, '.ai', 'task-manager');
|
|
26
|
-
}
|
|
27
|
-
|
|
28
|
-
return null;
|
|
29
|
-
}
|
|
30
|
-
|
|
31
|
-
/**
|
|
32
|
-
* Parse YAML frontmatter for ID with resilience to different formats
|
|
33
|
-
* @param {string} content - File content
|
|
34
|
-
* @returns {number|null} Extracted ID or null
|
|
35
|
-
*/
|
|
36
|
-
function extractIdFromFrontmatter(content) {
|
|
37
|
-
const frontmatterMatch = content.match(/^---\s*\n([\s\S]*?)\n---/);
|
|
38
|
-
if (!frontmatterMatch) return null;
|
|
39
|
-
|
|
40
|
-
const frontmatterText = frontmatterMatch[1];
|
|
41
|
-
|
|
42
|
-
// Handle various YAML formats for id field using regex:
|
|
43
|
-
// id: 5
|
|
44
|
-
// id: "5"
|
|
45
|
-
// id: '5'
|
|
46
|
-
// "id": 5
|
|
47
|
-
// 'id': 5
|
|
48
|
-
// id : 5 (with spaces)
|
|
49
|
-
const patterns = [
|
|
50
|
-
/^\s*["']?id["']?\s*:\s*["']?(\d+)["']?\s*$/m, // Most flexible pattern
|
|
51
|
-
/^\s*id\s*:\s*(\d+)\s*$/m, // Simple numeric
|
|
52
|
-
/^\s*id\s*:\s*"(\d+)"\s*$/m, // Double quoted
|
|
53
|
-
/^\s*id\s*:\s*'(\d+)'\s*$/m, // Single quoted
|
|
54
|
-
];
|
|
55
|
-
|
|
56
|
-
for (const pattern of patterns) {
|
|
57
|
-
const match = frontmatterText.match(pattern);
|
|
58
|
-
if (match) {
|
|
59
|
-
const id = parseInt(match[1], 10);
|
|
60
|
-
if (!isNaN(id)) return id;
|
|
61
|
-
}
|
|
62
|
-
}
|
|
63
|
-
|
|
64
|
-
return null;
|
|
65
|
-
}
|
|
66
|
-
|
|
67
|
-
/**
|
|
68
|
-
* Get the next available plan ID by scanning existing plan files
|
|
69
|
-
* @returns {number} Next available plan ID
|
|
70
|
-
*/
|
|
71
|
-
function getNextPlanId() {
|
|
72
|
-
const taskManagerRoot = findTaskManagerRoot();
|
|
73
|
-
|
|
74
|
-
if (!taskManagerRoot) {
|
|
75
|
-
console.error('Error: No .ai/task-manager/plans directory found in current directory or any parent directory.');
|
|
76
|
-
console.error('Please ensure you are in a project with task manager initialized.');
|
|
77
|
-
process.exit(1);
|
|
78
|
-
}
|
|
79
|
-
|
|
80
|
-
const plansDir = path.join(taskManagerRoot, 'plans');
|
|
81
|
-
const archiveDir = path.join(taskManagerRoot, 'archive');
|
|
82
|
-
|
|
83
|
-
let maxId = 0;
|
|
84
|
-
|
|
85
|
-
// Scan both plans and archive directories
|
|
86
|
-
[plansDir, archiveDir].forEach(dir => {
|
|
87
|
-
if (!fs.existsSync(dir)) return;
|
|
88
|
-
|
|
89
|
-
try {
|
|
90
|
-
const entries = fs.readdirSync(dir, { withFileTypes: true });
|
|
91
|
-
|
|
92
|
-
entries.forEach(entry => {
|
|
93
|
-
if (entry.isFile() && entry.name.match(/^plan-\d+--.*\.md$/)) {
|
|
94
|
-
// Extract ID from filename as fallback
|
|
95
|
-
const filenameMatch = entry.name.match(/^plan-(\d+)--/);
|
|
96
|
-
if (filenameMatch) {
|
|
97
|
-
const id = parseInt(filenameMatch[1], 10);
|
|
98
|
-
if (!isNaN(id) && id > maxId) maxId = id;
|
|
99
|
-
}
|
|
100
|
-
|
|
101
|
-
// Also check frontmatter for more reliable ID
|
|
102
|
-
try {
|
|
103
|
-
const filePath = path.join(dir, entry.name);
|
|
104
|
-
const content = fs.readFileSync(filePath, 'utf8');
|
|
105
|
-
const id = extractIdFromFrontmatter(content);
|
|
106
|
-
|
|
107
|
-
if (id !== null && id > maxId) {
|
|
108
|
-
maxId = id;
|
|
109
|
-
}
|
|
110
|
-
} catch (err) {
|
|
111
|
-
// Skip corrupted files
|
|
112
|
-
}
|
|
113
|
-
}
|
|
114
|
-
});
|
|
115
|
-
} catch (err) {
|
|
116
|
-
// Skip directories that can't be read
|
|
117
|
-
}
|
|
118
|
-
});
|
|
119
|
-
|
|
120
|
-
return maxId + 1;
|
|
121
|
-
}
|
|
122
|
-
|
|
123
|
-
// Output the next plan ID
|
|
124
|
-
console.log(getNextPlanId());
|
/package/templates/ai-task-manager/config/scripts/{get-next-task-id.js → get-next-task-id.cjs}
RENAMED
|
File without changes
|