Use when you need to manage project embeddings - embed skills, agents, commands, and MCP tools for semantic discovery. Handles rate limiting, incremental updates, and status reporting. Do NOT use if you just want to search for content - use the semantic router directly instead.
/plugin marketplace add jrc1883/popkit-claude/plugin install popkit@popkit-marketplaceThis skill inherits all available tools. When active, it can use any tool Claude has access to.
checklists/embedding-checklist.jsonscripts/chunk_content.pyworkflows/embed-workflow.jsonManage embeddings for project-local content including skills, agents, commands, and MCP tools. Enables semantic search and discovery of project-specific items.
Core principle: Make project content discoverable via semantic search.
Trigger: /popkit:project embed command or auto-invoked by generators
| Flag | Description |
|---|---|
--status | Show embedding status without embedding |
--force | Re-embed all content (ignore cache) |
--export | Export embeddings to .claude/tool_embeddings.json |
--type <type> | Only embed specific type: skill, agent, command, tool |
Scan project for embeddable items:
import sys
from pathlib import Path
sys.path.insert(0, "hooks/utils")
from embedding_project import scan_project_items
# Scan locations:
# - .claude/skills/*/SKILL.md → project-skill
# - .claude/agents/*/AGENT.md → project-agent
# - .claude/commands/*.md → project-command
# - .generated/skills/*/SKILL.md → generated-skill
# - .generated/agents/*/AGENT.md → generated-agent
# - MCP tool definitions → mcp-tool
items = scan_project_items(Path.cwd())
print(f"Found {len(items)} embeddable items")
Compare against embedding store:
from embedding_project import get_project_embedding_status
status = get_project_embedding_status()
# Returns:
# - total_items: Number of items found
# - embedded_items: Number already embedded
# - stale_items: Number with changed content
# - missing_items: Number not yet embedded
# - by_type: Breakdown by source type
Via Voyage AI with rate limiting:
from embedding_project import embed_project_items
# Respects rate limits:
# - 3 requests per minute (21s delay between batches)
# - Up to 50 items per batch
# - Progress reporting
result = embed_project_items(
project_root=Path.cwd(),
force=False # Set True to re-embed unchanged items
)
print(f"Embedded: {result['embedded']}")
print(f"Skipped: {result['skipped']}")
print(f"Errors: {result['errors']}")
Optionally export embeddings for MCP server:
import json
from datetime import datetime
from pathlib import Path
def export_tool_embeddings(tools: list, output_path: str):
"""Export embeddings for MCP semantic search."""
output = {
"generated_at": datetime.now().isoformat(),
"model": "voyage-3.5",
"dimension": len(tools[0]["embedding"]) if tools else 0,
"tools": tools
}
Path(output_path).parent.mkdir(parents=True, exist_ok=True)
Path(output_path).write_text(json.dumps(output, indent=2))
--status)Project Embedding Status
═══════════════════════
Location: /path/to/project
API Available: Yes (VOYAGE_API_KEY set)
Content Found:
Skills: 4 (2 embedded, 2 new)
Agents: 1 (1 embedded)
Commands: 3 (3 embedded)
Tools: 8 (8 embedded)
─────────────────────────
Total: 16 items
Needs Embedding: 2 items
- .claude/skills/new-skill/SKILL.md
- .claude/skills/updated-skill/SKILL.md (content changed)
Run `/popkit:project embed` to update.
Embedding Project Content
═════════════════════════
Discovering content...
Found 16 items (14 current, 2 need update)
Embedding 2 items...
████████████████████ 100%
✓ project-skill:new-skill
✓ project-skill:updated-skill
Summary:
Embedded: 2
Skipped: 14 (already current)
Errors: 0
Embeddings stored in global database.
--export)Exporting Tool Embeddings
═════════════════════════
Collecting MCP tool embeddings...
Found 8 tools with embeddings
Exporting to .claude/tool_embeddings.json...
✓ Exported 8 tool embeddings
File: .claude/tool_embeddings.json
Size: 245 KB
Model: voyage-3.5
Dimension: 1024
The skill respects Voyage AI rate limits:
| Limit | Value | Handling |
|---|---|---|
| Requests per minute | 3 | 21-second delay between batches |
| Items per request | 50 | Batch items automatically |
| Tokens per request | 120,000 | Descriptions typically small |
Typical Times:
| Error | Handling |
|---|---|
| No API key | Report and skip embedding, suggest setting VOYAGE_API_KEY |
| Rate limit hit | Wait and retry automatically |
| Network error | Report item, continue with others |
| Invalid content | Skip item, report in summary |
Uses:
hooks/utils/embedding_project.py - Core embedding logichooks/utils/voyage_client.py - Voyage API clienthooks/utils/embedding_store.py - SQLite storageCalled by:
/popkit:project embed - Manual invocation/popkit:project generate - Final pipeline steppop-skill-generator - After creating skillspop-mcp-generator - After creating MCP serverEnables:
# Check what needs embedding
/popkit:project embed --status
# Embed all new/changed items
/popkit:project embed
# Force re-embed everything
/popkit:project embed --force
# Embed only skills
/popkit:project embed --type skill
# Export for MCP server
/popkit:project embed --export
# Combine: embed and export
/popkit:project embed --export
This skill should be used when the user asks to "create a slash command", "add a command", "write a custom command", "define command arguments", "use command frontmatter", "organize commands", "create command with file references", "interactive command", "use AskUserQuestion in command", or needs guidance on slash command structure, YAML frontmatter fields, dynamic arguments, bash execution in commands, user interaction patterns, or command development best practices for Claude Code.
This skill should be used when the user asks to "create an agent", "add an agent", "write a subagent", "agent frontmatter", "when to use description", "agent examples", "agent tools", "agent colors", "autonomous agent", or needs guidance on agent structure, system prompts, triggering conditions, or agent development best practices for Claude Code plugins.
This skill should be used when the user asks to "create a hook", "add a PreToolUse/PostToolUse/Stop hook", "validate tool use", "implement prompt-based hooks", "use ${CLAUDE_PLUGIN_ROOT}", "set up event-driven automation", "block dangerous commands", or mentions hook events (PreToolUse, PostToolUse, Stop, SubagentStop, SessionStart, SessionEnd, UserPromptSubmit, PreCompact, Notification). Provides comprehensive guidance for creating and implementing Claude Code plugin hooks with focus on advanced prompt-based hooks API.