feat: update empty state messages and hints in English and Chinese locales

refactor: rename variables for clarity in ReviewSessionPage and SessionsPage

fix: update version check logic in SettingsPage

chore: remove unused imports in TeamPage and session-detail components

fix: enhance error handling in MCP server

fix: apply default mode in edit-file tool handler

chore: remove tsbuildinfo file

docs: add Quick Plan & Execute phase documentation for issue discovery

chore: clean up ping output file
This commit is contained in:
catlog22
2026-02-12 23:15:48 +08:00
parent fd6262b78b
commit e44a97e812
32 changed files with 912 additions and 1046 deletions

View File

@@ -7,14 +7,16 @@
## Execution Flow
```
conclusions.json → tasks.jsonl → User Confirmation → Direct Inline Execution → execution.md + execution-events.md
conclusions.json → .task/*.json → User Confirmation → Direct Inline Execution → execution.md + execution-events.md
```
---
## Step 1: Generate tasks.jsonl
## Step 1: Generate .task/*.json
Convert `conclusions.json` recommendations directly into unified JSONL task format. Each line is a self-contained task with convergence criteria, compatible with `unified-execute-with-file`.
Convert `conclusions.json` recommendations directly into individual task JSON files. Each file is a self-contained task with convergence criteria, compatible with `unified-execute-with-file`.
**Schema**: `cat ~/.ccw/workflows/cli-templates/schemas/task-schema.json`
**Conversion Logic**:
@@ -51,9 +53,11 @@ const tasks = conclusions.recommendations.map((rec, index) => ({
}
}))
// Write one task per line
const jsonlContent = tasks.map(t => JSON.stringify(t)).join('\n')
Write(`${sessionFolder}/tasks.jsonl`, jsonlContent)
// Write each task as individual JSON file
Bash(`mkdir -p ${sessionFolder}/.task`)
tasks.forEach(task => {
Write(`${sessionFolder}/.task/${task.id}.json`, JSON.stringify(task, null, 2))
})
```
**Task Type Inference**:
@@ -106,13 +110,39 @@ tasks.forEach(task => {
})
```
**Output**: `${sessionFolder}/tasks.jsonl`
**Output**: `${sessionFolder}/.task/TASK-*.json`
**JSONL Schema** (one task per line):
**Task JSON Schema** (one file per task, e.g. `.task/TASK-001.json`):
```jsonl
{"id":"TASK-001","title":"Fix authentication token refresh","description":"Token refresh fails silently when...","type":"fix","priority":"high","effort":"large","files":[{"path":"src/auth/token.ts","action":"modify"},{"path":"src/middleware/auth.ts","action":"modify"}],"depends_on":[],"convergence":{"criteria":["Token refresh returns new valid token","Expired token triggers refresh automatically","Failed refresh redirects to login"],"verification":"jest --testPathPattern=token.test.ts","definition_of_done":"Users remain logged in across token expiration without manual re-login"},"evidence":[...],"source":{"tool":"analyze-with-file","session_id":"ANL-xxx","original_id":"TASK-001"}}
{"id":"TASK-002","title":"Add input validation to user endpoints","description":"Missing validation allows...","type":"enhancement","priority":"medium","effort":"medium","files":[{"path":"src/routes/user.ts","action":"modify"},{"path":"src/validators/user.ts","action":"create"}],"depends_on":["TASK-001"],"convergence":{"criteria":["All user inputs validated against schema","Invalid inputs return 400 with specific error message","SQL injection patterns rejected"],"verification":"jest --testPathPattern=user.validation.test.ts","definition_of_done":"All user-facing inputs are validated with clear error feedback"},"evidence":[...],"source":{"tool":"analyze-with-file","session_id":"ANL-xxx","original_id":"TASK-002"}}
```json
{
"id": "TASK-001",
"title": "Fix authentication token refresh",
"description": "Token refresh fails silently when...",
"type": "fix",
"priority": "high",
"effort": "large",
"files": [
{ "path": "src/auth/token.ts", "action": "modify" },
{ "path": "src/middleware/auth.ts", "action": "modify" }
],
"depends_on": [],
"convergence": {
"criteria": [
"Token refresh returns new valid token",
"Expired token triggers refresh automatically",
"Failed refresh redirects to login"
],
"verification": "jest --testPathPattern=token.test.ts",
"definition_of_done": "Users remain logged in across token expiration without manual re-login"
},
"evidence": [],
"source": {
"tool": "analyze-with-file",
"session_id": "ANL-xxx",
"original_id": "TASK-001"
}
}
```
---
@@ -124,8 +154,8 @@ Validate feasibility before starting execution. Reference: unified-execute-with-
##### Step 2.1: Build Execution Order
```javascript
const tasks = Read(`${sessionFolder}/tasks.jsonl`)
.split('\n').filter(l => l.trim()).map(l => JSON.parse(l))
const taskFiles = Glob(`${sessionFolder}/.task/*.json`)
const tasks = taskFiles.map(f => JSON.parse(Read(f)))
// 1. Dependency validation
const taskIds = new Set(tasks.map(t => t.id))
@@ -220,7 +250,7 @@ const executionMd = `# Execution Overview
## Session Info
- **Session ID**: ${sessionId}
- **Plan Source**: tasks.jsonl (from analysis conclusions)
- **Plan Source**: .task/*.json (from analysis conclusions)
- **Started**: ${getUtc8ISOString()}
- **Total Tasks**: ${tasks.length}
- **Execution Mode**: Direct inline (serial)
@@ -270,7 +300,7 @@ const eventsHeader = `# Execution Events
**Session**: ${sessionId}
**Started**: ${getUtc8ISOString()}
**Source**: tasks.jsonl
**Source**: .task/*.json
---
@@ -302,11 +332,11 @@ if (!autoYes) {
options: [
{ label: "Start Execution", description: "Execute all tasks serially" },
{ label: "Adjust Tasks", description: "Modify, reorder, or remove tasks" },
{ label: "Cancel", description: "Cancel execution, keep tasks.jsonl" }
{ label: "Cancel", description: "Cancel execution, keep .task/" }
]
}]
})
// "Adjust Tasks": display task list, user deselects/reorders, regenerate tasks.jsonl
// "Adjust Tasks": display task list, user deselects/reorders, regenerate .task/*.json
// "Cancel": end workflow, keep artifacts
}
```
@@ -321,7 +351,7 @@ Execute tasks one by one directly using tools (Read, Edit, Write, Grep, Glob, Ba
```
For each taskId in executionOrder:
├─ Load task from tasks.jsonl
├─ Load task from .task/{taskId}.json
├─ Check dependencies satisfied (all deps completed)
├─ Record START event to execution-events.md
├─ Execute task directly:
@@ -506,7 +536,7 @@ ${[...failedTasks].map(id => {
}).join('\n')}
` : ''}
### Artifacts
- **Execution Plan**: ${sessionFolder}/tasks.jsonl
- **Execution Plan**: ${sessionFolder}/.task/
- **Execution Overview**: ${sessionFolder}/execution.md
- **Execution Events**: ${sessionFolder}/execution-events.md
`
@@ -530,16 +560,16 @@ appendToEvents(`
`)
```
##### Step 6.3: Update tasks.jsonl
##### Step 6.3: Update .task/*.json
Rewrite JSONL with `_execution` state per task:
Write back `_execution` state to each task file:
```javascript
const updatedJsonl = tasks.map(task => JSON.stringify({
...task,
_execution: {
status: task._status, // "completed" | "failed" | "skipped" | "pending"
executed_at: task._executed_at, // ISO timestamp
tasks.forEach(task => {
const updatedTask = {
...task,
status: task._status, // "completed" | "failed" | "skipped" | "pending"
executed_at: task._executed_at, // ISO timestamp
result: {
success: task._status === 'completed',
files_modified: task._result?.files_modified || [],
@@ -548,8 +578,8 @@ const updatedJsonl = tasks.map(task => JSON.stringify({
convergence_verified: task._result?.convergence_verified || []
}
}
})).join('\n')
Write(`${sessionFolder}/tasks.jsonl`, updatedJsonl)
Write(`${sessionFolder}/.task/${task.id}.json`, JSON.stringify(updatedTask, null, 2))
})
```
---
@@ -589,7 +619,7 @@ if (!autoYes) {
- Filter tasks with `_execution.status === 'failed'`
- Re-execute in original dependency order
- Append retry events to execution-events.md with `[RETRY]` prefix
- Update execution.md and tasks.jsonl
- Update execution.md and .task/*.json
---
@@ -600,14 +630,17 @@ When Quick Execute is activated, session folder expands with:
```
{projectRoot}/.workflow/.analysis/ANL-{slug}-{date}/
├── ... # Phase 1-4 artifacts
├── tasks.jsonl # ⭐ Unified JSONL (one task per line, with convergence + source)
├── .task/ # Individual task JSON files (one per task, with convergence + source)
│ ├── TASK-001.json
│ ├── TASK-002.json
│ └── ...
├── execution.md # Plan overview + task table + execution summary
└── execution-events.md # ⭐ Unified event log (all task executions with details)
```
| File | Purpose |
|------|---------|
| `tasks.jsonl` | Unified task list from conclusions, each line has convergence criteria and source provenance |
| `.task/*.json` | Individual task files from conclusions, each with convergence criteria and source provenance |
| `execution.md` | Overview: plan source, task table, pre-execution analysis, execution timeline, final summary |
| `execution-events.md` | Chronological event stream: task start/complete/fail with details, changes, verification results |
@@ -620,7 +653,7 @@ When Quick Execute is activated, session folder expands with:
**Session**: ANL-xxx-2025-01-21
**Started**: 2025-01-21T10:00:00+08:00
**Source**: tasks.jsonl
**Source**: .task/*.json
---
@@ -681,9 +714,9 @@ When Quick Execute is activated, session folder expands with:
|-----------|--------|----------|
| Task execution fails | Record failure in execution-events.md, ask user | Retry, skip, or abort |
| Verification command fails | Mark criterion as unverified, continue | Note in events, manual check needed |
| No recommendations in conclusions | Cannot generate tasks.jsonl | Inform user, suggest lite-plan |
| No recommendations in conclusions | Cannot generate .task/*.json | Inform user, suggest lite-plan |
| File conflict during execution | Document in execution-events.md | Resolve in dependency order |
| Circular dependencies detected | Stop, report error | Fix dependencies in tasks.jsonl |
| Circular dependencies detected | Stop, report error | Fix dependencies in .task/*.json |
| All tasks fail | Record all failures, suggest analysis review | Re-run analysis or manual intervention |
| Missing target file | Attempt to create if task.type is "feature" | Log as warning for other types |
@@ -691,10 +724,10 @@ When Quick Execute is activated, session folder expands with:
## Success Criteria
- `tasks.jsonl` generated with convergence criteria and source provenance per task
- `.task/*.json` generated with convergence criteria and source provenance per task
- `execution.md` contains plan overview, task table, pre-execution analysis, final summary
- `execution-events.md` contains chronological event stream with convergence verification
- All tasks executed (or explicitly skipped) via direct inline execution
- Each task's convergence criteria checked and recorded
- `_execution` state written back to tasks.jsonl after completion
- `_execution` state written back to .task/*.json after completion
- User informed of results and next steps

View File

@@ -14,10 +14,38 @@ Interactive collaborative analysis workflow with **documented discussion process
**Key features**:
- **Documented discussion timeline**: Captures understanding evolution across all phases
- **Decision recording at every critical point**: Mandatory recording of key findings, direction changes, and trade-offs
- **Multi-perspective analysis**: Supports up to 4 analysis perspectives (serial, inline)
- **Interactive discussion**: Multi-round Q&A with user feedback and direction adjustments
- **Quick execute**: Convert conclusions directly to executable tasks
### Decision Recording Protocol
**CRITICAL**: During analysis, the following situations **MUST** trigger immediate recording to discussion.md:
| Trigger | What to Record | Target Section |
|---------|---------------|----------------|
| **Direction choice** | What was chosen, why, what alternatives were discarded | `#### Decision Log` |
| **Key finding** | Finding content, impact scope, confidence level | `#### Key Findings` |
| **Assumption change** | Old assumption → new understanding, reason, impact | `#### Corrected Assumptions` |
| **User feedback** | User's original input, rationale for adoption/adjustment | `#### User Input` |
| **Disagreement & trade-off** | Conflicting viewpoints, trade-off basis, final choice | `#### Decision Log` |
| **Scope adjustment** | Before/after scope, trigger reason | `#### Decision Log` |
**Decision Record Format**:
```markdown
> **Decision**: [Description of the decision]
> - **Context**: [What triggered this decision]
> - **Options considered**: [Alternatives evaluated]
> - **Chosen**: [Selected approach] — **Reason**: [Rationale]
> - **Impact**: [Effect on analysis direction/conclusions]
```
**Recording Principles**:
- **Immediacy**: Record decisions as they happen, not at the end of a phase
- **Completeness**: Capture context, options, chosen approach, and reason
- **Traceability**: Later phases must be able to trace back why a decision was made
## Auto Mode
When `--yes` or `-y`: Auto-confirm exploration decisions, use recommended analysis angles, skip interactive scoping.
@@ -82,7 +110,7 @@ Step 4: Synthesis & Conclusion
└─ Offer options: quick execute / create issue / generate task / export / done
Step 5: Quick Execute (Optional - user selects)
├─ Convert conclusions.recommendations → tasks.jsonl (unified JSONL with convergence)
├─ Convert conclusions.recommendations → .task/TASK-*.json (individual task files with convergence)
├─ Pre-execution analysis (dependencies, file conflicts, execution order)
├─ User confirmation
├─ Direct inline execution (Read/Edit/Write/Grep/Glob/Bash)
@@ -215,11 +243,21 @@ const discussionMd = `# Analysis Discussion
## Initial Questions
${generateInitialQuestions(topic, dimensions).map(q => `- ${q}`).join('\n')}
## Initial Decisions
> Record why these dimensions and focus areas were selected.
---
## Discussion Timeline
> Rounds will be appended below as analysis progresses.
> Each round MUST include a Decision Log section for any decisions made.
---
## Decision Trail
> Consolidated critical decisions across all rounds (populated in Phase 4).
---
@@ -234,6 +272,7 @@ Write(`${sessionFolder}/discussion.md`, discussionMd)
- Session folder created with discussion.md initialized
- Analysis dimensions identified
- User preferences captured (focus, perspectives, depth)
- **Initial decisions recorded**: Dimension selection rationale, excluded dimensions with reasons, user preference intent
### Phase 2: Exploration
@@ -390,6 +429,8 @@ Append Round 1 with exploration results:
- explorations.json (single) or perspectives.json (multi) created with findings
- discussion.md updated with Round 1 results
- Ready for interactive discussion
- **Key findings recorded** with evidence references and confidence levels
- **Exploration decisions recorded** (why certain perspectives/search strategies were chosen)
### Phase 3: Interactive Discussion
@@ -424,6 +465,11 @@ if (!autoYes) {
##### Step 3.2: Process User Response
**Recording Checkpoint**: Regardless of which option the user selects, the following MUST be recorded to discussion.md:
- User's original choice and expression
- Impact of this choice on analysis direction
- If direction changed, record a full Decision Record
**Deepen** — continue analysis in current direction:
```javascript
// Deeper inline analysis using search tools
@@ -432,6 +478,7 @@ if (!autoYes) {
// Suggest improvement approaches
// Provide risk/impact assessments
// Update explorations.json with deepening findings
// Record: Which assumptions were confirmed, specific angles for deeper exploration
```
**Adjust Direction** — new focus area:
@@ -454,6 +501,7 @@ const adjustedFocus = AskUserQuestion({
// Compare new insights with prior analysis
// Identify what was missed and why
// Update explorations.json with adjusted findings
// Record Decision: Trigger reason for direction adjustment, old vs new direction, expected impact
```
**Specific Questions** — answer directly:
@@ -463,9 +511,13 @@ const adjustedFocus = AskUserQuestion({
// Provide evidence and file references
// Rate confidence for each answer (high/medium/low)
// Document Q&A in discussion.md
// Record: Knowledge gaps revealed by the question, new understanding from the answer
```
**Analysis Complete** — exit loop, proceed to Phase 4.
```javascript
// Record: Why concluding at this round (sufficient information / scope fully focused / user satisfied)
```
##### Step 3.3: Document Each Round
@@ -474,6 +526,7 @@ Update discussion.md with results from each discussion round:
| Section | Content |
|---------|---------|
| User Direction | Action taken (deepen/adjust/questions) and focus area |
| Decision Log | Decisions made this round using Decision Record format |
| Analysis Results | Key findings, insights, evidence with file references |
| Insights | New learnings or clarifications from this round |
| Corrected Assumptions | Important wrong→right transformations with explanation |
@@ -491,6 +544,8 @@ Update discussion.md with results from each discussion round:
- discussion.md updated with all discussion rounds
- Assumptions documented and corrected
- Exit condition reached (user selects complete or max rounds)
- **All decision points recorded** with Decision Record format
- **Direction changes documented** with before/after comparison and rationale
### Phase 4: Synthesis & Conclusion
@@ -514,6 +569,9 @@ const conclusions = {
open_questions: [...], // Unresolved questions
follow_up_suggestions: [ // Next steps
{ type: 'issue|task|research', summary: '...' }
],
decision_trail: [ // Consolidated decisions from all phases
{ round: 1, decision: '...', context: '...', options_considered: [...], chosen: '...', reason: '...', impact: '...' }
]
}
Write(`${sessionFolder}/conclusions.json`, JSON.stringify(conclusions, null, 2))
@@ -537,7 +595,15 @@ Append conclusions section and finalize:
| What Was Clarified | Important corrections (~~wrong→right~~) |
| Key Insights | Valuable learnings for future reference |
**Session Statistics**: Total discussion rounds, key findings count, dimensions covered, artifacts generated.
**Decision Trail Section**:
| Subsection | Content |
|------------|---------|
| Critical Decisions | Pivotal decisions that shaped the analysis outcome |
| Direction Changes | Timeline of scope/focus adjustments with rationale |
| Trade-offs Made | Key trade-offs and why certain paths were chosen |
**Session Statistics**: Total discussion rounds, key findings count, dimensions covered, artifacts generated, **decision count**.
##### Step 4.3: Post-Completion Options
@@ -570,24 +636,27 @@ if (!autoYes) {
**Success Criteria**:
- conclusions.json created with complete synthesis
- discussion.md finalized with conclusions
- discussion.md finalized with conclusions and decision trail
- User offered meaningful next step options
- **Complete decision trail** documented and traceable from initial scoping to final conclusions
### Phase 5: Quick Execute (Optional)
**Objective**: Convert analysis conclusions into JSONL execution list with convergence criteria, then execute tasks directly inline.
**Objective**: Convert analysis conclusions into individual task JSON files with convergence criteria, then execute tasks directly inline.
**Trigger**: User selects "Quick Execute" in Phase 4.
**Key Principle**: No additional exploration — analysis phase has already collected all necessary context. No CLI delegation — execute directly using tools.
**Flow**: `conclusions.json → tasks.jsonl → User Confirmation → Direct Inline Execution → execution.md + execution-events.md`
**Flow**: `conclusions.json → .task/*.json → User Confirmation → Direct Inline Execution → execution.md + execution-events.md`
**Full specification**: See `EXECUTE.md` for detailed step-by-step implementation.
##### Step 5.1: Generate tasks.jsonl
**Schema**: `cat ~/.ccw/workflows/cli-templates/schemas/task-schema.json`
Convert `conclusions.recommendations` into unified JSONL task format. Each line is a self-contained task with convergence criteria:
##### Step 5.1: Generate .task/*.json
Convert `conclusions.recommendations` into individual task JSON files. Each file is a self-contained task with convergence criteria:
```javascript
const conclusions = JSON.parse(Read(`${sessionFolder}/conclusions.json`))
@@ -623,8 +692,11 @@ const tasks = conclusions.recommendations.map((rec, index) => ({
}))
// Validate convergence quality (same as req-plan-with-file)
// Write one task per line
Write(`${sessionFolder}/tasks.jsonl`, tasks.map(t => JSON.stringify(t)).join('\n'))
// Write each task as individual JSON file
Bash(`mkdir -p ${sessionFolder}/.task`)
tasks.forEach(task => {
Write(`${sessionFolder}/.task/${task.id}.json`, JSON.stringify(task, null, 2))
})
```
##### Step 5.2: Pre-Execution Analysis
@@ -647,7 +719,7 @@ if (!autoYes) {
options: [
{ label: "Start Execution", description: "Execute all tasks serially" },
{ label: "Adjust Tasks", description: "Modify, reorder, or remove tasks" },
{ label: "Cancel", description: "Cancel execution, keep tasks.jsonl" }
{ label: "Cancel", description: "Cancel execution, keep .task/" }
]
}]
})
@@ -670,7 +742,7 @@ For each task in execution order:
- Update `execution.md` with final summary (statistics, task results table)
- Finalize `execution-events.md` with session footer
- Update `tasks.jsonl` with `_execution` state per task
- Update `.task/*.json` with `_execution` state per task
```javascript
if (!autoYes) {
@@ -691,7 +763,7 @@ if (!autoYes) {
```
**Success Criteria**:
- `tasks.jsonl` generated with convergence criteria and source provenance per task
- `.task/*.json` generated with convergence criteria and source provenance per task
- `execution.md` contains plan overview, task table, pre-execution analysis, final summary
- `execution-events.md` contains chronological event stream with convergence verification
- All tasks executed (or explicitly skipped) via direct inline execution
@@ -710,7 +782,10 @@ if (!autoYes) {
├── explorations.json # Phase 2: Single perspective aggregated findings
├── perspectives.json # Phase 2: Multi-perspective findings with synthesis
├── conclusions.json # Phase 4: Final synthesis with recommendations
├── tasks.jsonl # Phase 5: Unified JSONL with convergence + source (if quick execute)
├── .task/ # Phase 5: Individual task JSON files (if quick execute)
│ ├── TASK-001.json # One file per task with convergence + source
│ ├── TASK-002.json
│ └── ...
├── execution.md # Phase 5: Execution overview + task table + summary (if quick execute)
└── execution-events.md # Phase 5: Chronological event log (if quick execute)
```
@@ -723,7 +798,7 @@ if (!autoYes) {
| `explorations.json` | 2 | Single perspective aggregated findings |
| `perspectives.json` | 2 | Multi-perspective findings with cross-perspective synthesis |
| `conclusions.json` | 4 | Final synthesis: conclusions, recommendations, open questions |
| `tasks.jsonl` | 5 | Unified JSONL from recommendations, each line with convergence criteria and source provenance |
| `.task/*.json` | 5 | Individual task files from recommendations, each with convergence criteria and source provenance |
| `execution.md` | 5 | Execution overview: plan source, task table, pre-execution analysis, final summary |
| `execution-events.md` | 5 | Chronological event stream with task details and convergence verification |
@@ -822,12 +897,14 @@ The discussion.md file evolves through the analysis:
- **Header**: Session ID, topic, start time, identified dimensions
- **Analysis Context**: Focus areas, perspectives, depth level
- **Initial Questions**: Key questions to guide the analysis
- **Initial Decisions**: Why these dimensions and focus areas were selected
- **Discussion Timeline**: Round-by-round findings
- Round 1: Initial Understanding + Exploration Results
- Round 2-N: User feedback + direction adjustments + new insights
- Round 1: Initial Understanding + Exploration Results + **Initial Decision Log**
- Round 2-N: User feedback + direction adjustments + new insights + **Decision Log per round**
- **Decision Trail**: Consolidated critical decisions across all rounds
- **Synthesis & Conclusions**: Summary, key conclusions, recommendations
- **Current Understanding (Final)**: Consolidated insights
- **Session Statistics**: Rounds completed, findings count, artifacts generated
- **Session Statistics**: Rounds completed, findings count, artifacts generated, decision count
### Round Documentation Pattern
@@ -839,6 +916,13 @@ Each discussion round follows a consistent structure:
#### User Input
What the user indicated they wanted to focus on
#### Decision Log
> **Decision**: [Description of direction/scope/approach decision made this round]
> - **Context**: [What triggered this decision]
> - **Options considered**: [Alternatives evaluated]
> - **Chosen**: [Selected approach] — **Reason**: [Rationale]
> - **Impact**: [Effect on analysis direction/conclusions]
#### Analysis Results
New findings from this round's analysis
- Finding 1 (evidence: file:line)
@@ -867,7 +951,7 @@ Remaining questions or areas for investigation
| Session folder conflict | Append timestamp suffix | Create unique folder and continue |
| Quick execute: task fails | Record failure in execution-events.md | User can retry, skip, or abort |
| Quick execute: verification fails | Mark criterion as unverified, continue | Note in events, manual check |
| Quick execute: no recommendations | Cannot generate tasks.jsonl | Suggest using lite-plan instead |
| Quick execute: no recommendations | Cannot generate .task/*.json | Suggest using lite-plan instead |
## Best Practices
@@ -889,6 +973,7 @@ Remaining questions or areas for investigation
3. **Use Continue Mode**: Resume sessions to build on previous findings rather than starting over
4. **Embrace Corrections**: Track wrong→right transformations as valuable learnings
5. **Iterate Thoughtfully**: Each discussion round should meaningfully refine understanding
6. **Record Decisions Immediately**: Never defer recording — capture decisions as they happen using the Decision Record format. A decision not recorded in-the-moment is a decision lost
### Documentation Practices
@@ -898,6 +983,7 @@ Remaining questions or areas for investigation
4. **Evolution Tracking**: Document how understanding changed across rounds
5. **Action Items**: Generate specific, actionable recommendations
6. **Multi-Perspective Synthesis**: When using multiple perspectives, document convergent/conflicting themes
7. **Link Decisions to Outcomes**: When writing conclusions, explicitly reference which decisions led to which outcomes — this creates an auditable trail from initial scoping to final recommendations
## When to Use
@@ -911,7 +997,7 @@ Remaining questions or areas for investigation
**Use Quick Execute (Phase 5) when:**
- Analysis conclusions contain clear, actionable recommendations
- Context is already sufficient — no additional exploration needed
- Want a streamlined analyze → JSONL plan → direct execute pipeline
- Want a streamlined analyze → .task/*.json plan → direct execute pipeline
- Tasks are relatively independent and can be executed serially
**Consider alternatives when:**