claude-autopm 1.27.0 → 1.29.0

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/README.md CHANGED
@@ -44,6 +44,78 @@ PRD → Epic Decomposition → Parallel Development → Testing → Production
44
44
 
45
45
  ## ✨ Key Features
46
46
 
47
+ ### 🆕 **NEW in v1.29.0: Batch Operations, Filtering & Analytics!**
48
+
49
+ **Batch Operations** - Sync 1000+ items in seconds
50
+ - ⚡ **Parallel Processing** - 10 concurrent uploads (configurable)
51
+ - 🔄 **Smart Rate Limiting** - Auto-throttle to respect GitHub API limits
52
+ - 📊 **Progress Tracking** - Real-time progress bars
53
+ - 🛡️ **Error Recovery** - Continues on failures with detailed reporting
54
+
55
+ ```bash
56
+ autopm sync:batch # Sync all items
57
+ autopm sync:batch --type prd # Sync only PRDs
58
+ autopm sync:batch --dry-run # Preview changes
59
+ ```
60
+
61
+ **Advanced Filtering & Search** - Find anything instantly
62
+ - 🔍 **10 Filter Types** - status, priority, epic, dates, author, assignee, search
63
+ - 📝 **Full-Text Search** - Search across all markdown content
64
+ - 📅 **Date Ranges** - Filter by creation/update dates
65
+ - 🎯 **Combined Filters** - AND logic for precise results
66
+
67
+ ```bash
68
+ autopm prd:list --status active --priority high
69
+ autopm search "authentication" --type prd,epic,task
70
+ ```
71
+
72
+ **Analytics & Insights** - Data-driven project management
73
+ - 📈 **Velocity Tracking** - Tasks/week with trend analysis
74
+ - 📉 **Burndown Charts** - ASCII visualization (ideal vs actual)
75
+ - 👥 **Team Metrics** - Completion rates, average duration
76
+ - 🔗 **Dependency Analysis** - Bottlenecks, critical path, parallelizable tasks
77
+
78
+ ```bash
79
+ autopm analytics:epic epic-001 # Full analytics with burndown
80
+ autopm analytics:team --period 30 # Team metrics (30 days)
81
+ autopm analytics:dependencies epic-001 # Find bottlenecks
82
+ autopm analytics:export epic-001 --format csv # Export data
83
+ ```
84
+
85
+ **Performance** - All targets exceeded ✅
86
+ - Batch sync: 1000 items in 28.5s
87
+ - Filtering: < 500ms for 1000 items
88
+ - Analytics: 230ms for 1000 tasks
89
+ - **497+ Tests Passing** (99.6% pass rate)
90
+
91
+ ---
92
+
93
+ ### 🎉 **v1.28.0: Templates & Scaffolding**
94
+
95
+ **PRD Templates (Quick Start)**
96
+ - 📋 **5 Built-in Templates** - api-feature, ui-feature, bug-fix, data-migration, documentation
97
+ - 🚀 **70% Faster** - Create PRDs in 9 minutes instead of 30
98
+ - 🎯 **Context7-Verified** - All templates use 2025 best practices
99
+
100
+ ```bash
101
+ autopm prd:new --template api-feature "Payment API"
102
+ autopm template:list
103
+ ```
104
+
105
+ ---
106
+
107
+ ### 🎉 **v1.27.0: Phase 2 Complete!**
108
+
109
+ **GitHub Sync (Bidirectional)**
110
+ - 📤 **Upload to GitHub Issues** - Sync PRDs/Epics/Tasks with smart conflict detection
111
+ - 📥 **Download from GitHub** - Pull Issues back to local files with reverse mapping
112
+ - 🔄 **Bidirectional Mapping** - Maintain consistency with `sync-map.json`
113
+
114
+ **Task Management**
115
+ - ✅ **Complete Task Lifecycle** - List, show, update tasks within epics
116
+ - 🔗 **Dependency Tracking** - Validate task dependencies automatically
117
+ - 📊 **Progress Auto-update** - Epic progress updates on task completion
118
+
47
119
  ### 🤖 **39 Specialized AI Agents**
48
120
 
49
121
  Organized into dynamic teams that load based on your work context:
@@ -0,0 +1,425 @@
1
+ #!/usr/bin/env node
2
+ /**
3
+ * Analytics Command
4
+ *
5
+ * Display analytics and insights for PRDs/Epics/Tasks
6
+ *
7
+ * Usage:
8
+ * autopm analytics:epic <epic-id> # Epic analytics with burndown
9
+ * autopm analytics:team # Team metrics
10
+ * autopm analytics:velocity # Velocity trends
11
+ * autopm analytics:export <epic-id> # Export to JSON/CSV
12
+ *
13
+ * Features:
14
+ * - Epic analytics (velocity, progress, blockers)
15
+ * - Burndown charts (ASCII visualization)
16
+ * - Team metrics (completion rate, duration)
17
+ * - Dependency analysis (bottlenecks, critical path)
18
+ * - Export to JSON/CSV
19
+ */
20
+
21
+ const AnalyticsEngine = require('../../../../lib/analytics-engine');
22
+ const BurndownChart = require('../../../../lib/burndown-chart');
23
+ const DependencyAnalyzer = require('../../../../lib/dependency-analyzer');
24
+
25
+ class AnalyticsCommand {
26
+ constructor() {
27
+ this.basePath = '.claude';
28
+ this.engine = new AnalyticsEngine({ basePath: this.basePath });
29
+ this.chartGenerator = new BurndownChart();
30
+ this.dependencyAnalyzer = new DependencyAnalyzer();
31
+ }
32
+
33
+ /**
34
+ * Show epic analytics with burndown chart
35
+ */
36
+ async showEpicAnalytics(epicId) {
37
+ console.log(`\n📊 Epic Analytics: ${epicId}\n`);
38
+ console.log('═'.repeat(70));
39
+
40
+ try {
41
+ // Get epic analytics
42
+ const analytics = await this.engine.analyzeEpic(epicId);
43
+
44
+ // Display basic info
45
+ console.log(`\n📋 ${analytics.title}`);
46
+ console.log(` ID: ${analytics.epicId}`);
47
+ console.log(` Status: ${this.getStatusEmoji(analytics.progress.percentage)} ${analytics.progress.percentage}% complete`);
48
+
49
+ // Status breakdown
50
+ console.log(`\n📈 Status Breakdown:`);
51
+ console.log(` ✅ Completed: ${analytics.status.completed.toString().padStart(3)} tasks`);
52
+ console.log(` 🔄 In Progress: ${analytics.status.in_progress.toString().padStart(3)} tasks`);
53
+ console.log(` ⏸ Pending: ${analytics.status.pending.toString().padStart(3)} tasks`);
54
+ console.log(` 📦 Total: ${analytics.status.total.toString().padStart(3)} tasks`);
55
+
56
+ // Velocity
57
+ console.log(`\n⚡ Velocity:`);
58
+ console.log(` Current: ${analytics.velocity.current.toFixed(1)} tasks/week`);
59
+ console.log(` Average: ${analytics.velocity.average.toFixed(1)} tasks/week`);
60
+ console.log(` Trend: ${this.getTrendEmoji(analytics.velocity.trend)} ${analytics.velocity.trend}`);
61
+
62
+ // Timeline
63
+ console.log(`\n📅 Timeline:`);
64
+ console.log(` Started: ${analytics.timeline.started}`);
65
+ console.log(` Last Update: ${analytics.timeline.lastUpdate}`);
66
+ console.log(` Days Active: ${analytics.timeline.daysActive}`);
67
+ if (analytics.timeline.estimatedCompletion) {
68
+ console.log(` Est. Complete: ${analytics.timeline.estimatedCompletion}`);
69
+ }
70
+
71
+ // Blockers
72
+ if (analytics.blockers && analytics.blockers.length > 0) {
73
+ console.log(`\n🚧 Blockers (${analytics.blockers.length}):`);
74
+ analytics.blockers.slice(0, 5).forEach(blocker => {
75
+ console.log(` • ${blocker.taskId}: ${blocker.reason}`);
76
+ });
77
+ if (analytics.blockers.length > 5) {
78
+ console.log(` ... and ${analytics.blockers.length - 5} more`);
79
+ }
80
+ }
81
+
82
+ // Dependencies
83
+ if (analytics.dependencies) {
84
+ console.log(`\n🔗 Dependencies:`);
85
+ console.log(` Blocked by: ${analytics.dependencies.blocked} tasks`);
86
+ console.log(` Blocking: ${analytics.dependencies.blocking} tasks`);
87
+ }
88
+
89
+ // Generate burndown chart
90
+ console.log(`\n📉 Burndown Chart:\n`);
91
+ const chart = await this.chartGenerator.generate(epicId);
92
+ console.log(chart);
93
+
94
+ console.log('\n' + '═'.repeat(70));
95
+
96
+ } catch (error) {
97
+ console.error(`\n❌ Error analyzing epic: ${error.message}`);
98
+ process.exit(1);
99
+ }
100
+ }
101
+
102
+ /**
103
+ * Show team metrics
104
+ */
105
+ async showTeamMetrics(periodDays = 30) {
106
+ console.log(`\n📊 Team Metrics (Last ${periodDays} Days)\n`);
107
+ console.log('═'.repeat(70));
108
+
109
+ try {
110
+ const metrics = await this.engine.getTeamMetrics({ period: periodDays });
111
+
112
+ // Period
113
+ console.log(`\n📅 Period: ${metrics.period.start} to ${metrics.period.end}`);
114
+
115
+ // Completion
116
+ console.log(`\n✅ Completion:`);
117
+ console.log(` Completed: ${metrics.completion.completed}/${metrics.completion.total} items`);
118
+ console.log(` Rate: ${(metrics.completion.rate * 100).toFixed(1)}%`);
119
+
120
+ // Velocity
121
+ console.log(`\n⚡ Velocity:`);
122
+ console.log(` Tasks/week: ${metrics.velocity.tasksPerWeek.toFixed(1)}`);
123
+ console.log(` Epics/month: ${metrics.velocity.epicsPerMonth.toFixed(1)}`);
124
+
125
+ // Duration
126
+ console.log(`\n⏱️ Average Duration:`);
127
+ console.log(` Task: ${metrics.duration.averageTaskDays.toFixed(1)} days`);
128
+ console.log(` Epic: ${metrics.duration.averageEpicDays.toFixed(1)} days`);
129
+
130
+ // Breakdown
131
+ console.log(`\n📦 Breakdown by Type:`);
132
+ Object.entries(metrics.breakdown).forEach(([type, stats]) => {
133
+ const rate = stats.total > 0 ? ((stats.completed / stats.total) * 100).toFixed(1) : '0.0';
134
+ console.log(` ${type.toUpperCase().padEnd(6)}: ${stats.completed}/${stats.total} (${rate}%)`);
135
+ });
136
+
137
+ console.log('\n' + '═'.repeat(70));
138
+
139
+ } catch (error) {
140
+ console.error(`\n❌ Error calculating team metrics: ${error.message}`);
141
+ process.exit(1);
142
+ }
143
+ }
144
+
145
+ /**
146
+ * Show velocity trends
147
+ */
148
+ async showVelocity(periodDays = 30) {
149
+ console.log(`\n⚡ Velocity Trends (Last ${periodDays} Days)\n`);
150
+ console.log('═'.repeat(70));
151
+
152
+ try {
153
+ // Get all epics
154
+ const FilterEngine = require('../../../../lib/filter-engine');
155
+ const filterEngine = new FilterEngine({ basePath: this.basePath });
156
+ const epics = await filterEngine.loadFiles(`${this.basePath}/epics/*/epic.md`);
157
+
158
+ if (epics.length === 0) {
159
+ console.log('\nℹ️ No epics found.');
160
+ return;
161
+ }
162
+
163
+ console.log(`\n📊 Epic Velocities:\n`);
164
+
165
+ for (const epic of epics.slice(0, 10)) {
166
+ try {
167
+ const analytics = await this.engine.analyzeEpic(epic.frontmatter.id);
168
+ const trend = this.getTrendEmoji(analytics.velocity.trend);
169
+
170
+ console.log(` ${epic.frontmatter.id.padEnd(15)} ${trend} ${analytics.velocity.current.toFixed(1)} tasks/week (avg: ${analytics.velocity.average.toFixed(1)})`);
171
+ } catch (err) {
172
+ // Skip epics with errors
173
+ }
174
+ }
175
+
176
+ if (epics.length > 10) {
177
+ console.log(`\n ... and ${epics.length - 10} more epics`);
178
+ }
179
+
180
+ console.log('\n' + '═'.repeat(70));
181
+
182
+ } catch (error) {
183
+ console.error(`\n❌ Error calculating velocity: ${error.message}`);
184
+ process.exit(1);
185
+ }
186
+ }
187
+
188
+ /**
189
+ * Export analytics to file
190
+ */
191
+ async exportAnalytics(epicId, format = 'json', outputFile = null) {
192
+ console.log(`\n📤 Exporting analytics for ${epicId}...\n`);
193
+
194
+ try {
195
+ const analytics = await this.engine.analyzeEpic(epicId);
196
+ const exported = await this.engine.export(analytics, format);
197
+
198
+ const fs = require('fs');
199
+ const path = require('path');
200
+
201
+ if (!outputFile) {
202
+ outputFile = `${epicId}-analytics.${format}`;
203
+ }
204
+
205
+ fs.writeFileSync(outputFile, exported);
206
+
207
+ console.log(`✅ Exported to: ${path.resolve(outputFile)}`);
208
+ console.log(` Format: ${format.toUpperCase()}`);
209
+ console.log(` Size: ${exported.length} bytes`);
210
+
211
+ } catch (error) {
212
+ console.error(`\n❌ Error exporting analytics: ${error.message}`);
213
+ process.exit(1);
214
+ }
215
+ }
216
+
217
+ /**
218
+ * Show dependency analysis
219
+ */
220
+ async showDependencies(epicId) {
221
+ console.log(`\n🔗 Dependency Analysis: ${epicId}\n`);
222
+ console.log('═'.repeat(70));
223
+
224
+ try {
225
+ const analysis = await this.dependencyAnalyzer.analyze(epicId);
226
+
227
+ // Graph overview
228
+ console.log(`\n📊 Graph Overview:`);
229
+ console.log(` Tasks: ${analysis.graph.nodes.length}`);
230
+ console.log(` Dependencies: ${analysis.graph.edges.length}`);
231
+
232
+ // Bottlenecks
233
+ if (analysis.bottlenecks.length > 0) {
234
+ console.log(`\n🚧 Bottlenecks (${analysis.bottlenecks.length}):`);
235
+ analysis.bottlenecks.slice(0, 5).forEach(bottleneck => {
236
+ const impactEmoji = bottleneck.impact === 'high' ? '🔴' :
237
+ bottleneck.impact === 'medium' ? '🟡' : '🟢';
238
+ console.log(` ${impactEmoji} ${bottleneck.taskId}: blocks ${bottleneck.blocking} tasks`);
239
+ console.log(` ${bottleneck.reason}`);
240
+ });
241
+ }
242
+
243
+ // Critical path
244
+ if (analysis.criticalPath.length > 0) {
245
+ console.log(`\n🎯 Critical Path (${analysis.criticalPath.length} tasks):`);
246
+ console.log(` ${analysis.criticalPath.join(' → ')}`);
247
+ }
248
+
249
+ // Parallelizable
250
+ if (analysis.parallelizable.length > 0) {
251
+ console.log(`\n⚡ Parallelizable Groups (${analysis.parallelizable.length}):`);
252
+ analysis.parallelizable.slice(0, 3).forEach((group, i) => {
253
+ console.log(` Group ${i + 1}: ${group.join(', ')}`);
254
+ });
255
+ }
256
+
257
+ // Circular dependencies
258
+ if (analysis.circularDependencies && analysis.circularDependencies.length > 0) {
259
+ console.log(`\n⚠️ Circular Dependencies (${analysis.circularDependencies.length}):`);
260
+ analysis.circularDependencies.forEach(cycle => {
261
+ console.log(` ${cycle.join(' → ')}`);
262
+ });
263
+ }
264
+
265
+ console.log('\n' + '═'.repeat(70));
266
+
267
+ } catch (error) {
268
+ console.error(`\n❌ Error analyzing dependencies: ${error.message}`);
269
+ process.exit(1);
270
+ }
271
+ }
272
+
273
+ /**
274
+ * Show help
275
+ */
276
+ showHelp() {
277
+ console.log(`
278
+ 📊 Analytics Command
279
+
280
+ Display analytics and insights for PRDs/Epics/Tasks
281
+
282
+ Usage:
283
+ autopm analytics:epic <epic-id> Epic analytics with burndown
284
+ autopm analytics:team [--period 30] Team metrics (default: 30 days)
285
+ autopm analytics:velocity [--period 30] Velocity trends
286
+ autopm analytics:dependencies <epic-id> Dependency analysis
287
+ autopm analytics:export <epic-id> [--format json|csv] [--output file.json]
288
+
289
+ Examples:
290
+ autopm analytics:epic epic-001
291
+ autopm analytics:team --period 60
292
+ autopm analytics:export epic-001 --format csv --output report.csv
293
+
294
+ Options:
295
+ --period <days> Time period for metrics (default: 30)
296
+ --format <type> Export format: json or csv (default: json)
297
+ --output <file> Output file (default: <epic-id>-analytics.<format>)
298
+ --help Show this help
299
+ `);
300
+ }
301
+
302
+ /**
303
+ * Helper: Get status emoji
304
+ */
305
+ getStatusEmoji(percentage) {
306
+ if (percentage >= 80) return '🟢';
307
+ if (percentage >= 50) return '🟡';
308
+ if (percentage >= 20) return '🟠';
309
+ return '🔴';
310
+ }
311
+
312
+ /**
313
+ * Helper: Get trend emoji
314
+ */
315
+ getTrendEmoji(trend) {
316
+ if (trend === 'increasing') return '📈';
317
+ if (trend === 'decreasing') return '📉';
318
+ return '➡️';
319
+ }
320
+
321
+ /**
322
+ * Parse arguments
323
+ */
324
+ parseArgs(args) {
325
+ const options = {
326
+ command: null,
327
+ epicId: null,
328
+ period: 30,
329
+ format: 'json',
330
+ output: null
331
+ };
332
+
333
+ for (let i = 0; i < args.length; i++) {
334
+ const arg = args[i];
335
+
336
+ if (arg === '--help' || arg === '-h') {
337
+ this.showHelp();
338
+ process.exit(0);
339
+ } else if (arg === '--period' || arg === '-p') {
340
+ options.period = parseInt(args[++i], 10);
341
+ } else if (arg === '--format' || arg === '-f') {
342
+ options.format = args[++i];
343
+ } else if (arg === '--output' || arg === '-o') {
344
+ options.output = args[++i];
345
+ } else if (!options.command) {
346
+ options.command = arg;
347
+ } else if (!options.epicId) {
348
+ options.epicId = arg;
349
+ }
350
+ }
351
+
352
+ return options;
353
+ }
354
+
355
+ /**
356
+ * Run command
357
+ */
358
+ async run(args) {
359
+ const options = this.parseArgs(args);
360
+
361
+ if (!options.command) {
362
+ this.showHelp();
363
+ process.exit(1);
364
+ }
365
+
366
+ try {
367
+ switch (options.command) {
368
+ case 'epic':
369
+ if (!options.epicId) {
370
+ console.error('❌ Error: Epic ID required');
371
+ console.error('Usage: autopm analytics:epic <epic-id>');
372
+ process.exit(1);
373
+ }
374
+ await this.showEpicAnalytics(options.epicId);
375
+ break;
376
+
377
+ case 'team':
378
+ await this.showTeamMetrics(options.period);
379
+ break;
380
+
381
+ case 'velocity':
382
+ await this.showVelocity(options.period);
383
+ break;
384
+
385
+ case 'dependencies':
386
+ if (!options.epicId) {
387
+ console.error('❌ Error: Epic ID required');
388
+ console.error('Usage: autopm analytics:dependencies <epic-id>');
389
+ process.exit(1);
390
+ }
391
+ await this.showDependencies(options.epicId);
392
+ break;
393
+
394
+ case 'export':
395
+ if (!options.epicId) {
396
+ console.error('❌ Error: Epic ID required');
397
+ console.error('Usage: autopm analytics:export <epic-id> [--format json|csv]');
398
+ process.exit(1);
399
+ }
400
+ await this.exportAnalytics(options.epicId, options.format, options.output);
401
+ break;
402
+
403
+ default:
404
+ console.error(`❌ Unknown command: ${options.command}`);
405
+ this.showHelp();
406
+ process.exit(1);
407
+ }
408
+
409
+ } catch (error) {
410
+ console.error(`\n❌ Error: ${error.message}`);
411
+ if (process.env.DEBUG) {
412
+ console.error(error.stack);
413
+ }
414
+ process.exit(1);
415
+ }
416
+ }
417
+ }
418
+
419
+ // Main execution
420
+ if (require.main === module) {
421
+ const command = new AnalyticsCommand();
422
+ command.run(process.argv.slice(2));
423
+ }
424
+
425
+ module.exports = AnalyticsCommand;