@e0ipso/ai-task-manager 1.26.2 → 1.26.4
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/scripts/check-task-dependencies.cjs +212 -300
- package/templates/ai-task-manager/config/scripts/find-root.cjs +10 -0
- package/templates/ai-task-manager/config/scripts/get-next-plan-id.cjs +22 -404
- package/templates/ai-task-manager/config/scripts/get-next-task-id.cjs +29 -108
- package/templates/ai-task-manager/config/scripts/shared-utils.cjs +418 -0
- package/templates/ai-task-manager/config/scripts/validate-plan-blueprint.cjs +79 -274
- package/templates/assistant/commands/tasks/create-plan.md +16 -4
- package/templates/assistant/commands/tasks/execute-blueprint.md +17 -4
- package/templates/assistant/commands/tasks/execute-task.md +16 -5
- package/templates/assistant/commands/tasks/full-workflow.md +20 -7
- package/templates/assistant/commands/tasks/generate-tasks.md +15 -2
- package/templates/assistant/commands/tasks/refine-plan.md +16 -5
|
@@ -2,332 +2,137 @@
|
|
|
2
2
|
|
|
3
3
|
const fs = require('fs');
|
|
4
4
|
const path = require('path');
|
|
5
|
-
|
|
6
|
-
|
|
7
|
-
|
|
8
|
-
|
|
9
|
-
|
|
10
|
-
|
|
11
|
-
|
|
12
|
-
|
|
13
|
-
|
|
14
|
-
|
|
15
|
-
|
|
16
|
-
console.error(`[DEBUG] ${message}`, ...args);
|
|
17
|
-
}
|
|
18
|
-
}
|
|
5
|
+
const sharedUtils = require('./shared-utils.cjs');
|
|
6
|
+
const {
|
|
7
|
+
findTaskManagerRoot,
|
|
8
|
+
findPlanById,
|
|
9
|
+
countTasks,
|
|
10
|
+
checkBlueprintExists,
|
|
11
|
+
getAllPlans,
|
|
12
|
+
validatePlanFile,
|
|
13
|
+
checkStandardRootShortcut,
|
|
14
|
+
resolvePlan
|
|
15
|
+
} = sharedUtils;
|
|
19
16
|
|
|
20
17
|
/**
|
|
21
18
|
* Error logging utility
|
|
19
|
+
* @private
|
|
22
20
|
* @param {string} message - Error message
|
|
23
21
|
* @param {...any} args - Additional arguments to log
|
|
24
22
|
*/
|
|
25
|
-
function
|
|
23
|
+
function _errorLog(message, ...args) {
|
|
26
24
|
console.error(`[ERROR] ${message}`, ...args);
|
|
27
25
|
}
|
|
28
26
|
|
|
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
|
-
let currentPath = process.cwd();
|
|
35
|
-
const filesystemRoot = path.parse(currentPath).root;
|
|
36
|
-
|
|
37
|
-
debugLog(`Starting search for task manager root from: ${currentPath}`);
|
|
38
|
-
debugLog(`Filesystem root: ${filesystemRoot}`);
|
|
39
|
-
|
|
40
|
-
while (currentPath !== filesystemRoot) {
|
|
41
|
-
const taskManagerPlansPath = path.join(currentPath, '.ai', 'task-manager', 'plans');
|
|
42
|
-
debugLog(`Checking for task manager at: ${taskManagerPlansPath}`);
|
|
43
|
-
|
|
44
|
-
try {
|
|
45
|
-
if (fs.existsSync(taskManagerPlansPath)) {
|
|
46
|
-
const stats = fs.lstatSync(taskManagerPlansPath);
|
|
47
|
-
if (stats.isDirectory()) {
|
|
48
|
-
const taskManagerRoot = path.join(currentPath, '.ai', 'task-manager');
|
|
49
|
-
debugLog(`Found valid task manager root at: ${taskManagerRoot}`);
|
|
50
|
-
return taskManagerRoot;
|
|
51
|
-
} else {
|
|
52
|
-
debugLog(`Path exists but is not a directory: ${taskManagerPlansPath}`);
|
|
53
|
-
}
|
|
54
|
-
} else {
|
|
55
|
-
debugLog(`Task manager path does not exist: ${taskManagerPlansPath}`);
|
|
56
|
-
}
|
|
57
|
-
} catch (err) {
|
|
58
|
-
if (err.code === 'EPERM' || err.code === 'EACCES') {
|
|
59
|
-
const warningMsg = `Warning: Permission denied accessing ${taskManagerPlansPath}`;
|
|
60
|
-
console.warn(warningMsg);
|
|
61
|
-
debugLog(`Permission error: ${err.message}`);
|
|
62
|
-
} else {
|
|
63
|
-
debugLog(`Filesystem error checking ${taskManagerPlansPath}: ${err.message}`);
|
|
64
|
-
}
|
|
65
|
-
}
|
|
66
|
-
|
|
67
|
-
const parentPath = path.dirname(currentPath);
|
|
68
|
-
|
|
69
|
-
if (parentPath === currentPath) {
|
|
70
|
-
debugLog(`Reached filesystem root, stopping traversal`);
|
|
71
|
-
break;
|
|
72
|
-
}
|
|
73
|
-
|
|
74
|
-
currentPath = parentPath;
|
|
75
|
-
debugLog(`Moving up to parent directory: ${currentPath}`);
|
|
76
|
-
}
|
|
77
|
-
|
|
78
|
-
debugLog(`Task manager root not found in any parent directory`);
|
|
79
|
-
return null;
|
|
80
|
-
}
|
|
81
|
-
|
|
82
|
-
/**
|
|
83
|
-
* Find plan file and directory for a given plan ID
|
|
84
|
-
* @param {string|number} planId - Plan ID to search for
|
|
85
|
-
* @returns {Object|null} Object with planFile and planDir, or null if not found
|
|
86
|
-
*/
|
|
87
|
-
function findPlanById(planId) {
|
|
88
|
-
const taskManagerRoot = findTaskManagerRoot();
|
|
89
|
-
|
|
90
|
-
if (!taskManagerRoot) {
|
|
91
|
-
errorLog('No .ai/task-manager directory found in current directory or any parent directory.');
|
|
92
|
-
return null;
|
|
93
|
-
}
|
|
94
|
-
|
|
95
|
-
debugLog(`Task manager root found: ${taskManagerRoot}`);
|
|
96
|
-
|
|
97
|
-
// Convert planId to numeric for flexible matching (handles both "2" and "02")
|
|
98
|
-
const numericPlanId = parseInt(planId, 10);
|
|
99
|
-
|
|
100
|
-
if (isNaN(numericPlanId)) {
|
|
101
|
-
errorLog(`Invalid plan ID: ${planId}. Plan ID must be numeric.`);
|
|
102
|
-
return null;
|
|
103
|
-
}
|
|
104
|
-
|
|
105
|
-
debugLog(`Searching for plan with numeric ID: ${numericPlanId} (input was: ${planId})`);
|
|
106
|
-
|
|
107
|
-
const plansDir = path.join(taskManagerRoot, 'plans');
|
|
108
|
-
const archiveDir = path.join(taskManagerRoot, 'archive');
|
|
109
|
-
|
|
110
|
-
debugLog(`Searching for plan ID ${planId} in: ${plansDir}, ${archiveDir}`);
|
|
111
|
-
|
|
112
|
-
// Search both plans and archive directories
|
|
113
|
-
for (const dir of [plansDir, archiveDir]) {
|
|
114
|
-
if (!fs.existsSync(dir)) {
|
|
115
|
-
debugLog(`Directory does not exist: ${dir}`);
|
|
116
|
-
continue;
|
|
117
|
-
}
|
|
118
|
-
|
|
119
|
-
try {
|
|
120
|
-
const entries = fs.readdirSync(dir, { withFileTypes: true });
|
|
121
|
-
debugLog(`Found ${entries.length} entries in ${dir}`);
|
|
122
|
-
|
|
123
|
-
for (const entry of entries) {
|
|
124
|
-
// Match directory pattern: [plan-id]--* (with flexible ID matching)
|
|
125
|
-
if (entry.isDirectory()) {
|
|
126
|
-
// Extract numeric ID from directory name, stripping leading zeros
|
|
127
|
-
const dirMatch = entry.name.match(/^0*(\d+)--/);
|
|
128
|
-
if (dirMatch && parseInt(dirMatch[1], 10) === numericPlanId) {
|
|
129
|
-
const planDirPath = path.join(dir, entry.name);
|
|
130
|
-
debugLog(`Found matching plan directory: ${planDirPath} (extracted ID: ${dirMatch[1]} matches input: ${numericPlanId})`);
|
|
131
|
-
|
|
132
|
-
try {
|
|
133
|
-
const planDirEntries = fs.readdirSync(planDirPath, { withFileTypes: true });
|
|
134
|
-
|
|
135
|
-
// Look for plan file: plan-[plan-id]--*.md (with flexible ID matching)
|
|
136
|
-
for (const planEntry of planDirEntries) {
|
|
137
|
-
if (planEntry.isFile()) {
|
|
138
|
-
// Extract numeric ID from filename, stripping leading zeros
|
|
139
|
-
const fileMatch = planEntry.name.match(/^plan-0*(\d+)--.*\.md$/);
|
|
140
|
-
if (fileMatch && parseInt(fileMatch[1], 10) === numericPlanId) {
|
|
141
|
-
const planFilePath = path.join(planDirPath, planEntry.name);
|
|
142
|
-
debugLog(`Found plan file: ${planFilePath} (extracted ID: ${fileMatch[1]} matches input: ${numericPlanId})`);
|
|
143
|
-
|
|
144
|
-
return {
|
|
145
|
-
planFile: planFilePath,
|
|
146
|
-
planDir: planDirPath
|
|
147
|
-
};
|
|
148
|
-
}
|
|
149
|
-
}
|
|
150
|
-
}
|
|
151
|
-
|
|
152
|
-
debugLog(`No plan file found in directory: ${planDirPath}`);
|
|
153
|
-
} catch (err) {
|
|
154
|
-
errorLog(`Failed to read plan directory ${planDirPath}: ${err.message}`);
|
|
155
|
-
}
|
|
156
|
-
}
|
|
157
|
-
}
|
|
158
|
-
}
|
|
159
|
-
} catch (err) {
|
|
160
|
-
errorLog(`Failed to read directory ${dir}: ${err.message}`);
|
|
161
|
-
}
|
|
162
|
-
}
|
|
163
|
-
|
|
164
|
-
debugLog(`Plan ID ${planId} not found in any directory`);
|
|
165
|
-
return null;
|
|
166
|
-
}
|
|
167
|
-
|
|
168
|
-
/**
|
|
169
|
-
* Count task files in a plan's tasks directory
|
|
170
|
-
* @param {string} planDir - Plan directory path
|
|
171
|
-
* @returns {number} Number of task files found
|
|
172
|
-
*/
|
|
173
|
-
function countTasks(planDir) {
|
|
174
|
-
const tasksDir = path.join(planDir, 'tasks');
|
|
175
|
-
|
|
176
|
-
if (!fs.existsSync(tasksDir)) {
|
|
177
|
-
debugLog(`Tasks directory does not exist: ${tasksDir}`);
|
|
178
|
-
return 0;
|
|
179
|
-
}
|
|
180
|
-
|
|
181
|
-
try {
|
|
182
|
-
const stats = fs.lstatSync(tasksDir);
|
|
183
|
-
if (!stats.isDirectory()) {
|
|
184
|
-
debugLog(`Tasks path exists but is not a directory: ${tasksDir}`);
|
|
185
|
-
return 0;
|
|
186
|
-
}
|
|
187
|
-
|
|
188
|
-
const files = fs.readdirSync(tasksDir).filter(f => f.endsWith('.md'));
|
|
189
|
-
debugLog(`Found ${files.length} task files in ${tasksDir}`);
|
|
190
|
-
return files.length;
|
|
191
|
-
} catch (err) {
|
|
192
|
-
errorLog(`Failed to read tasks directory ${tasksDir}: ${err.message}`);
|
|
193
|
-
return 0;
|
|
194
|
-
}
|
|
195
|
-
}
|
|
196
|
-
|
|
197
|
-
/**
|
|
198
|
-
* Check if execution blueprint section exists in plan file
|
|
199
|
-
* @param {string} planFile - Path to plan file
|
|
200
|
-
* @returns {boolean} True if blueprint section exists, false otherwise
|
|
201
|
-
*/
|
|
202
|
-
function checkBlueprintExists(planFile) {
|
|
203
|
-
try {
|
|
204
|
-
const planContent = fs.readFileSync(planFile, 'utf8');
|
|
205
|
-
const blueprintExists = /^## Execution Blueprint/m.test(planContent);
|
|
206
|
-
debugLog(`Blueprint section ${blueprintExists ? 'found' : 'not found'} in ${planFile}`);
|
|
207
|
-
return blueprintExists;
|
|
208
|
-
} catch (err) {
|
|
209
|
-
errorLog(`Failed to read plan file ${planFile}: ${err.message}`);
|
|
210
|
-
return false;
|
|
211
|
-
}
|
|
212
|
-
}
|
|
213
|
-
|
|
214
27
|
/**
|
|
215
28
|
* List available plans for error messaging
|
|
29
|
+
* @private
|
|
30
|
+
* @param {string} [taskManagerRoot] - Optional task manager root path
|
|
216
31
|
* @returns {string[]} Array of plan directory names
|
|
217
32
|
*/
|
|
218
|
-
function
|
|
219
|
-
const
|
|
220
|
-
|
|
221
|
-
|
|
222
|
-
|
|
223
|
-
|
|
224
|
-
|
|
225
|
-
|
|
226
|
-
|
|
227
|
-
|
|
228
|
-
|
|
229
|
-
for (const dir of [plansDir, archiveDir]) {
|
|
230
|
-
if (!fs.existsSync(dir)) {
|
|
231
|
-
continue;
|
|
232
|
-
}
|
|
233
|
-
|
|
234
|
-
try {
|
|
235
|
-
const entries = fs.readdirSync(dir, { withFileTypes: true });
|
|
236
|
-
for (const entry of entries) {
|
|
237
|
-
if (entry.isDirectory() && entry.name.match(/^\d+--/)) {
|
|
238
|
-
plans.push(entry.name);
|
|
239
|
-
}
|
|
240
|
-
}
|
|
241
|
-
} catch (err) {
|
|
242
|
-
// Silently continue
|
|
243
|
-
}
|
|
244
|
-
}
|
|
245
|
-
|
|
246
|
-
return plans.sort((a, b) => {
|
|
247
|
-
const aId = parseInt(a.match(/^(\d+)--/)[1], 10);
|
|
248
|
-
const bId = parseInt(b.match(/^(\d+)--/)[1], 10);
|
|
249
|
-
return aId - bId;
|
|
250
|
-
});
|
|
33
|
+
function _listAvailablePlans(taskManagerRoot) {
|
|
34
|
+
const plans = getAllPlans(taskManagerRoot);
|
|
35
|
+
return plans
|
|
36
|
+
.map(p => p.name)
|
|
37
|
+
.sort((a, b) => {
|
|
38
|
+
const aIdMatch = a.match(/^(\d+)--/);
|
|
39
|
+
const bIdMatch = b.match(/^(\d+)--/);
|
|
40
|
+
if (!aIdMatch || !bIdMatch) return 0;
|
|
41
|
+
return parseInt(aIdMatch[1], 10) - parseInt(bIdMatch[1], 10);
|
|
42
|
+
});
|
|
251
43
|
}
|
|
252
44
|
|
|
253
45
|
/**
|
|
254
46
|
* Validate plan blueprint and output JSON or specific field
|
|
255
|
-
* @
|
|
256
|
-
* @param {string}
|
|
47
|
+
* @private
|
|
48
|
+
* @param {string|number} inputId - Plan ID or absolute path to validate
|
|
49
|
+
* @param {string} [fieldName] - Optional field name to extract (planFile, planDir, taskCount, blueprintExists, taskManagerRoot, planId)
|
|
50
|
+
* @param {string} [startPath] - Optional start path for finding task manager root
|
|
257
51
|
*/
|
|
258
|
-
function
|
|
259
|
-
if (!
|
|
260
|
-
|
|
261
|
-
|
|
262
|
-
|
|
263
|
-
|
|
264
|
-
|
|
265
|
-
|
|
266
|
-
|
|
267
|
-
|
|
268
|
-
|
|
269
|
-
errorLog(' node validate-plan-blueprint.cjs 47 blueprintExists # Output yes/no');
|
|
52
|
+
function _validatePlanBlueprint(inputId, fieldName, startPath = process.cwd()) {
|
|
53
|
+
if (!inputId) {
|
|
54
|
+
_errorLog('Plan ID or absolute path is required');
|
|
55
|
+
_errorLog('');
|
|
56
|
+
_errorLog('Usage: node validate-plan-blueprint.cjs <plan-id-or-path> [field-name]');
|
|
57
|
+
_errorLog('');
|
|
58
|
+
_errorLog('Examples:');
|
|
59
|
+
_errorLog(' node validate-plan-blueprint.cjs 47 # Output full JSON');
|
|
60
|
+
_errorLog(' node validate-plan-blueprint.cjs /path/to/plan.md # Output full JSON for specific file');
|
|
61
|
+
_errorLog(' node validate-plan-blueprint.cjs 47 planFile # Output just the plan file path');
|
|
62
|
+
_errorLog(' node validate-plan-blueprint.cjs 47 blueprintExists # Output yes/no');
|
|
270
63
|
process.exit(1);
|
|
271
64
|
}
|
|
272
65
|
|
|
273
|
-
|
|
66
|
+
// Check if input is numeric (allowing padded zeros) - if not a number or path, it's invalid
|
|
67
|
+
const numericInput = parseInt(inputId, 10);
|
|
68
|
+
const isNumeric = !isNaN(numericInput);
|
|
69
|
+
const isAbsolutePath = inputId.startsWith('/');
|
|
274
70
|
|
|
275
|
-
|
|
71
|
+
if (!isNumeric && !isAbsolutePath) {
|
|
72
|
+
_errorLog(`Invalid plan ID: "${inputId}" is not a valid number`);
|
|
73
|
+
process.exit(1);
|
|
74
|
+
}
|
|
75
|
+
|
|
76
|
+
const resolved = resolvePlan(inputId, startPath);
|
|
276
77
|
|
|
277
|
-
if (!
|
|
278
|
-
|
|
279
|
-
|
|
78
|
+
if (!resolved) {
|
|
79
|
+
_errorLog(`Plan ID ${inputId} not found or invalid`);
|
|
80
|
+
_errorLog('');
|
|
280
81
|
|
|
281
|
-
const
|
|
82
|
+
const tmRoot = findTaskManagerRoot(startPath);
|
|
83
|
+
const availablePlans = _listAvailablePlans(tmRoot);
|
|
282
84
|
if (availablePlans.length > 0) {
|
|
283
|
-
|
|
85
|
+
_errorLog('Available plans:');
|
|
284
86
|
availablePlans.forEach(plan => {
|
|
285
|
-
|
|
87
|
+
_errorLog(` ${plan}`);
|
|
286
88
|
});
|
|
287
|
-
} else {
|
|
288
|
-
errorLog('No plans found in .ai/task-manager/{plans,archive}/');
|
|
289
89
|
}
|
|
290
90
|
|
|
291
|
-
errorLog('');
|
|
292
|
-
errorLog('Please verify:');
|
|
293
|
-
errorLog(' 1. You are in the correct project directory');
|
|
294
|
-
errorLog(' 2. The plan exists in .ai/task-manager/plans/ or .ai/task-manager/archive/');
|
|
295
|
-
errorLog(' 3. The plan directory follows the naming pattern: [plan-id]--[name]');
|
|
296
|
-
errorLog(' 4. The plan file follows the naming pattern: plan-[plan-id]--[name].md');
|
|
297
91
|
process.exit(1);
|
|
298
92
|
}
|
|
299
93
|
|
|
300
|
-
const {
|
|
94
|
+
const {
|
|
95
|
+
planFile,
|
|
96
|
+
planDir,
|
|
97
|
+
taskManagerRoot,
|
|
98
|
+
planId
|
|
99
|
+
} = resolved;
|
|
100
|
+
|
|
301
101
|
const taskCount = countTasks(planDir);
|
|
302
102
|
const blueprintExists = checkBlueprintExists(planFile);
|
|
303
103
|
|
|
304
104
|
const result = {
|
|
305
105
|
planFile,
|
|
306
106
|
planDir,
|
|
107
|
+
taskManagerRoot,
|
|
108
|
+
planId,
|
|
307
109
|
taskCount,
|
|
308
110
|
blueprintExists: blueprintExists ? 'yes' : 'no'
|
|
309
111
|
};
|
|
310
112
|
|
|
311
|
-
debugLog('Validation complete:', result);
|
|
312
|
-
|
|
313
113
|
// If field name is provided, output just that field
|
|
314
114
|
if (fieldName) {
|
|
315
|
-
const validFields = ['planFile', 'planDir', 'taskCount', 'blueprintExists'];
|
|
115
|
+
const validFields = ['planFile', 'planDir', 'taskCount', 'blueprintExists', 'taskManagerRoot', 'planId'];
|
|
316
116
|
if (!validFields.includes(fieldName)) {
|
|
317
|
-
|
|
318
|
-
|
|
117
|
+
_errorLog(`Invalid field name: ${fieldName}`);
|
|
118
|
+
_errorLog(`Valid fields: ${validFields.join(', ')}`);
|
|
319
119
|
process.exit(1);
|
|
320
120
|
}
|
|
321
121
|
// Use process.stdout.write to avoid util.inspect colorization
|
|
322
|
-
// Convert to string explicitly to ensure plain text output
|
|
323
122
|
process.stdout.write(String(result[fieldName]) + '\n');
|
|
324
123
|
} else {
|
|
325
|
-
// Output full JSON
|
|
124
|
+
// Output full JSON
|
|
326
125
|
console.log(JSON.stringify(result, null, 2));
|
|
327
126
|
}
|
|
328
127
|
}
|
|
329
128
|
|
|
330
129
|
// Main execution
|
|
331
|
-
|
|
332
|
-
const
|
|
333
|
-
|
|
130
|
+
if (require.main === module) {
|
|
131
|
+
const planId = process.argv[2];
|
|
132
|
+
const fieldName = process.argv[3];
|
|
133
|
+
_validatePlanBlueprint(planId, fieldName);
|
|
134
|
+
}
|
|
135
|
+
|
|
136
|
+
module.exports = {
|
|
137
|
+
_validatePlanBlueprint
|
|
138
|
+
};
|
|
@@ -4,8 +4,8 @@ description: Create a comprehensive plan to accomplish the request from the user
|
|
|
4
4
|
---
|
|
5
5
|
# Comprehensive Plan Creation
|
|
6
6
|
|
|
7
|
-
You are a strategic planning specialist who creates actionable plan documents that balance comprehensive context with
|
|
8
|
-
disciplined scope control. Your role is to think hard to create detailed, actionable plans based on user input while
|
|
7
|
+
You are a strategic planning specialist who creates actionable plan documents that balance comprehensive context with
|
|
8
|
+
disciplined scope control. Your role is to think hard to create detailed, actionable plans based on user input while
|
|
9
9
|
ensuring you have all necessary context before proceeding. Use the plan-creator sub-agent for this if it is available.
|
|
10
10
|
|
|
11
11
|
## Assistant Configuration
|
|
@@ -132,10 +132,22 @@ The schema for this frontmatter is:
|
|
|
132
132
|
```
|
|
133
133
|
|
|
134
134
|
### Plan ID Generation
|
|
135
|
-
|
|
135
|
+
|
|
136
|
+
First, discover the task manager root directory:
|
|
137
|
+
|
|
138
|
+
```bash
|
|
139
|
+
root=$(node -e 'const fs=require("fs"),path=require("path");const f=p=>{const t=path.join(p,".ai/task-manager");const m=path.join(t,".init-metadata.json");try{if(JSON.parse(fs.readFileSync(m)).version){console.log(path.resolve(t));process.exit(0)}}catch(e){};const d=path.dirname(p);if(d!==p)f(d)};f(process.cwd());process.exit(1)')
|
|
140
|
+
|
|
141
|
+
if [ -z "$root" ]; then
|
|
142
|
+
echo "Error: Could not find task manager root directory (.ai/task-manager)"
|
|
143
|
+
exit 1
|
|
144
|
+
fi
|
|
145
|
+
```
|
|
146
|
+
|
|
147
|
+
Then execute this script to determine the plan ID:
|
|
136
148
|
|
|
137
149
|
```bash
|
|
138
|
-
node
|
|
150
|
+
next_id=$(node $root/config/scripts/get-next-plan-id.cjs)
|
|
139
151
|
```
|
|
140
152
|
|
|
141
153
|
**Key formatting:**
|
|
@@ -44,12 +44,25 @@ Before proceeding with execution, validate that tasks exist and the execution bl
|
|
|
44
44
|
|
|
45
45
|
**Validation Steps:**
|
|
46
46
|
|
|
47
|
+
First, discover the task manager root directory:
|
|
48
|
+
|
|
49
|
+
```bash
|
|
50
|
+
root=$(node -e 'const fs=require("fs"),path=require("path");const f=p=>{const t=path.join(p,".ai/task-manager");const m=path.join(t,".init-metadata.json");try{if(JSON.parse(fs.readFileSync(m)).version){console.log(path.resolve(t));process.exit(0)}}catch(e){};const d=path.dirname(p);if(d!==p)f(d)};f(process.cwd());process.exit(1)')
|
|
51
|
+
|
|
52
|
+
if [ -z "$root" ]; then
|
|
53
|
+
echo "Error: Could not find task manager root directory (.ai/task-manager)"
|
|
54
|
+
exit 1
|
|
55
|
+
fi
|
|
56
|
+
```
|
|
57
|
+
|
|
58
|
+
Then extract validation results:
|
|
59
|
+
|
|
47
60
|
```bash
|
|
48
61
|
# Extract validation results directly from script
|
|
49
|
-
plan_file=$(node
|
|
50
|
-
plan_dir=$(node
|
|
51
|
-
task_count=$(node
|
|
52
|
-
blueprint_exists=$(node
|
|
62
|
+
plan_file=$(node $root/config/scripts/validate-plan-blueprint.cjs $1 planFile)
|
|
63
|
+
plan_dir=$(node $root/config/scripts/validate-plan-blueprint.cjs $1 planDir)
|
|
64
|
+
task_count=$(node $root/config/scripts/validate-plan-blueprint.cjs $1 taskCount)
|
|
65
|
+
blueprint_exists=$(node $root/config/scripts/validate-plan-blueprint.cjs $1 blueprintExists)
|
|
53
66
|
```
|
|
54
67
|
|
|
55
68
|
4. **Automatic task generation**:
|
|
@@ -57,21 +57,32 @@ fi
|
|
|
57
57
|
|
|
58
58
|
## Execution Process
|
|
59
59
|
|
|
60
|
-
### 1.
|
|
60
|
+
### 1. Root Discovery and Plan Location
|
|
61
61
|
|
|
62
|
-
|
|
62
|
+
First, discover the task manager root directory:
|
|
63
|
+
|
|
64
|
+
```bash
|
|
65
|
+
root=$(node -e 'const fs=require("fs"),path=require("path");const f=p=>{const t=path.join(p,".ai/task-manager");const m=path.join(t,".init-metadata.json");try{if(JSON.parse(fs.readFileSync(m)).version){console.log(path.resolve(t));process.exit(0)}}catch(e){};const d=path.dirname(p);if(d!==p)f(d)};f(process.cwd());process.exit(1)')
|
|
66
|
+
|
|
67
|
+
if [ -z "$root" ]; then
|
|
68
|
+
echo "Error: Could not find task manager root directory (.ai/task-manager)"
|
|
69
|
+
exit 1
|
|
70
|
+
fi
|
|
71
|
+
```
|
|
72
|
+
|
|
73
|
+
Then locate the plan directory using the discovered root:
|
|
63
74
|
|
|
64
75
|
```bash
|
|
65
76
|
plan_id="$1"
|
|
66
77
|
task_id="$2"
|
|
67
78
|
|
|
68
79
|
# Find plan directory
|
|
69
|
-
plan_dir=$(find
|
|
80
|
+
plan_dir=$(find $root/{plans,archive} -type d -name "${plan_id}--*" 2>/dev/null | head -1)
|
|
70
81
|
|
|
71
82
|
if [ -z "$plan_dir" ]; then
|
|
72
83
|
echo "Error: Plan with ID ${plan_id} not found"
|
|
73
84
|
echo "Available plans:"
|
|
74
|
-
find
|
|
85
|
+
find $root/plans -name "*--*" -type d | head -5
|
|
75
86
|
exit 1
|
|
76
87
|
fi
|
|
77
88
|
|
|
@@ -147,7 +158,7 @@ Use the dependency checking script to validate all dependencies:
|
|
|
147
158
|
|
|
148
159
|
```bash
|
|
149
160
|
# Call the dependency checking script
|
|
150
|
-
if ! node
|
|
161
|
+
if ! node $root/config/scripts/check-task-dependencies.cjs "$plan_id" "$task_id"; then
|
|
151
162
|
echo ""
|
|
152
163
|
echo "Task execution blocked by unresolved dependencies."
|
|
153
164
|
echo "Please complete the required dependencies first."
|
|
@@ -145,9 +145,20 @@ created: 2025-09-01
|
|
|
145
145
|
|
|
146
146
|
#### Plan ID Generation
|
|
147
147
|
|
|
148
|
-
|
|
148
|
+
First, discover the task manager root directory:
|
|
149
|
+
|
|
150
|
+
```bash
|
|
151
|
+
root=$(node -e 'const fs=require("fs"),path=require("path");const f=p=>{const t=path.join(p,".ai/task-manager");const m=path.join(t,".init-metadata.json");try{if(JSON.parse(fs.readFileSync(m)).version){console.log(path.resolve(t));process.exit(0)}}catch(e){};const d=path.dirname(p);if(d!==p)f(d)};f(process.cwd());process.exit(1)')
|
|
152
|
+
|
|
153
|
+
if [ -z "$root" ]; then
|
|
154
|
+
echo "Error: Could not find task manager root directory (.ai/task-manager)"
|
|
155
|
+
exit 1
|
|
156
|
+
fi
|
|
157
|
+
```
|
|
158
|
+
|
|
159
|
+
Then auto-generate the next plan ID:
|
|
149
160
|
```bash
|
|
150
|
-
node
|
|
161
|
+
node $root/config/scripts/get-next-plan-id.cjs
|
|
151
162
|
```
|
|
152
163
|
|
|
153
164
|
**Key formatting:**
|
|
@@ -272,7 +283,7 @@ Use the task template in .ai/task-manager/config/templates/TASK_TEMPLATE.md
|
|
|
272
283
|
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:
|
|
273
284
|
|
|
274
285
|
```bash
|
|
275
|
-
node
|
|
286
|
+
node $root/config/scripts/get-next-task-id.cjs [PLAN_ID from Step 1]
|
|
276
287
|
```
|
|
277
288
|
|
|
278
289
|
#### Step 4: POST_TASK_GENERATION_ALL hook
|
|
@@ -337,12 +348,14 @@ Before proceeding with execution, validate that tasks exist and the execution bl
|
|
|
337
348
|
|
|
338
349
|
**Validation Steps:**
|
|
339
350
|
|
|
351
|
+
Use the task manager root discovered in Step 1 to extract validation results:
|
|
352
|
+
|
|
340
353
|
```bash
|
|
341
354
|
# Extract validation results directly from script
|
|
342
|
-
plan_file=$(node
|
|
343
|
-
plan_dir=$(node
|
|
344
|
-
task_count=$(node
|
|
345
|
-
blueprint_exists=$(node
|
|
355
|
+
plan_file=$(node $root/config/scripts/validate-plan-blueprint.cjs [planId] planFile)
|
|
356
|
+
plan_dir=$(node $root/config/scripts/validate-plan-blueprint.cjs [planId] planDir)
|
|
357
|
+
task_count=$(node $root/config/scripts/validate-plan-blueprint.cjs [planId] taskCount)
|
|
358
|
+
blueprint_exists=$(node $root/config/scripts/validate-plan-blueprint.cjs [planId] blueprintExists)
|
|
346
359
|
```
|
|
347
360
|
|
|
348
361
|
If either `$task_count` is 0 or `$blueprint_exists` is "no":
|
|
@@ -38,9 +38,22 @@ Use your internal Todo task tool to track the following process:
|
|
|
38
38
|
|
|
39
39
|
- A plan document. Extract it with the following command.
|
|
40
40
|
|
|
41
|
+
First, discover the task manager root directory:
|
|
42
|
+
|
|
43
|
+
```bash
|
|
44
|
+
root=$(node -e 'const fs=require("fs"),path=require("path");const f=p=>{const t=path.join(p,".ai/task-manager");const m=path.join(t,".init-metadata.json");try{if(JSON.parse(fs.readFileSync(m)).version){console.log(path.resolve(t));process.exit(0)}}catch(e){};const d=path.dirname(p);if(d!==p)f(d)};f(process.cwd());process.exit(1)')
|
|
45
|
+
|
|
46
|
+
if [ -z "$root" ]; then
|
|
47
|
+
echo "Error: Could not find task manager root directory (.ai/task-manager)"
|
|
48
|
+
exit 1
|
|
49
|
+
fi
|
|
50
|
+
```
|
|
51
|
+
|
|
52
|
+
Then extract validation results:
|
|
53
|
+
|
|
41
54
|
```bash
|
|
42
55
|
# Extract validation results directly from script
|
|
43
|
-
plan_file=$(node
|
|
56
|
+
plan_file=$(node $root/config/scripts/validate-plan-blueprint.cjs $1 planFile)
|
|
44
57
|
```
|
|
45
58
|
|
|
46
59
|
### Input Error Handling
|
|
@@ -243,7 +256,7 @@ Use the task template in .ai/task-manager/config/templates/TASK_TEMPLATE.md
|
|
|
243
256
|
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:
|
|
244
257
|
|
|
245
258
|
```bash
|
|
246
|
-
node
|
|
259
|
+
node $root/config/scripts/get-next-task-id.cjs $1
|
|
247
260
|
```
|
|
248
261
|
|
|
249
262
|
### Validation Checklist
|
|
@@ -4,9 +4,9 @@ description: Review the plan with the provided ID, gather clarifications, and re
|
|
|
4
4
|
---
|
|
5
5
|
# Plan Review and Refinement
|
|
6
6
|
|
|
7
|
-
You are a strategic planning specialist who specializes in interrogating existing plans, uncovering blind spots, and
|
|
8
|
-
refining the document so that task generators receive the clearest possible instructions. Treat the current plan as the
|
|
9
|
-
work product of another assistant: your responsibility is to pressure test it, request any missing information from the
|
|
7
|
+
You are a strategic planning specialist who specializes in interrogating existing plans, uncovering blind spots, and
|
|
8
|
+
refining the document so that task generators receive the clearest possible instructions. Treat the current plan as the
|
|
9
|
+
work product of another assistant: your responsibility is to pressure test it, request any missing information from the
|
|
10
10
|
user, and update the plan with the refinements. Use the plan-creator sub-agent for this if it is available.
|
|
11
11
|
|
|
12
12
|
## Assistant Configuration
|
|
@@ -34,11 +34,22 @@ If the plan ID is missing, immediately stop and show an error explaining correct
|
|
|
34
34
|
|
|
35
35
|
### Plan Discovery and Validation
|
|
36
36
|
|
|
37
|
-
|
|
37
|
+
First, discover the task manager root directory:
|
|
38
|
+
|
|
39
|
+
```bash
|
|
40
|
+
root=$(node -e 'const fs=require("fs"),path=require("path");const f=p=>{const t=path.join(p,".ai/task-manager");const m=path.join(t,".init-metadata.json");try{if(JSON.parse(fs.readFileSync(m)).version){console.log(path.resolve(t));process.exit(0)}}catch(e){};const d=path.dirname(p);if(d!==p)f(d)};f(process.cwd());process.exit(1)')
|
|
41
|
+
|
|
42
|
+
if [ -z "$root" ]; then
|
|
43
|
+
echo "Error: Could not find task manager root directory (.ai/task-manager)"
|
|
44
|
+
exit 1
|
|
45
|
+
fi
|
|
46
|
+
```
|
|
47
|
+
|
|
48
|
+
Then obtain the plan using the plan ID:
|
|
38
49
|
|
|
39
50
|
```bash
|
|
40
51
|
# Extract validation results directly from script
|
|
41
|
-
plan_file=$(node
|
|
52
|
+
plan_file=$(node $root/config/scripts/validate-plan-blueprint.cjs $1 planFile)
|
|
42
53
|
```
|
|
43
54
|
|
|
44
55
|
## Process Checklist
|