mirror of
https://github.com/catlog22/Claude-Code-Workflow.git
synced 2026-02-28 09:23:08 +08:00
Add a new session sync command that updates both project-guidelines.json and project-tech.json from session context in one shot. Replace inline Step 6 (Update Development Index) in lite-execute with sync call, and add auto-sync to Post-Completion Expansion across 6 execution commands. Simplify session/complete by replacing Phase 4+5 with single sync call.
197 lines
5.9 KiB
Markdown
197 lines
5.9 KiB
Markdown
---
|
|
name: sync
|
|
description: Quick-sync session work to project-guidelines and project-tech
|
|
argument-hint: "[-y|--yes] [\"what was done\"]"
|
|
allowed-tools: Bash(*), Read(*), Write(*), Edit(*)
|
|
---
|
|
|
|
# Session Sync (/workflow:session:sync)
|
|
|
|
One-shot update `project-guidelines.json` + `project-tech.json` from current session context.
|
|
|
|
**Design**: Scan context → extract → write. No interactive wizards.
|
|
|
|
## Auto Mode
|
|
|
|
`--yes` or `-y`: Skip confirmation, auto-write both files.
|
|
|
|
## Process
|
|
|
|
```
|
|
Step 1: Gather Context
|
|
├─ git diff --stat HEAD~3..HEAD (recent changes)
|
|
├─ Active session folder (.workflow/.lite-plan/*) if exists
|
|
└─ User summary ($ARGUMENTS or auto-generate from git log)
|
|
|
|
Step 2: Extract Updates
|
|
├─ Guidelines: conventions / constraints / learnings
|
|
└─ Tech: development_index entry
|
|
|
|
Step 3: Preview & Confirm (skip if --yes)
|
|
|
|
Step 4: Write both files
|
|
|
|
Step 5: One-line confirmation
|
|
```
|
|
|
|
## Step 1: Gather Context
|
|
|
|
```javascript
|
|
const autoYes = $ARGUMENTS.includes('--yes') || $ARGUMENTS.includes('-y')
|
|
const userSummary = $ARGUMENTS.replace(/--yes|-y/g, '').trim()
|
|
|
|
// Recent changes
|
|
const gitStat = Bash('git diff --stat HEAD~3..HEAD 2>/dev/null || git diff --stat HEAD 2>/dev/null')
|
|
const gitLog = Bash('git log --oneline -5')
|
|
|
|
// Active session (optional)
|
|
const sessionFolders = Glob('.workflow/.lite-plan/*/plan.json')
|
|
let sessionContext = null
|
|
if (sessionFolders.length > 0) {
|
|
const latest = sessionFolders[sessionFolders.length - 1]
|
|
sessionContext = JSON.parse(Read(latest))
|
|
}
|
|
|
|
// Build summary
|
|
const summary = userSummary
|
|
|| sessionContext?.summary
|
|
|| gitLog.split('\n')[0].replace(/^[a-f0-9]+ /, '')
|
|
```
|
|
|
|
## Step 2: Extract Updates
|
|
|
|
Analyze context and produce two update payloads. Use LLM reasoning (current agent) — no CLI calls.
|
|
|
|
```javascript
|
|
// ── Guidelines extraction ──
|
|
// Scan git diff + session for:
|
|
// - New patterns adopted → convention
|
|
// - Restrictions discovered → constraint
|
|
// - Surprises / gotchas → learning
|
|
//
|
|
// Output: array of { type, category, text }
|
|
// RULE: Only extract genuinely reusable insights. Skip trivial/obvious items.
|
|
// RULE: Deduplicate against existing guidelines before adding.
|
|
|
|
const existingGuidelines = JSON.parse(Read('.workflow/project-guidelines.json'))
|
|
const guidelineUpdates = [] // populated by agent analysis
|
|
|
|
// ── Tech extraction ──
|
|
// Build one development_index entry from session work
|
|
|
|
function detectCategory(text) {
|
|
text = text.toLowerCase()
|
|
if (/\b(fix|bug|error|crash)\b/.test(text)) return 'bugfix'
|
|
if (/\b(refactor|cleanup|reorganize)\b/.test(text)) return 'refactor'
|
|
if (/\b(doc|readme|comment)\b/.test(text)) return 'docs'
|
|
if (/\b(add|new|create|implement)\b/.test(text)) return 'feature'
|
|
return 'enhancement'
|
|
}
|
|
|
|
function detectSubFeature(gitStat) {
|
|
// Most-changed directory from git diff --stat
|
|
const dirs = gitStat.match(/\S+\//g) || []
|
|
const counts = {}
|
|
dirs.forEach(d => {
|
|
const seg = d.split('/').filter(Boolean).slice(-2, -1)[0] || 'general'
|
|
counts[seg] = (counts[seg] || 0) + 1
|
|
})
|
|
return Object.entries(counts).sort((a, b) => b[1] - a[1])[0]?.[0] || 'general'
|
|
}
|
|
|
|
const techEntry = {
|
|
title: summary.slice(0, 60),
|
|
sub_feature: detectSubFeature(gitStat),
|
|
date: new Date().toISOString().split('T')[0],
|
|
description: summary.slice(0, 100),
|
|
status: 'completed',
|
|
session_id: sessionContext ? sessionFolders[sessionFolders.length - 1].match(/lite-plan\/([^/]+)/)?.[1] : null
|
|
}
|
|
```
|
|
|
|
## Step 3: Preview & Confirm
|
|
|
|
```javascript
|
|
// Show preview
|
|
console.log(`
|
|
── Sync Preview ──
|
|
|
|
Guidelines (${guidelineUpdates.length} items):
|
|
${guidelineUpdates.map(g => ` [${g.type}/${g.category}] ${g.text}`).join('\n') || ' (none)'}
|
|
|
|
Tech [${detectCategory(summary)}]:
|
|
${techEntry.title}
|
|
|
|
Target files:
|
|
.workflow/project-guidelines.json
|
|
.workflow/project-tech.json
|
|
`)
|
|
|
|
if (!autoYes) {
|
|
const confirm = AskUserQuestion("Apply these updates? (modify/skip items if needed)")
|
|
// User can say "skip guidelines" or "change category to bugfix" etc.
|
|
}
|
|
```
|
|
|
|
## Step 4: Write
|
|
|
|
```javascript
|
|
// ── Update project-guidelines.json ──
|
|
if (guidelineUpdates.length > 0) {
|
|
const guidelines = JSON.parse(Read('.workflow/project-guidelines.json'))
|
|
|
|
for (const g of guidelineUpdates) {
|
|
if (g.type === 'learning') {
|
|
// Deduplicate by insight text
|
|
if (!guidelines.learnings.some(l => l.insight === g.text)) {
|
|
guidelines.learnings.push({
|
|
date: new Date().toISOString().split('T')[0],
|
|
session_id: techEntry.session_id,
|
|
insight: g.text,
|
|
category: g.category
|
|
})
|
|
}
|
|
} else {
|
|
// convention or constraint
|
|
const section = g.type === 'convention' ? 'conventions' : 'constraints'
|
|
if (!guidelines[section][g.category]) guidelines[section][g.category] = []
|
|
if (!guidelines[section][g.category].includes(g.text)) {
|
|
guidelines[section][g.category].push(g.text)
|
|
}
|
|
}
|
|
}
|
|
|
|
guidelines._metadata.updated_at = new Date().toISOString()
|
|
Write('.workflow/project-guidelines.json', JSON.stringify(guidelines, null, 2))
|
|
}
|
|
|
|
// ── Update project-tech.json ──
|
|
const techPath = '.workflow/project-tech.json'
|
|
const tech = JSON.parse(Read(techPath))
|
|
|
|
if (!tech.development_index) {
|
|
tech.development_index = { feature: [], enhancement: [], bugfix: [], refactor: [], docs: [] }
|
|
}
|
|
|
|
const category = detectCategory(summary)
|
|
tech.development_index[category].push(techEntry)
|
|
tech._metadata.last_updated = new Date().toISOString()
|
|
|
|
Write(techPath, JSON.stringify(tech, null, 2))
|
|
```
|
|
|
|
## Step 5: Confirm
|
|
|
|
```
|
|
✓ Synced: ${guidelineUpdates.length} guidelines + 1 tech entry [${category}]
|
|
```
|
|
|
|
## Error Handling
|
|
|
|
| Error | Resolution |
|
|
|-------|------------|
|
|
| File missing | Create scaffold (same as solidify Step 1) |
|
|
| No git history | Use user summary or session context only |
|
|
| No meaningful updates | Skip guidelines, still add tech entry |
|
|
| Duplicate entry | Skip silently (dedup check in Step 4) |
|