@hienlh/ppm 0.8.85 → 0.8.87

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.
@@ -0,0 +1,3 @@
1
+ # Tester Agent Memory Index
2
+
3
+ - [project-ppm-test-conventions.md](project-ppm-test-conventions.md) - PPM test setup, gotchas, and conventions
@@ -0,0 +1,32 @@
1
+ ---
2
+ name: PPM test conventions and gotchas
3
+ description: Key patterns, pitfalls, and setup details for writing tests in the PPM project
4
+ type: project
5
+ ---
6
+
7
+ ## Test runner: `bun test` (Jest-compatible API from `bun:test`)
8
+
9
+ ## Test structure
10
+ - `tests/setup.ts` — shared helpers: `createTempDir`, `cleanupDir`, `createTempGitRepo`, `buildTestApp`
11
+ - `tests/unit/services/` — unit tests for ConfigService, ProjectService, FileService, GitService
12
+ - `tests/integration/api/` — integration tests using `app.request()` (no real server needed)
13
+
14
+ ## Critical gotchas
15
+
16
+ ### ppm.yaml in CWD
17
+ The project root has a real `ppm.yaml` with `port: 5555`. `ConfigService.load(missingPath)` falls through to `LOCAL_CONFIG = "ppm.yaml"` in CWD when the given path doesn't exist. Always write an actual file before calling `load()` to avoid picking up this real config.
18
+
19
+ ### Global configService in git routes
20
+ `src/server/routes/git.ts` imports and uses the global `configService` singleton (not injected). Integration tests for git API must mutate `configService.config.projects` directly to register the test repo. Restore to `[]` in `afterEach`.
21
+
22
+ ### ConfigService.load() fallback behavior
23
+ Candidates checked in order: explicit path → PPM_CONFIG env → LOCAL_CONFIG (ppm.yaml) → HOME_CONFIG (~/.ppm/config.yaml). A missing explicit path does NOT stop the fallback chain.
24
+
25
+ ### buildTestApp in setup.ts
26
+ Overrides `configService.save = () => {}` (no-op) to prevent tests writing to disk. Injects config directly by mutating private fields via `as unknown as`.
27
+
28
+ ### Real git repos for git tests
29
+ `createTempGitRepo()` uses `Bun.spawn` with git env vars (author name/email) to create a real repo with an initial commit. No mocks for git operations.
30
+
31
+ **Why:** Tests must use real implementations — no fakes/mocks that diverge from production behavior.
32
+ **How to apply:** Always use `createTempGitRepo` for anything touching GitService or git API routes.
package/CHANGELOG.md CHANGED
@@ -1,5 +1,11 @@
1
1
  # Changelog
2
2
 
3
+ ## [0.8.87] - 2026-04-01
4
+
5
+ ### Fixed
6
+ - **Session message loss on auth retry**: OAuth token expiry mid-query (e.g. during long bash commands) caused retry to create a new SDK session, overwriting the session mapping and losing all prior messages. Retry now resumes existing session instead.
7
+ - **Session CWD fallback to homedir**: `resumeSession()` didn't restore `projectPath` from SDK metadata, causing queries to use `$HOME` as CWD and JSONL to be stored under wrong project. Now extracts `cwd` from SDK session data.
8
+
3
9
  ## [0.8.85] - 2026-04-01
4
10
 
5
11
  ### Added
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "@hienlh/ppm",
3
- "version": "0.8.85",
3
+ "version": "0.8.87",
4
4
  "description": "Personal Project Manager — mobile-first web IDE with AI assistance",
5
5
  "author": "hienlh",
6
6
  "license": "MIT",
@@ -181,6 +181,7 @@ export class ClaudeAgentSdkProvider implements AIProvider {
181
181
  id: sessionId,
182
182
  providerId: this.id,
183
183
  title: dbTitle ?? found.customTitle ?? found.summary ?? "Resumed Chat",
184
+ projectPath: (found as any).cwd || undefined,
184
185
  createdAt: new Date(found.lastModified).toISOString(),
185
186
  };
186
187
  this.activeSessions.set(sessionId, meta);
@@ -495,8 +496,9 @@ export class ClaudeAgentSdkProvider implements AIProvider {
495
496
  if ((msg as any).type === "result" && (msg as any).subtype === "error_during_execution" && ((msg as any).num_turns ?? 0) === 0 && retryCount < MAX_RETRIES) {
496
497
  retryCount++;
497
498
  console.warn(`[sdk] transient error on first event — retrying (attempt ${retryCount}/${MAX_RETRIES})`);
498
- // Re-create query for retry don't reuse sessionId in case SDK partially created it
499
- const retryOpts = { ...queryOptions, sessionId: undefined, resume: undefined };
499
+ // Resume existing SDK session on retry to preserve conversation history.
500
+ // If first message, SDK may have partially created the session — resume with sdkId.
501
+ const retryOpts = { ...queryOptions, sessionId: undefined, resume: sdkId };
500
502
  const rq = query({
501
503
  prompt: message,
502
504
  options: { ...retryOpts, ...(permissionHooks && { hooks: permissionHooks }), canUseTool } as any,
@@ -666,7 +668,8 @@ export class ClaudeAgentSdkProvider implements AIProvider {
666
668
  console.log(`[sdk] session=${sessionId} OAuth token refreshed for ${account.id} (${label}) — retrying`);
667
669
  yield { type: "account_retry" as const, reason: "Token refreshed", accountId: refreshedAccount.id, accountLabel: label };
668
670
  const retryEnv = this.buildQueryEnv(meta.projectPath, refreshedAccount);
669
- const retryOpts = { ...queryOptions, sessionId: undefined, resume: undefined, env: retryEnv };
671
+ // Resume existing SDK session to preserve conversation history
672
+ const retryOpts = { ...queryOptions, sessionId: undefined, resume: sdkId, env: retryEnv };
670
673
  const rq = query({
671
674
  prompt: message,
672
675
  options: { ...retryOpts, ...(permissionHooks && { hooks: permissionHooks }), canUseTool } as any,
@@ -759,7 +762,8 @@ export class ClaudeAgentSdkProvider implements AIProvider {
759
762
  console.log(`[sdk] 401 in result on account ${account.id} (${label}) — token refreshed, retrying`);
760
763
  yield { type: "account_retry" as const, reason: "Token refreshed", accountId: refreshedAccount.id, accountLabel: label };
761
764
  const retryEnv = this.buildQueryEnv(meta.projectPath, refreshedAccount);
762
- const retryOpts = { ...queryOptions, sessionId: undefined, resume: undefined, env: retryEnv };
765
+ // Resume existing SDK session to preserve conversation history
766
+ const retryOpts = { ...queryOptions, sessionId: undefined, resume: sdkId, env: retryEnv };
763
767
  const rq = query({
764
768
  prompt: message,
765
769
  options: { ...retryOpts, ...(permissionHooks && { hooks: permissionHooks }), canUseTool } as any,
@@ -1,267 +0,0 @@
1
- # Streaming Input Migration Quick Reference (v0.8.55+)
2
-
3
- ## What Changed?
4
-
5
- **Before (v0.8.54):** Each message triggered a new SDK query
6
- ```
7
- Message 1 → SDK subprocess spawn → generate response → close
8
- Message 2 → SDK subprocess spawn → generate response → close
9
- (Slow, context resets between messages)
10
- ```
11
-
12
- **After (v0.8.55):** Single persistent streaming session
13
- ```
14
- Session created → AsyncGenerator streaming input opened
15
- Message 1 → Push into generator → process events
16
- Message 2 → Push into same generator → continue streaming
17
- (Fast, continuous context, no SDK restarts)
18
- ```
19
-
20
- ## Key Concepts
21
-
22
- ### Session State (BE-Owned)
23
- The backend maintains a `SessionEntry` per chat session:
24
- - Tracks connected clients (can be zero if FE disconnected)
25
- - Maintains streaming phase (idle, connecting, thinking, streaming)
26
- - Buffers events for reconnection sync
27
- - Auto-cleans after 5 minutes of FE inactivity
28
-
29
- ### Message Priority (v0.8.55+)
30
- ```typescript
31
- // Send message with priority
32
- ws.send({
33
- type: "message",
34
- content: "Debug this code",
35
- priority: "now" // "now" | "next" | "later"
36
- })
37
- ```
38
- - **"now"** — Abort current query, restart with this message
39
- - **"next"** — Queue after current, run next
40
- - **"later"** — Append to queue, run last
41
-
42
- ### Event Buffering on Reconnect
43
- When FE WS reconnects after disconnect:
44
- 1. BE sends `session_state` with current phase + pending approval
45
- 2. BE sends `turn_events` with all buffered events since last connection
46
- 3. FE rebuilds chat UI state from buffered events
47
- 4. No message loss (unless session cleaned up after 5min)
48
-
49
- ## Common Patterns
50
-
51
- ### Frontend: Send Message
52
- ```typescript
53
- // In useChat hook or message input handler
54
- ws.send(JSON.stringify({
55
- type: "message",
56
- content: userInput,
57
- priority: "now", // Optional
58
- images: [{ id: "img1", data: "base64..." }] // Optional
59
- }));
60
- ```
61
-
62
- ### Frontend: Handle Reconnection
63
- ```typescript
64
- function handleReconnect() {
65
- // 1. WS open fires
66
- // 2. Server sends session_state
67
- const sessionState = JSON.parse(msg);
68
- // 3. Server sends turn_events
69
- const turnEvents = JSON.parse(msg);
70
-
71
- // 4. FE rebuilds state from buffered events
72
- turnEvents.events.forEach(event => {
73
- chatStore.addEvent(event);
74
- });
75
-
76
- // 5. FE is now synced with BE
77
- }
78
- ```
79
-
80
- ### Backend: Session Lifecycle
81
- ```typescript
82
- // 1. FE connects
83
- open(ws) {
84
- const entry = activeSessions.get(sessionId);
85
- if (!entry) {
86
- // Create new session entry
87
- activeSessions.set(sessionId, {
88
- phase: "idle",
89
- clients: new Set([ws]),
90
- turnEvents: []
91
- });
92
- } else {
93
- // Reconnect: clear cleanup timer, add client
94
- entry.clients.add(ws);
95
- }
96
- }
97
-
98
- // 2. FE sends message
99
- message(ws, data) {
100
- const parsed = JSON.parse(data);
101
- if (parsed.type === "message") {
102
- // Abort current if streaming, wait for cleanup
103
- if (entry.phase !== "idle") {
104
- entry.abort.abort();
105
- await entry.streamPromise;
106
- }
107
- // Start new streaming loop (detached)
108
- entry.streamPromise = runStreamLoop(...);
109
- }
110
- }
111
-
112
- // 3. Streaming loop runs independently
113
- async function runStreamLoop() {
114
- for await (const event of chatService.sendMessage(...)) {
115
- bufferAndBroadcast(sessionId, event); // To all connected clients
116
- }
117
- setPhase(sessionId, "idle"); // Back to idle when done
118
- if (entry.clients.size === 0) {
119
- startCleanupTimer(sessionId); // 5-min cleanup
120
- }
121
- }
122
-
123
- // 4. FE disconnects
124
- close(ws) {
125
- entry.clients.delete(ws);
126
- // Stream continues! (BE owns the connection)
127
- // Timer started if no more clients
128
- }
129
- ```
130
-
131
- ## Phase State Machine
132
-
133
- ```
134
- ┌─ initializing (setup, session resume)
135
-
136
- idle ←→ connecting (waiting for first SDK event, heartbeat)
137
- ↑ ↓
138
- │ ┌──→ thinking (extended thinking)
139
- │ ↓ ↓
140
- └─── streaming (text/tool_use content)
141
- ↑ ↓
142
- └─────┘ (dynamic switch)
143
- ```
144
-
145
- **Transitions:**
146
- - Heartbeat: `connecting` → (5s elapsed updates) → `thinking` (when content arrives)
147
- - Content: `thinking` → `streaming` (first text event)
148
- - Dynamic: `streaming` ↔ `thinking` (based on event types)
149
- - Done: Any → `idle` (stream complete, ready for next message)
150
-
151
- ## WebSocket Messages (v0.8.55+)
152
-
153
- ### Client → Server
154
- ```typescript
155
- // Send message
156
- { type: "message"; content: string; priority?: string; images?: {...}[] }
157
-
158
- // Approve tool
159
- { type: "approval_response"; requestId: string; approved: boolean }
160
-
161
- // Cancel current
162
- { type: "cancel" }
163
-
164
- // Handshake after open
165
- { type: "ready" }
166
- ```
167
-
168
- ### Server → Client
169
- ```typescript
170
- // Content
171
- { type: "text"; content: string }
172
- { type: "thinking"; content: string }
173
-
174
- // Tool execution
175
- { type: "tool_use"; tool: string; input: unknown }
176
- { type: "tool_result"; output: string; isError?: boolean }
177
-
178
- // User approval request
179
- { type: "approval_request"; requestId: string; tool: string; input: unknown }
180
-
181
- // Session state (sent on open/ready)
182
- { type: "session_state"; sessionId: string; phase: SessionPhase; pendingApproval: {...} | null }
183
-
184
- // Buffered events (on reconnect)
185
- { type: "turn_events"; events: unknown[] }
186
-
187
- // Metadata
188
- { type: "account_info"; accountId: string; accountLabel: string }
189
- { type: "phase_changed"; phase: SessionPhase; elapsed?: number }
190
- { type: "title_updated"; title: string }
191
-
192
- // Completion
193
- { type: "done"; sessionId: string; contextWindowPct?: number }
194
-
195
- // Error
196
- { type: "error"; message: string }
197
-
198
- // Keepalive
199
- { type: "ping" }
200
- ```
201
-
202
- ## Benefits
203
-
204
- | Aspect | Before (v0.8.54) | After (v0.8.55) |
205
- |--------|------------------|-----------------|
206
- | **SDK Restarts** | Per message | Once per session |
207
- | **Context** | Resets between messages | Persistent |
208
- | **Startup Time** | 2-5s per message | Instant follow-ups |
209
- | **Reconnection** | Message loss | Event buffering ensures sync |
210
- | **Concurrency** | N/A | Multiple clients per session |
211
- | **Tool Approvals** | Restarts query | Integrated in stream |
212
-
213
- ## Troubleshooting
214
-
215
- ### Session Cleaned Up (No Longer Exists)
216
- **Cause:** FE disconnected for >5 minutes
217
- **Solution:** Create new session, FE reconnects with new sessionId
218
-
219
- ### Events Missing After Reconnect
220
- **Cause:** Server-side event buffer (10k event limit) overflowed
221
- **Solution:** Flush buffer periodically or increase limit if needed
222
-
223
- ### Phase Stuck in "Connecting"
224
- **Cause:** SDK subprocess not responding (120s timeout)
225
- **Solution:** Check environment (ANTHROPIC_API_KEY, network), see error message for hints
226
-
227
- ### Multiple Clients Out of Sync
228
- **Cause:** Broadcast failed for one client, others ahead
229
- **Solution:** Evicted client will reconnect and re-sync from buffered events
230
-
231
- ## Debugging
232
-
233
- ### Enable Logging
234
- ```bash
235
- # Check server logs for session lifecycle
236
- [chat] session=abc123 phase → connecting
237
- [chat] session=abc123 first SDK event after 1250ms: type=text
238
- [chat] session=abc123 stream completed (45 events)
239
- [chat] session=abc123 phase → idle
240
- ```
241
-
242
- ### Check Session State
243
- ```typescript
244
- // On WS message handler
245
- console.log(`Session entry:`, activeSessions.get(sessionId));
246
- // Outputs: { phase, clients.size, pendingApprovalEvent, turnEvents.length }
247
- ```
248
-
249
- ### Monitor Reconnections
250
- ```typescript
251
- // In WS open handler
252
- console.log(`FE reconnected (phase=${existing.phase}, clients=${existing.clients.size})`);
253
- // Tells you: active streaming, how many clients connected
254
- ```
255
-
256
- ## Performance Notes
257
-
258
- - **No SDK overhead:** Persistent streaming eliminates subprocess spawn overhead
259
- - **Event buffering:** Clients see all events after reconnect (max 10k events per turn)
260
- - **Memory:** Session entries cleaned after 5min (bounded memory usage)
261
- - **Latency:** Follow-up messages start immediately (no SDK init)
262
-
263
- ---
264
-
265
- **For detailed architecture:** See `docs/system-architecture.md` → "Chat Streaming Flow" section
266
- **For API types:** See `src/types/api.ts` and `src/types/chat.ts`
267
- **For implementation:** See `src/server/ws/chat.ts` and `src/providers/claude-agent-sdk.ts`