context-mode 1.0.11 → 1.0.13

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.
@@ -6,14 +6,14 @@
6
6
  },
7
7
  "metadata": {
8
8
  "description": "Claude Code plugins by Mert Koseoğlu",
9
- "version": "1.0.11"
9
+ "version": "1.0.13"
10
10
  },
11
11
  "plugins": [
12
12
  {
13
13
  "name": "context-mode",
14
14
  "source": "./",
15
15
  "description": "Claude Code MCP plugin that saves 98% of your context window. Sandboxed code execution in 11 languages, FTS5 knowledge base with BM25 ranking, and intent-driven search.",
16
- "version": "1.0.11",
16
+ "version": "1.0.13",
17
17
  "author": {
18
18
  "name": "Mert Koseoğlu"
19
19
  },
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "context-mode",
3
- "version": "1.0.11",
3
+ "version": "1.0.13",
4
4
  "description": "MCP server that saves 98% of your context window with session continuity. Sandboxed code execution in 11 languages, FTS5 knowledge base with BM25 ranking, and automatic state restore across compactions.",
5
5
  "author": {
6
6
  "name": "Mert Koseoğlu",
package/build/server.js CHANGED
@@ -13,7 +13,7 @@ import { ContentStore, cleanupStaleDBs } from "./store.js";
13
13
  import { readBashPolicies, evaluateCommandDenyOnly, extractShellCommands, readToolDenyPatterns, evaluateFilePath, } from "./security.js";
14
14
  import { detectRuntimes, getRuntimeSummary, getAvailableLanguages, hasBunRuntime, } from "./runtime.js";
15
15
  import { classifyNonZeroExit } from "./exit-classify.js";
16
- const VERSION = "1.0.11";
16
+ const VERSION = "1.0.13";
17
17
  // Prevent silent server death from unhandled async errors
18
18
  process.on("unhandledRejection", (err) => {
19
19
  process.stderr.write(`[context-mode] unhandledRejection: ${err}\n`);
@@ -188,13 +188,88 @@ function extractTask(input) {
188
188
  const TASK_TOOLS = new Set(["TodoWrite", "TaskCreate", "TaskUpdate"]);
189
189
  if (!TASK_TOOLS.has(input.tool_name))
190
190
  return [];
191
+ // Store tool name as type so create vs update can be reliably distinguished
192
+ const type = input.tool_name === "TaskUpdate" ? "task_update"
193
+ : input.tool_name === "TaskCreate" ? "task_create"
194
+ : "task"; // TodoWrite fallback
191
195
  return [{
192
- type: "task",
196
+ type,
193
197
  category: "task",
194
198
  data: truncate(JSON.stringify(input.tool_input), 300),
195
199
  priority: 1,
196
200
  }];
197
201
  }
202
+ /**
203
+ * Category 15: plan
204
+ * Tracks the full plan mode lifecycle:
205
+ * - EnterPlanMode → plan_enter
206
+ * - Write/Edit to ~/.claude/plans/ → plan_file_write
207
+ * - ExitPlanMode → plan_exit (with allowedPrompts)
208
+ * - ExitPlanMode tool_response → plan_approved / plan_rejected
209
+ *
210
+ * Note: Shift+Tab and /plan command do NOT fire PostToolUse hooks
211
+ * (Claude Code bug #15660). Only programmatic EnterPlanMode is tracked.
212
+ */
213
+ function extractPlan(input) {
214
+ if (input.tool_name === "EnterPlanMode") {
215
+ return [{
216
+ type: "plan_enter",
217
+ category: "plan",
218
+ data: "entered plan mode",
219
+ priority: 2,
220
+ }];
221
+ }
222
+ if (input.tool_name === "ExitPlanMode") {
223
+ const events = [];
224
+ // Plan exit event with allowedPrompts detail
225
+ const prompts = input.tool_input["allowedPrompts"];
226
+ const detail = Array.isArray(prompts) && prompts.length > 0
227
+ ? `exited plan mode (allowed: ${truncateAny(prompts.map((p) => {
228
+ if (typeof p === "object" && p !== null && "prompt" in p)
229
+ return String(p.prompt);
230
+ return String(p);
231
+ }).join(", "), 200)})`
232
+ : "exited plan mode";
233
+ events.push({
234
+ type: "plan_exit",
235
+ category: "plan",
236
+ data: truncate(detail),
237
+ priority: 2,
238
+ });
239
+ // Detect approval/rejection from tool_response
240
+ const response = String(input.tool_response ?? "").toLowerCase();
241
+ if (response.includes("approved") || response.includes("approve")) {
242
+ events.push({
243
+ type: "plan_approved",
244
+ category: "plan",
245
+ data: "plan approved by user",
246
+ priority: 1,
247
+ });
248
+ }
249
+ else if (response.includes("rejected") || response.includes("decline") || response.includes("denied")) {
250
+ events.push({
251
+ type: "plan_rejected",
252
+ category: "plan",
253
+ data: truncate(`plan rejected: ${input.tool_response ?? ""}`, 300),
254
+ priority: 2,
255
+ });
256
+ }
257
+ return events;
258
+ }
259
+ // Detect plan file writes (Write/Edit to ~/.claude/plans/)
260
+ if (input.tool_name === "Write" || input.tool_name === "Edit") {
261
+ const filePath = String(input.tool_input["file_path"] ?? "");
262
+ if (/[/\\]\.claude[/\\]plans[/\\]/.test(filePath)) {
263
+ return [{
264
+ type: "plan_file_write",
265
+ category: "plan",
266
+ data: truncate(`plan file: ${filePath.split(/[/\\]/).pop() ?? filePath}`),
267
+ priority: 2,
268
+ }];
269
+ }
270
+ }
271
+ return [];
272
+ }
198
273
  /**
199
274
  * Category 8: env
200
275
  * Environment setup commands in Bash: venv, export, nvm, pyenv, conda, rbenv.
@@ -382,6 +457,7 @@ export function extractEvents(input) {
382
457
  events.push(...extractEnv(input));
383
458
  // Tool-specific extractors
384
459
  events.push(...extractTask(input));
460
+ events.push(...extractPlan(input));
385
461
  events.push(...extractSkill(input));
386
462
  events.push(...extractSubagent(input));
387
463
  events.push(...extractMcp(input));
@@ -86,13 +86,14 @@ export function renderTaskState(taskEvents) {
86
86
  }
87
87
  if (creates.length === 0)
88
88
  return "";
89
+ const DONE = new Set(["completed", "deleted", "failed"]);
89
90
  // Match creates to updates positionally (creates[0] → lowest taskId)
90
91
  const sortedIds = Object.keys(updates).sort((a, b) => Number(a) - Number(b));
91
92
  const pending = [];
92
93
  for (let i = 0; i < creates.length; i++) {
93
94
  const matchedId = sortedIds[i];
94
95
  const status = matchedId ? (updates[matchedId] ?? "pending") : "pending";
95
- if (status !== "completed") {
96
+ if (!DONE.has(status)) {
96
97
  pending.push(creates[i]);
97
98
  }
98
99
  }
@@ -256,6 +257,7 @@ export function buildResumeSnapshot(events, opts) {
256
257
  const dataEvents = [];
257
258
  const intentEvents = [];
258
259
  const mcpEvents = [];
260
+ const planEvents = [];
259
261
  for (const ev of events) {
260
262
  switch (ev.category) {
261
263
  case "file":
@@ -300,6 +302,9 @@ export function buildResumeSnapshot(events, opts) {
300
302
  case "mcp":
301
303
  mcpEvents.push(ev);
302
304
  break;
305
+ case "plan":
306
+ planEvents.push(ev);
307
+ break;
303
308
  }
304
309
  }
305
310
  // ── Render sections by priority tier ──
@@ -332,6 +337,13 @@ export function buildResumeSnapshot(events, opts) {
332
337
  const subagentsP2 = renderSubagents(completedSubagents);
333
338
  if (subagentsP2)
334
339
  p2Sections.push(subagentsP2);
340
+ // Plan mode state — show if plan is active (last event is plan_enter)
341
+ if (planEvents.length > 0) {
342
+ const lastPlan = planEvents[planEvents.length - 1];
343
+ if (lastPlan.type === "plan_enter") {
344
+ p2Sections.push(` <plan_mode status="active" />`);
345
+ }
346
+ }
335
347
  // P3-P4 sections (15% budget): intent, mcp_tools, launched subagents
336
348
  const p3Sections = [];
337
349
  if (intentEvents.length > 0) {
package/cli.bundle.mjs CHANGED
@@ -282,7 +282,7 @@ async function main() {
282
282
  main();
283
283
  `}async function Rz(){let t=r0();t>0&&console.error(`Cleaned up ${t} stale DB file(s) from previous sessions`);let e=()=>{Rs.cleanupBackgrounded(),co&&co.cleanup()};process.on("exit",e),process.on("SIGINT",()=>{e(),process.exit(0)}),process.on("SIGTERM",()=>{e(),process.exit(0)});let r=new tc;await Yt.connect(r);try{let{detectPlatform:n,getAdapter:o}=await Promise.resolve().then(()=>(Hc(),hh)),s=n(),i=await o(s.platform);if(!i.capabilities.sessionStart){let a=gz(Ps(km(import.meta.url)),".."),c=process.env.CLAUDE_PROJECT_DIR??process.env.CODEX_HOME??process.cwd(),u=i.writeRoutingInstructions(c,a);u&&console.error(`Wrote routing instructions: ${u}`)}}catch{}console.error(`Context Mode MCP server v${y0} running on stdio`),console.error(`Detected runtimes:
284
284
  ${qs(Tm)}`),po()||(console.error(`
285
- Performance tip: Install Bun for 3-5x faster JS/TS execution`),console.error(" curl -fsSL https://bun.sh/install | bash"))}var y0,Tm,_z,Yt,Rs,co,Je,bz,$z,Sz,wz,sc,vn,bm,kz,f0,m0,$m,Sm,b0=$(()=>{"use strict";Mb();qb();pm();hm();n0();d0();Fs();p0();y0="1.0.10";process.on("unhandledRejection",t=>{process.stderr.write(`[context-mode] unhandledRejection: ${t}
285
+ Performance tip: Install Bun for 3-5x faster JS/TS execution`),console.error(" curl -fsSL https://bun.sh/install | bash"))}var y0,Tm,_z,Yt,Rs,co,Je,bz,$z,Sz,wz,sc,vn,bm,kz,f0,m0,$m,Sm,b0=$(()=>{"use strict";Mb();qb();pm();hm();n0();d0();Fs();p0();y0="1.0.12";process.on("unhandledRejection",t=>{process.stderr.write(`[context-mode] unhandledRejection: ${t}
286
286
  `)});process.on("uncaughtException",t=>{process.stderr.write(`[context-mode] uncaughtException: ${t?.message??t}
287
287
  `)});Tm=$n(),_z=Us(Tm),Yt=new Qa({name:"context-mode",version:y0}),Rs=new Es({runtimes:Tm,projectRoot:process.env.CLAUDE_PROJECT_DIR}),co=null;Je={calls:{},bytesReturned:{},bytesIndexed:0,bytesSandboxed:0,sessionStart:Date.now()};bz=_z.join(", "),$z=po()?" (Bun detected \u2014 JS/TS runs 3-5x faster)":"",Sz="",wz="";Yt.registerTool("ctx_execute",{title:"Execute Code",description:`MANDATORY: Use for any command where output exceeds 20 lines. Execute code in a sandboxed subprocess. Only stdout enters context \u2014 raw data stays in the subprocess.${$z} Available: ${bz}.
288
288
 
@@ -76,13 +76,14 @@ export function writeSessionEventsFile(events, eventsPath) {
76
76
  creates.push(ev.data);
77
77
  }
78
78
  }
79
+ const DONE = new Set(["completed", "deleted", "failed"]);
79
80
  const sortedIds = Object.keys(updates).sort((a, b) => Number(a) - Number(b));
80
81
  const pending = [];
81
82
  const completed = [];
82
83
  for (let i = 0; i < creates.length; i++) {
83
84
  const matchedId = sortedIds[i];
84
85
  const status = matchedId ? (updates[matchedId] || "pending") : "pending";
85
- if (status === "completed") {
86
+ if (DONE.has(status)) {
86
87
  completed.push(creates[i]);
87
88
  } else {
88
89
  pending.push(creates[i]);
@@ -183,6 +184,21 @@ export function writeSessionEventsFile(events, eventsPath) {
183
184
  lines.push("");
184
185
  }
185
186
 
187
+ if (grouped.plan?.length > 0) {
188
+ const hasApproved = grouped.plan.some(e => e.type === "plan_approved");
189
+ const hasRejected = grouped.plan.some(e => e.type === "plan_rejected");
190
+ const lastPlan = grouped.plan[grouped.plan.length - 1];
191
+ const isActive = lastPlan.type === "plan_enter" || lastPlan.type === "plan_file_write";
192
+ lines.push("## Plan Mode");
193
+ lines.push("");
194
+ if (hasApproved) lines.push("- Status: APPROVED AND EXECUTED");
195
+ else if (hasRejected) lines.push("- Status: REJECTED BY USER");
196
+ else if (isActive) lines.push("- Status: ACTIVE (in planning)");
197
+ else lines.push("- Status: COMPLETED");
198
+ for (const ev of grouped.plan) lines.push(`- ${ev.data}`);
199
+ lines.push("");
200
+ }
201
+
186
202
  if (lastPrompt) {
187
203
  lines.push("## Last User Prompt");
188
204
  lines.push("");
@@ -234,12 +250,13 @@ export function buildSessionDirective(source, eventMeta) {
234
250
  }
235
251
 
236
252
  if (creates.length > 0) {
253
+ const DONE = new Set(["completed", "deleted", "failed"]);
237
254
  const sortedIds = Object.keys(updates).sort((a, b) => Number(a) - Number(b));
238
255
  const pending = [];
239
256
  for (let i = 0; i < creates.length; i++) {
240
257
  const matchedId = sortedIds[i];
241
258
  const status = matchedId ? (updates[matchedId] || "pending") : "pending";
242
- if (status !== "completed") {
259
+ if (!DONE.has(status)) {
243
260
  pending.push(creates[i]);
244
261
  }
245
262
  }
@@ -368,6 +385,33 @@ export function buildSessionDirective(source, eventMeta) {
368
385
  block += `\n`;
369
386
  }
370
387
 
388
+ // 14. Plan mode state — critical for preventing stale plan restoration
389
+ if (grouped.plan?.length > 0) {
390
+ const hasApproved = grouped.plan.some(e => e.type === "plan_approved");
391
+ const hasRejected = grouped.plan.some(e => e.type === "plan_rejected");
392
+ const hasFileWrite = grouped.plan.some(e => e.type === "plan_file_write");
393
+ const lastPlan = grouped.plan[grouped.plan.length - 1];
394
+ const isActive = lastPlan.type === "plan_enter" || lastPlan.type === "plan_file_write";
395
+
396
+ block += `\n## Plan Mode`;
397
+ if (hasApproved) {
398
+ block += `\n- Status: APPROVED AND EXECUTED`;
399
+ block += `\n- The plan was approved and executed. Do NOT re-enter plan mode or re-propose the same plan.`;
400
+ } else if (hasRejected) {
401
+ block += `\n- Status: REJECTED BY USER`;
402
+ block += `\n- The user rejected the previous plan. Ask what they want changed before re-planning.`;
403
+ } else if (isActive) {
404
+ block += `\n- Status: ACTIVE (in planning phase)`;
405
+ if (hasFileWrite) {
406
+ block += `\n- Plan file has been written. Awaiting user approval via ExitPlanMode.`;
407
+ }
408
+ } else {
409
+ block += `\n- Status: COMPLETED`;
410
+ block += `\n- The plan has been executed. Do NOT re-enter plan mode or re-propose the same plan.`;
411
+ }
412
+ block += `\n`;
413
+ }
414
+
371
415
  block += `\n</session_guide>`;
372
416
 
373
417
  // Search on demand — detailed data lives in FTS5
package/package.json CHANGED
@@ -1,6 +1,6 @@
1
1
  {
2
2
  "name": "context-mode",
3
- "version": "1.0.11",
3
+ "version": "1.0.13",
4
4
  "type": "module",
5
5
  "description": "MCP plugin that saves 98% of your context window. Works with Claude Code, Gemini CLI, VS Code Copilot, OpenCode, and Codex CLI. Sandboxed code execution, FTS5 knowledge base, and intent-driven search.",
6
6
  "author": "Mert Koseoğlu",
package/server.bundle.mjs CHANGED
@@ -227,7 +227,7 @@ stdout:
227
227
  ${n}
228
228
 
229
229
  stderr:
230
- ${o}`}}var lx="1.0.10";process.on("unhandledRejection",t=>{process.stderr.write(`[context-mode] unhandledRejection: ${t}
230
+ ${o}`}}var lx="1.0.12";process.on("unhandledRejection",t=>{process.stderr.write(`[context-mode] unhandledRejection: ${t}
231
231
  `)});process.on("uncaughtException",t=>{process.stderr.write(`[context-mode] uncaughtException: ${t?.message??t}
232
232
  `)});var hp=Ui(),uz=py(hp),Nt=new Zi({name:"context-mode",version:lx}),Wo=new Hi({runtimes:hp,projectRoot:process.env.CLAUDE_PROJECT_DIR}),Dn=null;function lz(t){try{let e=ra(ux(),".claude","context-mode","sessions");if(!cx(e))return;let r=oz(e).filter(n=>n.endsWith("-events.md"));for(let n of r){let o=ra(e,n);try{t.index({path:o,source:"session-events"}),nz(o)}catch{}}}catch{}}function Yo(){return Dn||(Dn=new Vi),lz(Dn),Dn}var qe={calls:{},bytesReturned:{},bytesIndexed:0,bytesSandboxed:0,sessionStart:Date.now()};function J(t,e){let r=e.content.reduce((n,o)=>n+Buffer.byteLength(o.text),0);return qe.calls[t]=(qe.calls[t]||0)+1,qe.bytesReturned[t]=(qe.bytesReturned[t]||0)+r,e}function gr(t){qe.bytesIndexed+=t}function gp(t,e){try{let r=Fd(process.env.CLAUDE_PROJECT_DIR),n=Hd(t,r);if(n.decision==="deny")return J(e,{content:[{type:"text",text:`Command blocked by security policy: matches deny pattern ${n.matchedPattern}`}],isError:!0})}catch{}return null}function dx(t,e,r){try{let n=Iy(t,e);if(n.length===0)return null;let o=Fd(process.env.CLAUDE_PROJECT_DIR);for(let s of n){let i=Hd(s,o);if(i.decision==="deny")return J(r,{content:[{type:"text",text:`Command blocked by security policy: embedded shell command "${s}" matches deny pattern ${i.matchedPattern}`}],isError:!0})}}catch{}return null}function dz(t,e){try{let r=zy("Read",process.env.CLAUDE_PROJECT_DIR),n=Oy(t,r);if(n.denied)return J(e,{content:[{type:"text",text:`File access blocked by security policy: path matches Read deny pattern ${n.matchedPattern}`}],isError:!0})}catch{}return null}var pz=uz.join(", "),fz=Zd()?" (Bun detected \u2014 JS/TS runs 3-5x faster)":"",mz="",hz="";function gz(t){let e=[],r=0,n=0;for(;n<t.length;)if(t[n]===mz){for(e.push(r),n++;n<t.length&&t[n]!==hz;)r++,n++;n<t.length&&n++}else r++,n++;return e}function px(t,e,r=1500,n){if(t.length<=r)return t;let o=[];if(n)for(let u of gz(n))o.push(u);if(o.length===0){let u=e.toLowerCase().split(/\s+/).filter(d=>d.length>2),l=t.toLowerCase();for(let d of u){let f=l.indexOf(d);for(;f!==-1;)o.push(f),f=l.indexOf(d,f+1)}}if(o.length===0)return t.slice(0,r)+`
233
233
  \u2026`;o.sort((u,l)=>u-l);let s=300,i=[];for(let u of o){let l=Math.max(0,u-s),d=Math.min(t.length,u+s);i.length>0&&l<=i[i.length-1][1]?i[i.length-1][1]=d:i.push([l,d])}let a=[],c=0;for(let[u,l]of i){if(c>=r)break;let d=t.slice(u,Math.min(l,u+(r-c)));a.push((u>0?"\u2026":"")+d+(l<t.length?"\u2026":"")),c+=d.length}return a.join(`