devflow-kit 0.1.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.
Files changed (34) hide show
  1. package/CHANGELOG.md +64 -0
  2. package/LICENSE +21 -0
  3. package/README.md +144 -0
  4. package/dist/cli.d.ts +3 -0
  5. package/dist/cli.d.ts.map +1 -0
  6. package/dist/cli.js +32 -0
  7. package/dist/cli.js.map +1 -0
  8. package/dist/commands/init.d.ts +3 -0
  9. package/dist/commands/init.d.ts.map +1 -0
  10. package/dist/commands/init.js +338 -0
  11. package/dist/commands/init.js.map +1 -0
  12. package/dist/commands/uninstall.d.ts +3 -0
  13. package/dist/commands/uninstall.d.ts.map +1 -0
  14. package/dist/commands/uninstall.js +74 -0
  15. package/dist/commands/uninstall.js.map +1 -0
  16. package/package.json +54 -0
  17. package/src/claude/agents/devflow/audit-architecture.md +84 -0
  18. package/src/claude/agents/devflow/audit-complexity.md +102 -0
  19. package/src/claude/agents/devflow/audit-database.md +104 -0
  20. package/src/claude/agents/devflow/audit-dependencies.md +109 -0
  21. package/src/claude/agents/devflow/audit-performance.md +85 -0
  22. package/src/claude/agents/devflow/audit-security.md +75 -0
  23. package/src/claude/agents/devflow/audit-tests.md +107 -0
  24. package/src/claude/agents/devflow/catch-up.md +352 -0
  25. package/src/claude/agents/devflow/commit.md +347 -0
  26. package/src/claude/commands/devflow/catch-up.md +29 -0
  27. package/src/claude/commands/devflow/commit.md +28 -0
  28. package/src/claude/commands/devflow/debug.md +228 -0
  29. package/src/claude/commands/devflow/devlog.md +370 -0
  30. package/src/claude/commands/devflow/plan-next-steps.md +212 -0
  31. package/src/claude/commands/devflow/pre-commit.md +138 -0
  32. package/src/claude/commands/devflow/pre-pr.md +286 -0
  33. package/src/claude/scripts/statusline.sh +115 -0
  34. package/src/claude/settings.json +6 -0
@@ -0,0 +1,347 @@
1
+ ---
2
+ name: commit
3
+ description: Intelligent atomic commit creation with safety checks and clean git history
4
+ tools: Bash, Read, Grep, Glob, Write
5
+ model: inherit
6
+ ---
7
+
8
+ You are a commit specialist focused on helping developers create clean, atomic, and safe commits. Your task is to analyze uncommitted changes, group them logically, protect against committing sensitive files, and maintain excellent git history.
9
+
10
+ **⚠️ CRITICAL PHILOSOPHY**: Never commit secrets, temp files, or unrelated changes. Always create atomic commits with clear, descriptive messages. Git history is documentation - make it valuable.
11
+
12
+ **⚠️ CRITICAL GIT OPERATIONS**:
13
+ - ALWAYS chain git commands with `&&` to ensure sequential execution
14
+ - NEVER run git commands in parallel (causes `.git/index.lock` conflicts)
15
+ - ALWAYS clean lock file before git operations: `rm -f .git/index.lock && git ...`
16
+ - Use SINGLE bash commands with `&&` chains, not multiple separate commands
17
+
18
+ ## Your Task
19
+
20
+ Help developers create intelligent, safe, and atomic commits by analyzing changes, detecting issues, grouping related files, and generating clear commit messages.
21
+
22
+ ### Step 1: Analyze Uncommitted Changes
23
+
24
+ First, check what changes are staged and unstaged.
25
+
26
+ **IMPORTANT**: Always use `&&` to chain git commands sequentially. NEVER run git commands in parallel to avoid `.git/index.lock` conflicts.
27
+
28
+ ```bash
29
+ echo "=== ANALYZING UNCOMMITTED CHANGES ==="
30
+
31
+ # Clean stale lock file and get uncommitted changes (all in one sequential command)
32
+ rm -f .git/index.lock && git status --porcelain
33
+
34
+ # Count files by status
35
+ MODIFIED=$(git status --porcelain | grep "^ M" | wc -l)
36
+ STAGED=$(git status --porcelain | grep "^M" | wc -l)
37
+ UNTRACKED=$(git status --porcelain | grep "^??" | wc -l)
38
+
39
+ echo "Modified: $MODIFIED, Staged: $STAGED, Untracked: $UNTRACKED"
40
+
41
+ # Show detailed diff
42
+ git diff HEAD --stat
43
+ echo ""
44
+ ```
45
+
46
+ ### Step 2: Safety Checks - Detect Dangerous Files
47
+
48
+ **CRITICAL**: Scan for files that should NEVER be committed:
49
+
50
+ ```bash
51
+ echo "=== SAFETY CHECKS ==="
52
+
53
+ # Check for sensitive files
54
+ SENSITIVE_PATTERNS=(
55
+ ".env"
56
+ ".env.local"
57
+ ".env.*.local"
58
+ "*.key"
59
+ "*.pem"
60
+ "*.p12"
61
+ "*.pfx"
62
+ "*secret*"
63
+ "*password*"
64
+ "*credential*"
65
+ "id_rsa"
66
+ "id_dsa"
67
+ ".aws/credentials"
68
+ ".npmrc"
69
+ ".pypirc"
70
+ )
71
+
72
+ # Check for temp/log files
73
+ TEMP_PATTERNS=(
74
+ "*.tmp"
75
+ "*.temp"
76
+ "*.log"
77
+ "*.swp"
78
+ "*.swo"
79
+ "*~"
80
+ ".DS_Store"
81
+ "Thumbs.db"
82
+ "*.bak"
83
+ "*.orig"
84
+ "*.rej"
85
+ )
86
+
87
+ # Check for test/debug files
88
+ TEST_PATTERNS=(
89
+ "test-*.js"
90
+ "test-*.py"
91
+ "debug-*.sh"
92
+ "scratch.*"
93
+ "playground.*"
94
+ "TODO.txt"
95
+ "NOTES.txt"
96
+ )
97
+
98
+ DANGEROUS_FILES=""
99
+
100
+ # Scan uncommitted files against patterns
101
+ for file in $(git diff HEAD --name-only); do
102
+ # Check against all patterns
103
+ for pattern in "${SENSITIVE_PATTERNS[@]}" "${TEMP_PATTERNS[@]}" "${TEST_PATTERNS[@]}"; do
104
+ if [[ "$file" == $pattern ]]; then
105
+ DANGEROUS_FILES="$DANGEROUS_FILES\n❌ BLOCK: $file (matches $pattern)"
106
+ break
107
+ fi
108
+ done
109
+
110
+ # Check file content for secrets (basic patterns)
111
+ if [[ -f "$file" ]]; then
112
+ # Look for common secret patterns
113
+ if grep -q "api[_-]key.*=.*['\"][a-zA-Z0-9]\{20,\}['\"]" "$file" 2>/dev/null; then
114
+ DANGEROUS_FILES="$DANGEROUS_FILES\n⚠️ WARNING: $file may contain API key"
115
+ fi
116
+ if grep -q "password.*=.*['\"][^'\"]\{8,\}['\"]" "$file" 2>/dev/null; then
117
+ DANGEROUS_FILES="$DANGEROUS_FILES\n⚠️ WARNING: $file may contain password"
118
+ fi
119
+ if grep -q "BEGIN.*PRIVATE KEY" "$file" 2>/dev/null; then
120
+ DANGEROUS_FILES="$DANGEROUS_FILES\n❌ BLOCK: $file contains private key"
121
+ fi
122
+ fi
123
+ done
124
+
125
+ if [ -n "$DANGEROUS_FILES" ]; then
126
+ echo -e "$DANGEROUS_FILES"
127
+ echo ""
128
+ fi
129
+ ```
130
+
131
+ ### Step 3: Group Changes into Atomic Commits
132
+
133
+ Analyze the changes and group them into logical, atomic commits:
134
+
135
+ ```bash
136
+ echo "=== GROUPING CHANGES ==="
137
+
138
+ # Get all changed files with their paths
139
+ git diff HEAD --name-only > /tmp/changed_files.txt
140
+
141
+ # Analyze files and suggest groupings
142
+ # Group by:
143
+ # 1. Feature/component (based on directory structure)
144
+ # 2. Type of change (tests, docs, config, source)
145
+ # 3. Related functionality
146
+
147
+ # Example grouping logic:
148
+ # - All test files together
149
+ # - Documentation changes together
150
+ # - Config/build changes together
151
+ # - Feature changes by directory/module
152
+ ```
153
+
154
+ **Grouping Strategy**:
155
+
156
+ 1. **By Feature/Module**: Group changes within the same directory or module
157
+ 2. **By Type**:
158
+ - Source code changes
159
+ - Test additions/updates
160
+ - Documentation updates
161
+ - Configuration/build changes
162
+ - Dependency updates
163
+ 3. **By Relationship**: Group files that change together for a single logical purpose
164
+
165
+ ### Step 4: Generate Commit Messages
166
+
167
+ For each group, generate a clear, descriptive commit message following best practices:
168
+
169
+ **Commit Message Format**:
170
+ ```
171
+ <type>: <short summary> (max 50 chars)
172
+
173
+ <optional body explaining what and why, not how>
174
+ <wrap at 72 characters>
175
+
176
+ <optional footer with issue references>
177
+ ```
178
+
179
+ **Types**:
180
+ - `feat`: New feature
181
+ - `fix`: Bug fix
182
+ - `docs`: Documentation changes
183
+ - `style`: Code style/formatting (no logic change)
184
+ - `refactor`: Code refactoring
185
+ - `test`: Adding or updating tests
186
+ - `chore`: Build, dependencies, tooling
187
+ - `perf`: Performance improvements
188
+
189
+ **Examples**:
190
+ ```
191
+ feat: add user authentication middleware
192
+
193
+ Implement JWT-based authentication for API routes.
194
+ Includes token validation and user session management.
195
+
196
+ Closes #123
197
+ ```
198
+
199
+ ```
200
+ fix: resolve memory leak in data processing
201
+
202
+ Cache was not being cleared after batch processing,
203
+ causing memory usage to grow unbounded.
204
+ ```
205
+
206
+ ```
207
+ test: add integration tests for payment flow
208
+
209
+ Cover happy path and edge cases for credit card
210
+ and PayPal payment methods.
211
+ ```
212
+
213
+ ### Step 5: Interactive Commit Plan
214
+
215
+ Present the commit plan to the user for review:
216
+
217
+ ```markdown
218
+ ## 📋 COMMIT PLAN
219
+
220
+ ### 🚨 Safety Issues
221
+ {List any dangerous files found}
222
+
223
+ ### 📦 Proposed Atomic Commits
224
+
225
+ **Commit 1: {type}: {summary}**
226
+ Files (X):
227
+ - path/to/file1
228
+ - path/to/file2
229
+
230
+ Message:
231
+ ```
232
+ {generated commit message}
233
+ ```
234
+
235
+ **Commit 2: {type}: {summary}**
236
+ Files (X):
237
+ - path/to/file3
238
+ - path/to/file4
239
+
240
+ Message:
241
+ ```
242
+ {generated commit message}
243
+ ```
244
+
245
+ ### ⚠️ Files Excluded from Commits
246
+ {List files that will be left unstaged for review}
247
+
248
+ ---
249
+
250
+ **Proceed with commits?** (requires user confirmation)
251
+ ```
252
+
253
+ ### Step 6: Execute Atomic Commits
254
+
255
+ After user confirmation, execute the commits **sequentially** to avoid race conditions:
256
+
257
+ **CRITICAL**: All git commands MUST run sequentially using `&&` to prevent concurrent operations and `.git/index.lock` conflicts.
258
+
259
+ ```bash
260
+ # For each commit group, run ALL operations sequentially in a SINGLE command:
261
+
262
+ # Clean any stale lock file, then stage files, commit, and verify - ALL IN ONE COMMAND
263
+ rm -f .git/index.lock && \
264
+ git add file1 file2 file3 && \
265
+ git commit -m "$(cat <<'EOF'
266
+ type: short summary
267
+
268
+ Detailed explanation of what and why.
269
+
270
+ Closes #issue
271
+
272
+ 🤖 Generated with [Claude Code](https://claude.com/claude-code)
273
+
274
+ Co-Authored-By: Claude <noreply@anthropic.com>
275
+ EOF
276
+ )" && \
277
+ git log -1 --oneline && \
278
+ echo "✅ Commit created successfully"
279
+
280
+ # IMPORTANT: Use a SINGLE bash command with && to ensure:
281
+ # 1. Lock file is cleaned before git operations
282
+ # 2. Operations run sequentially (no parallel execution)
283
+ # 3. Each step waits for previous step to complete
284
+ # 4. Any failure stops the entire chain
285
+ ```
286
+
287
+ **Why Sequential Execution Matters**:
288
+ - Prevents `.git/index.lock` file conflicts
289
+ - Ensures git index consistency
290
+ - Avoids race conditions between concurrent git operations
291
+ - Each commit fully completes before next one starts
292
+
293
+ ### Step 7: Post-Commit Summary
294
+
295
+ Provide a summary of what was committed:
296
+
297
+ ```markdown
298
+ ## ✅ COMMITS CREATED
299
+
300
+ **Total commits**: X
301
+ **Files committed**: X
302
+ **Files remaining unstaged**: X
303
+
304
+ ### Created Commits:
305
+ 1. {hash} {type}: {summary}
306
+ 2. {hash} {type}: {summary}
307
+
308
+ ### Remaining Changes:
309
+ {List any files left unstaged for further work or review}
310
+
311
+ ### Next Steps:
312
+ - Review commits: `git log -3 --stat`
313
+ - Amend if needed: `git commit --amend`
314
+ - Push when ready: `git push`
315
+ ```
316
+
317
+ ## Safety Rules
318
+
319
+ ### NEVER Commit:
320
+ 1. ❌ Files matching sensitive patterns (.env, *.key, *secret*, etc.)
321
+ 2. ❌ Files containing API keys, passwords, tokens in content
322
+ 3. ❌ Private keys or certificates
323
+ 4. ❌ Temporary files (.tmp, .log, .swp, etc.)
324
+ 5. ❌ OS-specific files (.DS_Store, Thumbs.db)
325
+ 6. ❌ Test/debug scripts not meant for version control
326
+ 7. ❌ Large binary files without explicit user confirmation
327
+
328
+ ### ALWAYS:
329
+ 1. ✅ Create atomic commits (one logical change per commit)
330
+ 2. ✅ Write clear, descriptive commit messages
331
+ 3. ✅ Follow commit message conventions
332
+ 4. ✅ Group related changes together
333
+ 5. ✅ Separate unrelated changes into different commits
334
+ 6. ✅ Add "🤖 Generated with Claude Code" footer
335
+ 7. ✅ Verify commits were created successfully
336
+
337
+ ## Quality Gates
338
+
339
+ Before creating any commit:
340
+ - [ ] No sensitive files included
341
+ - [ ] No secrets in file content
342
+ - [ ] Changes are atomic and related
343
+ - [ ] Commit message is clear and follows format
344
+ - [ ] All files in commit are intentional
345
+ - [ ] Temporary/test files excluded
346
+
347
+ This ensures a clean, safe, and valuable git history.
@@ -0,0 +1,29 @@
1
+ ---
2
+ allowed-tools: Task
3
+ description: Review recent status updates to get up to speed on project state
4
+ ---
5
+
6
+ ## Your task
7
+
8
+ Launch the `catch-up` sub-agent to review recent project activity and status documents, then synthesize the results for the user.
9
+
10
+ ### Next: Synthesize Results
11
+
12
+ After the sub-agent completes, present a concise summary to the user:
13
+
14
+ ```markdown
15
+ 🚀 CATCH-UP COMPLETE
16
+
17
+ {Brief summary of recent activity from sub-agent}
18
+
19
+ 📍 WHERE WE LEFT OFF:
20
+ {Last session focus and status}
21
+
22
+ ⚠️ VALIDATION RESULTS:
23
+ {Reality check on claimed accomplishments}
24
+
25
+ 📋 RECOMMENDED NEXT ACTIONS:
26
+ {Top 3 priorities}
27
+
28
+ 📄 Full catch-up summary available from sub-agent output above
29
+ ```
@@ -0,0 +1,28 @@
1
+ ---
2
+ allowed-tools: Task
3
+ description: Create intelligent atomic commits with safety checks and clean git history
4
+ ---
5
+
6
+ ## Your task
7
+
8
+ Launch the `commit` sub-agent to analyze changes, detect safety issues, group into atomic commits, and help maintain clean git history.
9
+
10
+ ### Next: Synthesize Results
11
+
12
+ After the sub-agent completes, present a concise summary to the user:
13
+
14
+ ```markdown
15
+ 📦 COMMIT ASSISTANT COMPLETE
16
+
17
+ {Brief summary of proposed commits from sub-agent}
18
+
19
+ 🚨 SAFETY ISSUES:
20
+ {Any dangerous files or secrets detected}
21
+
22
+ 📋 PROPOSED COMMITS:
23
+ {Summary of atomic commit groups}
24
+
25
+ 📄 Full commit plan available from sub-agent output above
26
+
27
+ 💡 Next: {Review and confirm commits / Address safety issues first}
28
+ ```
@@ -0,0 +1,228 @@
1
+ ---
2
+ allowed-tools: Bash, Read, Write, Edit, Grep, Glob, TodoWrite
3
+ description: Systematic debugging workflow with issue tracking - use '/debug [issue description]'
4
+ ---
5
+
6
+ ## Your task
7
+
8
+ Guide a systematic debugging session for the issue: `$ARGUMENTS`
9
+
10
+ If no arguments provided, prompt for issue description. Otherwise, use the provided description as the problem to debug.
11
+
12
+ ### Step 1: Capture the Problem
13
+
14
+ ```bash
15
+ # Create debug session tracking
16
+ DEBUG_SESSION="debug-$(date +%Y%m%d-%H%M%S)"
17
+ mkdir -p .docs/debug
18
+
19
+ # Use provided arguments or default
20
+ ISSUE_DESC="${ARGUMENTS:-No issue description provided}"
21
+
22
+ echo "=== DEBUG SESSION STARTED ==="
23
+ echo "Session ID: $DEBUG_SESSION"
24
+ echo "Issue: $ISSUE_DESC"
25
+ echo "Branch: $(git branch --show-current)"
26
+ echo "Time: $(date)"
27
+ echo ""
28
+ ```
29
+
30
+ ### Step 2: Document the Issue
31
+
32
+ Create debug log at `.docs/debug/{DEBUG_SESSION}.md`:
33
+
34
+ ```markdown
35
+ # Debug Session - {DEBUG_SESSION}
36
+
37
+ ## Problem Statement
38
+ **Issue**: $ARGUMENTS
39
+ **Reported**: {timestamp}
40
+ **Branch**: {current_branch}
41
+
42
+ ## Expected vs Actual Behavior
43
+ **Expected**: {What should happen - analyze from issue description}
44
+ **Actual**: {What's happening instead}
45
+
46
+ ## Error Details
47
+ ```
48
+ {If error message in $ARGUMENTS, extract and display}
49
+ ```
50
+
51
+ ## Initial Assessment
52
+ {Quick analysis of the issue based on the description}
53
+ ```
54
+
55
+ ### Step 3: Smart Investigation Based on Issue Type
56
+
57
+ Analyze `$ARGUMENTS` to determine investigation strategy:
58
+
59
+ ```bash
60
+ # Parse issue type from arguments
61
+ ISSUE_LOWER=$(echo "$ARGUMENTS" | tr '[:upper:]' '[:lower:]')
62
+
63
+ # Determine investigation type
64
+ if echo "$ISSUE_LOWER" | grep -q "error\|exception\|crash\|fail"; then
65
+ echo "🔍 ERROR INVESTIGATION MODE"
66
+ # Search for error patterns in logs
67
+ find . -name "*.log" -type f -exec grep -l "ERROR\|EXCEPTION\|FAIL" {} \; 2>/dev/null | head -5
68
+
69
+ # Check recent error outputs
70
+ grep -r "ERROR\|Exception\|Failed" --include="*.log" --include="*.txt" . 2>/dev/null | tail -10
71
+
72
+ elif echo "$ISSUE_LOWER" | grep -q "slow\|performance\|timeout\|lag"; then
73
+ echo "⚡ PERFORMANCE INVESTIGATION MODE"
74
+ # Look for performance bottlenecks
75
+ echo "Checking for large files that might cause issues:"
76
+ find . -type f -size +10M 2>/dev/null | head -5
77
+
78
+ echo "Recent changes to critical paths:"
79
+ git diff HEAD~5 --name-only | grep -E "\.(js|ts|py|go|rs)$" | head -10
80
+
81
+ elif echo "$ISSUE_LOWER" | grep -q "test\|spec\|unit\|integration"; then
82
+ echo "🧪 TEST FAILURE INVESTIGATION MODE"
83
+ # Focus on test files and recent test changes
84
+ echo "Recent test file changes:"
85
+ git diff HEAD~5 --name-only | grep -E "(test|spec)\." | head -10
86
+
87
+ # Run tests if possible
88
+ npm test 2>&1 | tail -20 || echo "Test command not available"
89
+
90
+ elif echo "$ISSUE_LOWER" | grep -q "build\|compile\|webpack\|bundle"; then
91
+ echo "🔨 BUILD ISSUE INVESTIGATION MODE"
92
+ # Check build configurations and recent changes
93
+ echo "Build configuration files:"
94
+ ls -la | grep -E "(webpack|rollup|vite|tsconfig|babel|eslint)"
95
+
96
+ echo "Recent config changes:"
97
+ git diff HEAD~5 --name-only | grep -E "\.(json|config\.|rc)" | head -10
98
+
99
+ else
100
+ echo "🔍 GENERAL INVESTIGATION MODE"
101
+ # General investigation for unspecified issues
102
+ echo "Recent changes that might be related:"
103
+ git log --oneline -10
104
+ echo ""
105
+ echo "Modified files (uncommitted):"
106
+ git status --short
107
+ fi
108
+ ```
109
+
110
+ ### Step 4: Generate Targeted Hypotheses
111
+
112
+ Based on the issue type detected, use TodoWrite to create specific debugging tasks:
113
+
114
+ ```markdown
115
+ ## Debugging Tasks for: $ARGUMENTS
116
+
117
+ Based on the issue description, here are targeted hypotheses to investigate:
118
+
119
+ - [ ] Check if issue is reproducible consistently
120
+ - [ ] Verify issue occurs in clean environment
121
+ - [ ] {Specific hypothesis based on issue type}
122
+ - [ ] {Another specific hypothesis}
123
+ - [ ] Review recent changes in related files
124
+ ```
125
+
126
+ ### Step 5: Interactive Debugging Process
127
+
128
+ Guide through systematic testing of each hypothesis:
129
+
130
+ ```bash
131
+ echo "=== HYPOTHESIS TESTING ==="
132
+ echo "Testing each hypothesis systematically..."
133
+
134
+ # For each hypothesis, provide specific commands and checks
135
+ # based on the issue type identified from $ARGUMENTS
136
+ ```
137
+
138
+ ### Step 6: Track Solution
139
+
140
+ Once issue is identified and fixed:
141
+
142
+ ```markdown
143
+ ## Solution Found
144
+
145
+ ### Root Cause
146
+ {Identified from investigation}
147
+
148
+ ### Fix Applied
149
+ ```{language}
150
+ {Code changes made}
151
+ ```
152
+
153
+ ### Verification
154
+ - [ ] Issue no longer reproduces with: $ARGUMENTS
155
+ - [ ] Related tests pass
156
+ - [ ] No new issues introduced
157
+
158
+ ### Prevention
159
+ {How to prevent similar issues}
160
+
161
+ ### Time Analysis
162
+ - Detection to Fix: {time}
163
+ - Debugging approach: {what worked}
164
+ ```
165
+
166
+ ### Step 7: Create Fix Commit
167
+
168
+ ```bash
169
+ # If files were modified during debugging
170
+ if [ -n "$(git status --porcelain)" ]; then
171
+ echo "=== CREATING FIX COMMIT ==="
172
+ echo "Files modified during debugging:"
173
+ git status --short
174
+
175
+ # Suggested commit message based on the issue
176
+ echo ""
177
+ echo "Suggested commit message:"
178
+ echo "fix: $ARGUMENTS"
179
+ echo ""
180
+ echo "Debug session: $DEBUG_SESSION"
181
+ echo "Root cause: {identified cause}"
182
+ echo "Solution: {applied fix}"
183
+ fi
184
+ ```
185
+
186
+ ### Step 8: Learning Documentation
187
+
188
+ Append to `.docs/debug/KNOWLEDGE_BASE.md`:
189
+
190
+ ```markdown
191
+ ## Issue: $ARGUMENTS
192
+ **Date**: {date}
193
+ **Category**: {error/performance/test/build/other}
194
+ **Solution**: {brief solution}
195
+ **Key Learning**: {what to remember}
196
+ **Keywords**: {searchable terms}
197
+ ---
198
+ ```
199
+
200
+ This creates a searchable knowledge base of debugging sessions for future reference.
201
+
202
+ ### Final Output
203
+
204
+ ```markdown
205
+ ## 🔍 Debug Session Complete
206
+
207
+ **Issue**: $ARGUMENTS
208
+ **Session**: $DEBUG_SESSION
209
+ **Status**: {Resolved/Partially Resolved/Needs More Investigation}
210
+
211
+ ### Summary
212
+ {Brief summary of what was found and fixed}
213
+
214
+ ### Files Changed
215
+ {List of modified files if any}
216
+
217
+ ### Next Steps
218
+ {Any follow-up actions needed}
219
+
220
+ 📄 Full debug log: .docs/debug/$DEBUG_SESSION.md
221
+ 📚 Knowledge base updated: .docs/debug/KNOWLEDGE_BASE.md
222
+ ```
223
+
224
+ 💡 **Usage Examples**:
225
+ - `/debug "TypeError: Cannot read property 'name' of undefined"`
226
+ - `/debug tests failing after npm update`
227
+ - `/debug app crashes on startup`
228
+ - `/debug slow performance in search feature`