Co-Pilot / 辅助式
更新于 a month ago

context-compression

Mmuratcankoylan
7.4k
muratcankoylan/Agent-Skills-for-Context-Engineering/skills/context-compression
78
Agent 评分

💡 摘要

一项提供策略和工作流以压缩长AI代理对话历史来管理上下文限制的技能,强调通过结构化摘要保留关键信息。

🎯 适合人群

AI 代理开发者上下文窗口工程师AI 编码工具产品经理LLM 效率研究员

🤖 AI 吐槽:这项'技能'是一篇写得很好的文章,却忘了包含技能本身。

安全分析中风险

风险:此为概念性技能;主要风险在于实现错误导致信息丢失或代理故障。缓解措施:在部署前,使用基于探针的评估严格测试压缩输出,确保关键数据(如文件路径、错误详情)得以保留。


name: context-compression description: This skill should be used when the user asks to "compress context", "summarize conversation history", "implement compaction", "reduce token usage", or mentions context compression, structured summarization, tokens-per-task optimization, or long-running agent sessions exceeding context limits.

Context Compression Strategies

When agent sessions generate millions of tokens of conversation history, compression becomes mandatory. The naive approach is aggressive compression to minimize tokens per request. The correct optimization target is tokens per task: total tokens consumed to complete a task, including re-fetching costs when compression loses critical information.

When to Activate

Activate this skill when:

  • Agent sessions exceed context window limits
  • Codebases exceed context windows (5M+ token systems)
  • Designing conversation summarization strategies
  • Debugging cases where agents "forget" what files they modified
  • Building evaluation frameworks for compression quality

Core Concepts

Context compression trades token savings against information loss. Three production-ready approaches exist:

  1. Anchored Iterative Summarization: Maintain structured, persistent summaries with explicit sections for session intent, file modifications, decisions, and next steps. When compression triggers, summarize only the newly-truncated span and merge with the existing summary. Structure forces preservation by dedicating sections to specific information types.

  2. Opaque Compression: Produce compressed representations optimized for reconstruction fidelity. Achieves highest compression ratios (99%+) but sacrifices interpretability. Cannot verify what was preserved.

  3. Regenerative Full Summary: Generate detailed structured summaries on each compression. Produces readable output but may lose details across repeated compression cycles due to full regeneration rather than incremental merging.

The critical insight: structure forces preservation. Dedicated sections act as checklists that the summarizer must populate, preventing silent information drift.

Detailed Topics

Why Tokens-Per-Task Matters

Traditional compression metrics target tokens-per-request. This is the wrong optimization. When compression loses critical details like file paths or error messages, the agent must re-fetch information, re-explore approaches, and waste tokens recovering context.

The right metric is tokens-per-task: total tokens consumed from task start to completion. A compression strategy saving 0.5% more tokens but causing 20% more re-fetching costs more overall.

The Artifact Trail Problem

Artifact trail integrity is the weakest dimension across all compression methods, scoring 2.2-2.5 out of 5.0 in evaluations. Even structured summarization with explicit file sections struggles to maintain complete file tracking across long sessions.

Coding agents need to know:

  • Which files were created
  • Which files were modified and what changed
  • Which files were read but not changed
  • Function names, variable names, error messages

This problem likely requires specialized handling beyond general summarization: a separate artifact index or explicit file-state tracking in agent scaffolding.

Structured Summary Sections

Effective structured summaries include explicit sections:

## Session Intent [What the user is trying to accomplish] ## Files Modified - auth.controller.ts: Fixed JWT token generation - config/redis.ts: Updated connection pooling - tests/auth.test.ts: Added mock setup for new config ## Decisions Made - Using Redis connection pool instead of per-request connections - Retry logic with exponential backoff for transient failures ## Current State - 14 tests passing, 2 failing - Remaining: mock setup for session service tests ## Next Steps 1. Fix remaining test failures 2. Run full test suite 3. Update documentation

This structure prevents silent loss of file paths or decisions because each section must be explicitly addressed.

Compression Trigger Strategies

When to trigger compression matters as much as how to compress:

| Strategy | Trigger Point | Trade-off | |----------|---------------|-----------| | Fixed threshold | 70-80% context utilization | Simple but may compress too early | | Sliding window | Keep last N turns + summary | Predictable context size | | Importance-based | Compress low-relevance sections first | Complex but preserves signal | | Task-boundary | Compress at logical task completions | Clean summaries but unpredictable timing |

The sliding window approach with structured summaries provides the best balance of predictability and quality for most coding agent use cases.

Probe-Based Evaluation

Traditional metrics like ROUGE or embedding similarity fail to capture functional compression quality. A summary may score high on lexical overlap while missing the one file path the agent needs.

Probe-based evaluation directly measures functional quality by asking questions after compression:

| Probe Type | What It Tests | Example Question | |------------|---------------|------------------| | Recall | Factual retention | "What was the original error message?" | | Artifact | File tracking | "Which files have we modified?" | | Continuation | Task planning | "What should we do next?" | | Decision | Reasoning chain | "What did we decide about the Redis issue?" |

If compression preserved the right information, the agent answers correctly. If not, it guesses or hallucinates.

Evaluation Dimensions

Six dimensions capture compression quality for coding agents:

  1. Accuracy: Are technical details correct? File paths, function names, error codes.
  2. Context Awareness: Does the response reflect current conversation state?
  3. Artifact Trail: Does the agent know which files were read or modified?
  4. Completeness: Does the response address all parts of the question?
  5. Continuity: Can work continue without re-fetching information?
  6. Instruction Following: Does the response respect stated constraints?

Accuracy shows the largest variation between compression methods (0.6 point gap). Artifact trail is universally weak (2.2-2.5 range).

Practical Guidance

Three-Phase Compression Workflow

For large codebases or agent systems exceeding context windows, apply compression through three phases:

  1. Research Phase: Produce a research document from architecture diagrams, documentation, and key interfaces. Compress exploration into a structured analysis of components and dependencies. Output: single research document.

  2. Planning Phase: Convert research into implementation specification with function signatures, type definitions, and data flow. A 5M token codebase compresses to approximately 2,000 words of specification.

  3. Implementation Phase: Execute against the specification. Context remains focused on the spec rather than raw codebase exploration.

Using Example Artifacts as Seeds

When provided with a manual migration example or reference PR, use it as a template to understand the target pattern. The example reveals constraints that static analysis cannot surface: which invariants must hold, which services break on changes, and what a clean migration looks like.

This is particularly important when the agent cannot distinguish essential complexity (business requirements) from accidental complexity (legacy workarounds). The example artifact encodes that distinction.

Implementing Anchored Iterative Summarization

  1. Define explicit summary sections matching your agent's needs
  2. On first compression trigger, summarize truncated history into sections
  3. On subsequent compressions, summarize only new truncated content
  4. Merge new summary into existing sections rather than regenerating
  5. Track which information came from which compression cycle for debugging

When to Use Each Approach

Use anchored iterative summarization when:

  • Sessions are long-running (100+ messages)
  • File tracking matters (coding, debugging)
  • You need to verify what was preserved

Use opaque compression when:

  • Maximum token savings required
  • Sessions are relatively short
  • Re-fetching costs are low

Use regenerative summaries when:

  • Summary interpretability is critical
  • Sessions have clear phase boundaries
  • Full context review is acceptable on each compression

Compression Ratio Considerations

| Method | Compression Ratio | Quality Score | Trade-off | |--------|-------------------|---------------|-----------| | Anchored Iterative | 98.6% | 3.70 | Best quality, slightly less compression | | Regenerative | 98.7% | 3.44 | Good quality, moderate compression | | Opaque | 99.3% | 3.35 | Best compression, quality loss |

The 0.7% additional tokens retained by structured summarization buys 0.35 quality points. For any task where re-fetching costs matter, this trade-off favors structured approaches.

Examples

Example 1: Debugging Session Compression

Original context (89,000 tokens, 178 messages):

  • 401 error on /api/auth/login endpoint
  • Traced through auth controller, middleware, session store
  • Found stale Redis connection
  • Fixed connection pooling, added retry logic
  • 14 tests passing, 2 failing

Structured summary after compression:

## Session Intent Debug 401 Unauthorized error on /api/auth/login despite valid credentials. ## Root Cause Stale Redis connection in session store. JWT generated correctly but session could not be persisted. ## Files Modified - auth.controller.ts: No changes (read only) - middleware/cors.ts: No changes (examined) - config/redis.ts: Fixed connection pooling configuration - services/session.service.ts: Added retry logic for transient failures - tests/auth.test.ts: Updated mock setup ## Test Status 14 passing, 2 failing (mock setup issues) ## Next Steps 1. Fix remaining test failures (mock session service) 2. Run full test suite 3.
五维分析
清晰度8/10
创新性6/10
实用性9/10
完整性9/10
可维护性7/10
优缺点分析

优点

  • 全面分析了压缩权衡(每次任务令牌数 vs. 每次请求令牌数)。
  • 提供了可操作的结构化方法,如锚定迭代摘要。
  • 包含了超越传统指标的实用评估技术(基于探针的评估)。

缺点

  • 理论性过强;缺乏具体的代码实现或集成示例。
  • 假设用户已具备代理架构和上下文管理的深厚知识。
  • 该'技能'更像一份设计文档,而非即插即用模块。

相关技能

mcp-builder

S
toolCode Lib / 代码库
90/ 100

“这份指南详尽到可能教会 AI 自己编写 MCP 服务器,从而让你失业。”

learn-claude-code

A
toolCode Lib / 代码库
88/ 100

“一个终于承认自己过去错误的教程比大多数都诚实,但仍然忍不住使用经典的'一个奇怪循环'过度简化。”

connect

A
toolAuto-Pilot / 全自动
86/ 100

“这是终极的'我来替你干'技能,把 Claude 从一个深思熟虑的顾问变成了一个能访问你所有账户的、过度热切的实习生。”

免责声明:本内容来源于 GitHub 开源项目,仅供展示和评分分析使用。

版权归原作者所有 muratcankoylan.