npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2026 – Pkg Stats / Ryan Hefner

@egentica/codemap

v0.2.1

Published

Universal code knowledge graph for agentic AI Systems and MCPs.

Downloads

864

Readme

@egentica/codemap

Universal code knowledge graph designed for Agentic AI systems

npm version License: LGPL-3.0

CodeMap is hyperfocused on empowering AI agents like Claude to understand, navigate, and modify codebases with deep contextual awareness. Built on AST-based parsing and a comprehensive knowledge graph, CodeMap gives AI agents the structural understanding they need to work effectively across sessions.

Why CodeMap for AI Agents?

Traditional code tools assume a human developer with persistent memory and visual context. AI agents work differently:

  • 🤖 Session-based workflow - AI agents need explicit orientation at session start, not implicit IDE context
  • 🧠 Context management - Limited context windows require smart organization (labels, groups, annotations)
  • 📋 Guided workflows - Checklists ensure AI agents follow project-specific rules and policies
  • 🔄 Session continuity - Automatic tracking bridges the gap between conversations
  • 🎯 Semantic organization - Labels and groups create searchable, meaningful structure
  • 🔍 Architecture enforcement - Audit rules validate code structure and prevent violations
  • 🔌 Extensible scripts - Custom validation, build automation, and workflow scripts

CodeMap treats AI agents as first-class citizens, not as an afterthought to a human-focused tool.

Features

  • 🤖 AI-First Design - Session workflow, checklists, and context management built for AI agents
  • 🚀 Zero Configuration - Works out of the box with Node.js, no setup required
  • 🔍 Deep Code Understanding - AST-based parsing with symbol extraction and dependency tracking
  • 🔌 Bundled Parsers - TypeScript/JavaScript, Vue, and PHP support included
  • 📊 Knowledge Graph - Build relationships between files, symbols, and dependencies
  • 🎯 Smart Search - Keyword search, symbol search, hybrid search, and AI-powered relevance ranking
  • 🏷️ Labels & Groups - AI agents organize code semantically for better context management
  • 📋 Session Checklists - Guide AI agents through project-specific workflows and policies
  • 📝 Session Tracking - Automatic change tracking and history across conversations
  • 🛡️ Architecture Validation - Audit system with 5 rule types and custom scripts
  • ⚙️ Script System - Extend with custom audit/build/orient/close/utility scripts
  • ⚡ Macro System - Create reusable shell command shortcuts with multi-shell support
  • 🔄 Routine System - Combine checklists, macros, and scripts into automated workflows
  • 💾 Backup System - Hybrid daily + turn-based backups with restore capability
  • 🔧 MCP Server - Built-in Model Context Protocol server for Claude and other AI systems

Installation

npm install @egentica/codemap

Bundled language parsers (no additional packages needed):

  • ✅ TypeScript/JavaScript (.ts, .tsx, .js, .jsx)
  • ✅ Vue (.vue single-file components)
  • ✅ PHP (.php - supports PHP 5.2 through 8.x)

Command Line Interface (CLI)

CodeMap includes a fast, lightweight CLI for querying code from shell scripts, wrapper packages (PHP/Python/Ruby), and external tools.

Quick Start

# Scan project and build knowledge graph
codemap scan

# Show project statistics
codemap stats --format table

# Search for files and symbols
codemap search "AuthService"

# Show dependencies for a file
codemap deps src/services/auth.ts

# List symbols in a file
codemap symbols src/utils/helpers.ts --format json

# Export full graph as JSON
codemap export > graph.json

Performance Optimization

CodeMap automatically caches the knowledge graph for 10-50x faster CLI operations:

  • First scan: 1-5 seconds (builds complete graph)
  • Subsequent commands: 50-200ms (loads from cache)

The graph is automatically saved to .codemap/graph.json when you create a .codemap/ directory in your project:

# Enable graph caching (creates .codemap/ directory)
mkdir .codemap

# First scan builds and caches the graph
codemap scan

# All future commands load instantly from cache
codemap stats        # ~50-200ms
codemap search "..."  # ~50-200ms
codemap deps file.ts  # ~50-200ms

Note: The cache is updated when you run codemap scan. For long-running sessions where files change frequently, you may want to re-scan periodically.

CLI Commands

| Command | Description | Output Format | |---------|-------------|---------------| | scan [dir] | Scan directory and build/update graph | JSON | | stats | Show project statistics (files, symbols, deps) | JSON, table, compact | | search <query> | Search for files and symbols | JSON, table, compact | | deps <file> | Show dependencies for a file | JSON, table, compact | | symbols <file> | List all symbols in a file | JSON, table, compact | | export | Export complete graph as JSON | JSON |

Output Formats

Use --format to control output style:

# JSON (default) - machine-readable
codemap stats --format json

# Table - human-readable tabular output
codemap stats --format table

# Compact - minimal one-line output
codemap stats --format compact

Use Cases

Wrapper Packages: Build language-specific libraries (PHP, Python, Ruby) that maintain a persistent CodeMap instance and expose a native API:

// PHP wrapper example
$codemap = new CodeMap('/path/to/project');
$stats = $codemap->getStats();
$symbols = $codemap->getSymbols('src/User.php');

Shell Scripts: Integrate into build scripts, CI/CD pipelines, or automation:

#!/bin/bash
# Pre-commit hook: check for architecture violations
codemap scan
if codemap audit | grep -q "error"; then
  echo "Architecture violations detected!"
  exit 1
fi

Editor Integration: Query code structure from text editors or IDEs that don't support LSP.

Example Prompts for AI Agents

Here are example prompts you can use when working with CodeMap:

Getting Started

"Orient me to this codebase"
"Show me the project overview and any outstanding tasks"
"What are the current session checklists?"

Navigation & Discovery

"Find all authentication-related files"
"Show me files that use the EventBus pattern"
"Find the LoginButton component and its dependencies"
"What files import the database module?"
"Show me all TypeScript interfaces in the project"

Code Organization

"Label all files in src/auth/ as part of the authentication system"
"Create a group for the payment processing components"
"Show me all files labeled as 'work in progress'"
"Add a note to the auth-system group about the JWT expiry time"

Architecture & Quality

"Run the audit to check for architecture violations"
"Are there any files with direct Node.js fs imports?"
"Check if all tool files have proper documentation"
"Find console.log statements outside of debug files"

Code Analysis

"What would break if I change this function signature?"
"Show me all components that depend on UserContext"
"Find files related to user authentication"
"What's the blast radius of changing the API endpoint format?"

File Operations

"Show me the LoginForm component implementation"
"Read the authentication middleware and show what it imports"
"Create a new utility function for date formatting"
"Replace all instances of 'getUserById' with 'findUserById'"

Session Management

"Start a new session for refactoring the auth system"
"Write a handoff summary for the next session"
"What did I accomplish in the last session?"
"Close this session with a summary"

Custom Scripts

"Create an audit script to validate API endpoint naming"
"Run my custom build validation script"
"Create a utility script to generate TypeScript types"

Quick Start for AI Agents

Session Workflow

AI agents should follow this workflow at the start of each conversation:

// 1. Orient to the project
const orientation = await codemap.orient();
// Shows: stats, checklists, labels, groups, last session summary

// 2. Review the checklist
// Checklists remind AI agents of project-specific rules:
// - "Use clean-build.bat to build the package"
// - "Label files with architectural patterns as you encounter them"
// - "Review NEXT_SESSION.md for outstanding tasks"

// 3. Start a session (if creating files)
await codemap.sessions.start();

// 4. Work on the codebase
// ... search, read, edit, organize with labels/groups ...

// 5. Close the session with handoff
await codemap.sessions.close('Summary of work completed');

Why This Matters

Orient gives AI agents the context they need to pick up where the last conversation left off. Checklists encode project-specific workflows that would otherwise get lost between sessions. Session tracking creates continuity across conversations.

Architecture Validation

CodeMap includes a powerful audit system to enforce architectural rules and coding standards:

Audit Rules

Create .codemap/audit-rules.json to define validation rules:

{
  "version": "1.0",
  "rules": [
    {
      "id": "registries-in-core",
      "name": "Registry files must be in core",
      "type": "file-location",
      "enabled": true,
      "severity": "error",
      "config": {
        "filePattern": "*Registry.ts",
        "allowedPaths": ["src/core/"]
      }
    },
    {
      "id": "no-direct-fs-imports",
      "name": "Centralize fs operations",
      "type": "forbidden-import",
      "enabled": true,
      "severity": "error",
      "config": {
        "imports": ["node:fs", "fs", "node:path", "path"],
        "exemptFiles": ["src/core/FileSystemIO.ts"]
      }
    },
    {
      "id": "no-console-in-prod",
      "name": "No console.log in production",
      "type": "text-pattern",
      "enabled": true,
      "severity": "warning",
      "config": {
        "pattern": "console\\.log",
        "isRegex": true,
        "allowedFiles": ["src/debug/**"]
      }
    },
    {
      "id": "tools-need-docs",
      "name": "Tool files require annotations",
      "type": "required-annotation",
      "enabled": true,
      "severity": "info",
      "config": {
        "filePattern": "src/tools/**/*.tool.ts",
        "requiredAnnotations": ["@codemap.usage"],
        "requireAny": true
      }
    },
    {
      "id": "custom-validation",
      "name": "Run custom audit script",
      "type": "script",
      "enabled": true,
      "severity": "error",
      "config": {
        "script": "audit/api-versioning.js"
      }
    }
  ]
}

5 Rule Types

  1. file-location - Enforce file placement (e.g., "all *Repository.ts files must be in src/data/")
  2. forbidden-import - Restrict imports to specific files (e.g., centralize database access)
  3. text-pattern - Search for code patterns with regex support
  4. required-annotation - Ensure files have required @codemap annotations
  5. script - Run custom JavaScript validation logic

Run Audit

// Check all rules
const result = await codemap.audit();

// Check specific rule
const result = await codemap.audit({ ruleId: 'no-direct-fs-imports' });

// Example result
{
  rulesRun: 3,
  filesChecked: 242,
  violationCount: 12,
  violations: [
    {
      ruleId: 'no-direct-fs-imports',
      file: 'src/utils/config.ts',
      severity: 'error',
      message: 'Forbidden import: "fs"'
    }
  ]
}

Script System

Extend CodeMap with custom scripts in 5 categories:

Script Categories

  1. audit - Custom validation rules (called by audit system)
  2. build - Build automation with lifecycle hooks
  3. orient - Contribute custom sections to session orientation
  4. close - Cleanup and validation on session close
  5. utility - Ad-hoc helper scripts (ephemeral, purged on close)

Create Scripts

// Create an audit script
await codemap.scripts.create('audit', 'api-versioning', `
export default {
  name: 'api-versioning',
  async execute({ files, ruleId, severity }) {
    const violations = [];
    
    for (const file of files) {
      if (file.path.includes('/api/') && !file.path.includes('/v1/')) {
        violations.push({
          file: file.path,
          message: 'API endpoints must be versioned (e.g., /api/v1/)'
        });
      }
    }
    
    return { passed: violations.length === 0, violations };
  }
};
`);

// Create a build script
await codemap.scripts.create('build', 'lint-check', `
export default {
  name: 'lint-check',
  async execute({ host, iobus }) {
    // Run linter before build
    const result = await host.shell.exec('npm run lint');
    return { success: result.exitCode === 0 };
  }
};
`);

// Create an orient script
await codemap.scripts.create('orient', 'show-metrics', `
export default {
  name: 'show-metrics',
  async execute({ host, sessionId }) {
    const stats = host.graph.getStats();
    return {
      markdown: \`## Code Metrics\\n\\nTotal symbols: \${stats.symbolCount}\\n\\nComplexity score: \${stats.complexity}\`
    };
  }
};
`);

// List scripts
const scripts = await codemap.scripts.list();

// Run utility script manually
await codemap.scripts.run('utility', 'quick-stats');

// Delete script
await codemap.scripts.delete('utility', 'quick-stats');

Scripts are stored in .codemap/scripts/{category}/ as .mjs files and auto-discovered on startup.

Macro System

Create reusable shell command shortcuts that can be executed directly or integrated into routines. Perfect for repetitive build, test, deployment, and utility operations.

Shell Flexibility

Macros support multiple shell environments:

  • cmd - Windows Command Prompt
  • powershell - Windows PowerShell 5.x
  • pwsh - PowerShell Core (cross-platform)
  • bash - Bash shell
  • sh - POSIX shell

Create and Run Macros

// Create a build macro
await codemap.macros.create({
  name: 'build',
  description: 'Clean and build TypeScript',
  cmd: 'npm run clean && npm run build',
  cwd: 'packages/codemap',
  timeout: 60000
});

// Create a PowerShell deployment macro
await codemap.macros.create({
  name: 'deploy-prod',
  description: 'Deploy to production',
  cmd: 'Deploy-Application.ps1 -Environment prod',
  shell: 'powershell'
});

// Execute a macro
const result = await codemap.macros.run('build');
console.log(result.exitCode); // 0 = success
console.log(result.stdout);

// List all macros
const macros = await codemap.macros.list();

// Delete a macro
await codemap.macros.delete('old-macro');

Environment Variables

Pass custom environment variables to macros:

await codemap.macros.create({
  name: 'dev-server',
  description: 'Start development server',
  cmd: 'npm run dev',
  env: { 
    NODE_ENV: 'development', 
    PORT: '3000' 
  }
});

Macros are stored in .codemap/macros.json (version controlled) for team sharing.

Routine System

Create custom workflows that combine checklists, scripts, macros, and file references into reusable automation packages.

Routine Components

Routines can include:

  1. Checklist Items - Manual workflow steps with priority levels
  2. Macros - Shell commands that execute automatically
  3. Scripts - Custom JavaScript automation
  4. File References - Track relevant files and directories
  5. Group References - Include code group context
  6. Messages - Add workflow notes and reminders

Create and Execute Routines

// Create a pre-commit routine
await codemap.routines.create({
  name: 'pre-commit',
  description: 'Pre-commit validation checks'
});

// Add checklist items
await codemap.routines.addItem('pre-commit', {
  text: 'Review changes for sensitive data',
  priority: 'high'
});

await codemap.routines.addItem('pre-commit', {
  text: 'Verify tests pass',
  priority: 'high'
});

// Add macros to execute
await codemap.routines.addMacro('pre-commit', 'build');
await codemap.routines.addMacro('pre-commit', 'test');

// Add file references for context
await codemap.routines.addFile('pre-commit', '.gitignore');
await codemap.routines.addFile('pre-commit', 'package.json');

// Set a reminder message
await codemap.routines.setMessage('pre-commit',
  '⚠️ Run this before every commit to catch issues early'
);

// Execute the routine
const result = await codemap.routines.run('pre-commit');
// Displays: message, file references, checklist, then executes all macros

// List all routines
const routines = await codemap.routines.list();

Deployment Workflow Example

// Create deployment routine
await codemap.routines.create({
  name: 'deploy-prod',
  description: 'Production deployment workflow'
});

// Add critical checklist items
await codemap.routines.addItem('deploy-prod', {
  text: 'Notify team in #engineering channel',
  priority: 'high'
});

await codemap.routines.addItem('deploy-prod', {
  text: 'Create backup of production database',
  priority: 'high'
});

// Add scripts and macros
await codemap.routines.addScript('deploy-prod', {
  category: 'audit',
  name: 'pre-deploy-check'
});

await codemap.routines.addMacro('deploy-prod', 'build');
await codemap.routines.addMacro('deploy-prod', 'deploy-prod');

// Execute when ready
await codemap.routines.run('deploy-prod');

Routines are stored in .codemap/routines.json (version controlled) for consistent team workflows.

AI Agent Organization Tools

Labels: Semantic Categorization

Labels help AI agents categorize code by purpose, status, and architectural role. Unlike folders (which organize by location), labels organize by meaning.

// Create labels for your project
await codemap.labels.create({
  emoji: '🔧',
  name: 'mcp-tool',
  description: 'MCP tool definition files'
});

await codemap.labels.create({
  emoji: '🚧',
  name: 'wip',
  description: 'Work in progress - incomplete implementation'
});

await codemap.labels.create({
  emoji: '🐛',
  name: 'has-bug',
  description: 'Known bugs requiring attention'
});

// AI agents assign labels as they work
await codemap.labels.assign('mcp-tool', [
  'src/mcp/tools/search/search.tool.ts',
  'src/mcp/tools/io/read.tool.ts'
]);

// Search by label to find all related files
const tools = await codemap.labels.search('mcp-tool');
const bugs = await codemap.labels.search('has-bug');

// List all labels to understand project organization
const allLabels = await codemap.labels.list();

Best practices for AI agents:

  • Label files proactively as you encounter them
  • Use architectural labels (uses-eventbus, mcp-tool, parser) to track patterns
  • Use status labels (wip, has-bug, needs-docs) to flag follow-up work
  • Use workflow labels (review-later, priority, blocked) to manage tasks

Labels are persistent across sessions - once you label a file, that context survives even if the AI agent forgets.

Groups: Logical Modules

Groups organize related files and symbols into logical modules. They're like mental bookmarks for the AI agent.

// Create a group for related functionality
await codemap.groups.add({
  name: 'auth-system',
  description: 'Authentication and authorization components',
  members: [
    'src/auth/login.ts',
    'src/auth/jwt.ts',
    'src/auth/permissions.ts',
    'src/auth/middleware.ts'
  ]
});

// Add notations to document insights
await codemap.groups.notate('auth-system', 
  'Uses JWT tokens with 1-hour expiry. Refresh tokens stored in httpOnly cookies.'
);

await codemap.groups.notate('auth-system',
  'SECURITY: All auth endpoints require CSRF protection via double-submit pattern.'
);

// Get group details
const group = await codemap.groups.get('auth-system');
console.log(group.description);
console.log(group.notations); // All accumulated knowledge

// Search groups
const groups = await codemap.groups.search({ query: 'auth' });

Best practices for AI agents:

  • Create groups when you identify a cohesive subsystem
  • Add notations to capture architectural decisions, gotchas, and context
  • Use groups in search results - CodeMap shows which groups a file belongs to
  • Review groups at session start to understand project structure

Checklists: Workflow Guidance

Checklists guide AI agents through project-specific rules and policies. They appear at session start and close.

// Add a checklist item for session start
await codemap.checklists.add({
  text: 'Review .codemap/sessions/NEXT_SESSION.md for outstanding tasks',
  trigger: 'session:start',
  priority: 'high'
});

await codemap.checklists.add({
  text: 'Label files with architectural patterns as you encounter them',
  trigger: 'session:start',
  priority: 'high'
});

await codemap.checklists.add({
  text: 'Update status labels (wip, complete, has-bug) as work progresses',
  trigger: 'session:start',
  priority: 'medium'
});

// Add checklist for session close
await codemap.checklists.add({
  text: 'Write handoff summary in NEXT_SESSION.md',
  trigger: 'session:close',
  priority: 'high'
});

// View all checklists
const checklists = await codemap.checklists.list();

// Filter by trigger
const startChecklist = await codemap.checklists.list({ trigger: 'session:start' });

Checklists appear automatically:

  • At session start (via orient() or sessions.start())
  • Displayed with priority indicators: 🔴 HIGH, 🟡 MEDIUM, 🟢 LOW
  • Sorted by priority for visibility

Use checklists for:

  • Build/test requirements before making changes
  • Code review policies (e.g., "run linter before committing")
  • Architectural constraints (e.g., "never bypass IOBus for file operations")
  • Documentation requirements (e.g., "add help topic for new tools")

Backup & Recovery

CodeMap includes a hybrid backup system for persistent storage files:

// Backups are automatic, but you can list them
const backups = await codemap.backups.list();
console.log(backups); // Shows daily and turn-based backups

// Restore from backup
await codemap.backups.restore({
  file: 'labels.json',
  timestamp: '2026-04-03T14-22-15'
});

Backup strategy:

  • Daily backups: One per day, kept for 7 days
  • Turn-based backups: One per significant operation, kept for last 20 turns
  • Automatically prunes old backups
  • Restores to original file location

Quick Start (Programmatic API)

import { CodeMap } from '@egentica/codemap';

// Initialize CodeMap
const codemap = new CodeMap({
  rootPath: '/path/to/project'
});

// Scan the project
await codemap.scan();

// Search for code
const results = codemap.query.search({
  query: 'authentication',
  mode: 'hybrid'
});

// Get file dependencies
const file = codemap.graph.getFile('src/auth/login.ts');
console.log('Symbols:', file.symbols);
console.log('Imports:', file.references);
console.log('Imported by:', file.referencedBy);

// Impact analysis (blast radius)
const impact = await codemap.query.analyzeImpact('src/auth/jwt.ts');
console.log('Affected files:', impact.affectedFiles);

// AI-powered relevance search
const relevant = await codemap.query.findRelevant(
  'Find files related to JWT token validation'
);

Core Concepts

CodeMap Instance

The CodeMap class is your main entry point:

const codemap = new CodeMap({
  rootPath: '/project',
  ignore: ['node_modules/**', 'dist/**', '.git/**']
});

Scanning

Build the knowledge graph by scanning your project:

// Full project scan
const stats = await codemap.scan();
console.log(`Scanned ${stats.filesScanned} files in ${stats.durationMs}ms`);

Knowledge Graph

Direct access to files, symbols, and dependencies:

// Get file entry
const file = codemap.graph.getFile('src/components/Button.tsx');

// Get all files
const allFiles = codemap.graph.getAllFiles();

// Get symbols in a file
const symbols = file.symbols;

// Get dependencies
const imports = file.references;      // Files this file imports
const importedBy = file.referencedBy; // Files that import this file

Querying

Multiple search modes for finding code:

// Keyword search (file names, paths)
const files = codemap.query.search({
  query: 'authentication',
  mode: 'text'
});

// Symbol search (functions, classes, interfaces)
const symbols = codemap.query.search({
  query: 'getUserById',
  mode: 'symbol'
});

// Hybrid search (best of both)
const results = codemap.query.search({
  query: 'auth login',
  mode: 'hybrid'
});

// AI-powered relevance search
const relevant = await codemap.query.findRelevant(
  'Files responsible for user authentication flow',
  maxResults: 10
);

// Search in file contents
const matches = await codemap.query.searchInFiles({
  query: 'TODO',
  useRegex: false
});

// Search DOM elements (Vue/HTML)
const elements = await codemap.query.searchElements({
  query: 'v-model',
  elementType: 'input'
});

File Operations

All file operations go through the lifecycle-aware gateway:

// Read file
const content = await codemap.fs.read('src/index.ts');

// Read file with enhanced context (groups, dependencies, symbols)
const enhanced = await codemap.io.peek('src/auth/login.ts');
console.log(enhanced.groups); // Groups this file belongs to
console.log(enhanced.imports); // What it imports
console.log(enhanced.symbols); // Symbols in file

// Write file (emits events)
await codemap.fs.write('src/new.ts', 'export const x = 1;');

// Check existence
const exists = await codemap.fs.exists('src/config.json');

Symbols

CodeMap extracts symbols from your code:

interface SymbolEntry {
  name: string;            // Symbol name
  kind: SymbolKind;        // function|class|interface|const|type|enum|etc.
  startLine: number;       // Start line number
  startCol: number;        // Start column
  exported?: boolean;      // Export status
  signature?: string;      // Function signature
}

// Access symbols
const file = codemap.graph.getFile('src/api/users.ts');
const functions = file.symbols.filter(s => s.kind === 'function');
const exported = file.symbols.filter(s => s.exported);

Sessions

Track changes and history across conversations:

// Start a session
await codemap.sessions.start();

// Operations are automatically tracked
await codemap.fs.write('src/new.ts', 'content');
await codemap.labels.assign('wip', ['src/new.ts']);
await codemap.groups.add({ name: 'api-layer', members: ['src/api/users.ts'] });

// Close session with summary (appears in next session's orient)
await codemap.sessions.close('Added new API endpoint for user management');

// List session history
const history = await codemap.sessions.list();

// Read specific session
const session = await codemap.sessions.read('2026-04-03T14-22-15');

Session Handoff

Create handoff documents for the next conversation:

// Write next-session notes
await codemap.sessions.nextSession(`
## Outstanding Tasks

- Finish implementing user authentication
- Add tests for JWT validation
- Update API documentation

## Known Issues

- Login endpoint returns 500 on invalid credentials (should be 401)
- CSRF token validation is disabled in development mode

## Context for Next Session

Working on auth-system group. Most changes in src/auth/. 
Uses JWT with 1-hour expiry. See auth-system group notations for details.
`);

The next AI agent conversation will see this in NEXT_SESSION.md during orient.

Annotations

Add semantic metadata to code:

// Add annotation
await codemap.annotations.add('src/auth/login.ts', {
  key: 'domain.name',
  value: 'Authentication System'
});

// Get annotations
const file = codemap.graph.getFile('src/auth/login.ts');
console.log(file.annotations);

// Search annotations
const matches = await codemap.annotations.search('authentication');

Plugins

CodeMap is extensible through plugins:

Language Parsers

Add support for additional languages:

import { LanguageParser, ParseResult } from '@egentica/codemap';

class MyParser implements LanguageParser {
  name = 'my-language-parser';
  extensions = ['.mylang'];
  
  async parse(content: string, filePath: string): Promise<ParseResult> {
    // Parse AST and extract symbols
    return {
      symbols: [...],
      references: [...]
    };
  }
}

// Register parser
await codemap.registerPlugin(new MyParser());

Feature Plugins

Extend CodeMap with custom analysis:

import { Plugin, CodeMapHost } from '@egentica/codemap';

class MyPlugin implements Plugin {
  name = 'my-plugin';
  version = '1.0.0';
  
  async initialize(codemap: CodeMapHost): Promise<void> {
    // Hook into events
    codemap.on('scan:complete', async () => {
      console.log('Scan complete!');
    });
  }
}

// Register plugin
await codemap.registerPlugin(new MyPlugin());

Event System

Hook into lifecycle events:

// File operations
codemap.on('file:write:before', async (payload) => {
  console.log('About to write:', payload.path);
});

codemap.on('file:write:after', async (payload) => {
  console.log('Wrote:', payload.path);
});

// Scan events
codemap.on('scan:start', async () => {
  console.log('Scan starting...');
});

codemap.on('scan:file', async (payload) => {
  console.log('Scanned:', payload.file.relativePath);
});

codemap.on('scan:complete', async () => {
  console.log('Scan complete!');
});

// Build lifecycle events
codemap.on('build:before', async () => {
  console.log('Build starting...');
});

codemap.on('build:after', async () => {
  console.log('Build complete!');
});

// Session lifecycle events
codemap.on('session:close:before', async () => {
  console.log('Session closing...');
});

codemap.on('session:close:after', async () => {
  console.log('Session closed!');
});

MCP Server for Claude & AI Agents

CodeMap includes a built-in MCP (Model Context Protocol) server designed specifically for AI agents like Claude:

Installation

npm install -g @egentica/codemap

Configuration

Add to Claude Desktop config file:

macOS: ~/Library/Application Support/Claude/claude_desktop_config.json
Windows: %APPDATA%\\Claude\\claude_desktop_config.json

{
  "mcpServers": {
    "codemap": {
      "command": "codemap-server",
      "args": []
    }
  }
}

MCP Tools for AI Agents

The server provides 60+ tools organized for AI workflows:

Session Management:

  • codemap_orient - Get project overview, checklists, labels, groups, last session
  • codemap_session_start - Begin new session with tracking
  • codemap_session_close - End session with summary
  • codemap_next_session - Write handoff for next conversation

Search & Discovery:

  • codemap_search - Find files and symbols (text/symbol/hybrid modes)
  • codemap_search_in_files - Search file contents
  • codemap_find_relevant - AI-powered relevance search
  • codemap_search_elements - Find DOM elements (Vue/HTML)
  • codemap_find_by_name - Find files by name pattern

File Operations:

  • codemap_read_file - Read file or symbol
  • codemap_peek - Get file overview (groups, dependencies, symbols)
  • codemap_read_multiple - Read multiple files efficiently
  • codemap_write - Write entire file
  • codemap_replace_text - Find and replace
  • codemap_replace_many - Batch replacements
  • codemap_create - Create new file
  • codemap_delete - Delete file
  • codemap_rename - Rename/move file
  • codemap_append - Append to file

Code Organization:

  • codemap_label_create / codemap_label_list / codemap_label_edit / codemap_label_delete
  • codemap_label_assign / codemap_label_unassign / codemap_label_search / codemap_label_migrate
  • codemap_group_add / codemap_group_search / codemap_group_edit / codemap_group_delete
  • codemap_group_notate / codemap_group_remove_member
  • codemap_checklist_add_item / codemap_checklist_list / codemap_checklist_remove_item

Graph & Dependencies:

  • codemap_get_dependencies - Get imports/importers
  • codemap_get_related - Get related files (shared imports/importers)
  • codemap_traverse - Walk dependency graph
  • codemap_impact_analysis - Blast radius analysis

Architecture Validation:

  • codemap_audit - Run architecture validation rules

Script Management:

  • codemap_script_create - Create custom script (audit/build/orient/close/utility)
  • codemap_script_list - List scripts by category
  • codemap_script_run - Execute script
  • codemap_script_delete - Delete script

Macro Management:

  • codemap_macro_create - Create shell command shortcut
  • codemap_macro_list - List all macros
  • codemap_macro_run - Execute macro
  • codemap_macro_delete - Delete macro

Routine Management:

  • codemap_routine_create - Create custom workflow
  • codemap_routine_list - List all routines
  • codemap_routine_run - Execute routine
  • codemap_routine_add_item - Add checklist item
  • codemap_routine_add_script - Add script to routine
  • codemap_routine_add_macro - Add macro to routine
  • codemap_routine_add_file - Add file reference
  • codemap_routine_add_group - Add group reference
  • codemap_routine_set_message - Set routine message
  • codemap_routine_delete - Delete routine

Backup & Restore:

  • codemap_backup_list - List backups
  • codemap_backup_restore - Restore from backup

Help System:

  • codemap_help - Get documentation on any topic

AI Agent Best Practices

  1. Always start with codemap_orient - It gives you the full context
  2. Review checklists - They contain project-specific rules
  3. Use labels proactively - Label files as you encounter them
  4. Create groups when you identify cohesive subsystems
  5. Add notations to groups to capture architectural insights
  6. Run codemap_audit before making architectural changes
  7. Create scripts for project-specific validation and workflows
  8. Create macros for frequently-used shell commands (build, test, lint)
  9. Build routines for complex workflows that combine checklists, macros, and scripts
  10. Close sessions properly - Write meaningful handoff summaries

Configuration

Create .codemap/config.json in your project root:

{
  "version": 1,
  "ignore": [
    "node_modules/**",
    "dist/**",
    "coverage/**",
    ".git/**"
  ],
  "plugins": [],
  "parsers": [],
  "writeAnnotationsToSource": false,
  "backup": {
    "enabled": true,
    "maxDailyBackups": 7,
    "maxTurnBackups": 20
  }
}

API Reference

CodeMap

class CodeMap {
  constructor(config: CodeMapConfig);
  
  // Lifecycle
  scan(options?: ScanOptions): Promise<ScanStats>;
  orient(): Promise<OrientationInfo>;
  audit(options?: AuditOptions): Promise<AuditResult>;
  
  // Plugin management
  registerPlugin(plugin: Plugin): Promise<void>;
  unregisterPlugin(name: string): Promise<boolean>;
  
  // Event system
  on(event: CodeMapEvent, handler: EventHandler): void;
  off(event: CodeMapEvent, handler: EventHandler): void;
  emit(event: CodeMapEvent, payload?: any): Promise<void>;
  
  // Public APIs
  graph: FileSystemGraph;       // Knowledge graph
  query: QueryEngine;           // Search & query
  fs: FileSystemIO;             // File operations  
  io: FileSystemIO;             // Extended I/O operations
  resolver: TargetResolver;     // Path resolution
  labels: LabelStore;           // Label management
  groups: GroupStore;           // Group management  
  sessions: SessionLog;         // Session tracking
  annotations: AnnotationStore; // Annotation management
  checklists: ChecklistStore;   // Checklist management
  scripts: ScriptRegistry;      // Script management
  backups: BackupManager;       // Backup management
}

QueryEngine

class QueryEngine {
  search(request: SearchRequest): SearchResponse;
  findByName(pattern: string): FileEntry[];
  findRelevant(task: string, maxResults?: number): RelevanceMatch[];
  findImporters(path: string): FileEntry[];
  findImports(path: string): FileEntry[];
  traverse(path: string, direction: 'imports'|'importers', depth?: number): FileEntry[];
  analyzeImpact(path: string, maxHops?: number): ImpactAnalysis;
  searchInFiles(query: string, options?: SearchOptions): ContentMatch[];
  searchElements(query: string, elementType?: string): ElementMatch[];
}

interface SearchRequest {
  query: string;
  mode?: 'text' | 'symbol' | 'hybrid';
  maxResults?: number;
  symbolKinds?: SymbolKind[];
  useRegex?: boolean;
}

FileSystemGraph

class FileSystemGraph {
  getFile(path: string): FileEntry | undefined;
  getAllFiles(): FileEntry[];
  getFilesByDirectory(dir: string): FileEntry[];
  getDependencies(path: string): string[];
  getDependents(path: string): string[];
  getStats(): GraphStats;
}

ScriptRegistry

class ScriptRegistry {
  create(category: ScriptCategory, name: string, template?: string): Promise<ScriptMetadata>;
  list(category?: ScriptCategory): ScriptMetadata[];
  get(category: ScriptCategory, name: string): ScriptMetadata | undefined;
  has(category: ScriptCategory, name: string): boolean;
  execute<T>(category: ScriptCategory, name: string, context: ScriptContext): Promise<T>;
  delete(category: ScriptCategory, name: string): Promise<void>;
  discover(): Promise<void>;
}

type ScriptCategory = 'audit' | 'build' | 'orient' | 'close' | 'utility';

Advanced Usage

Custom FileSystemProvider

For non-Node.js environments or custom storage:

import { CodeMap, FileSystemProvider } from '@egentica/codemap';

class CustomProvider implements FileSystemProvider {
  async read(path: string): Promise<string> { /* ... */ }
  async write(path: string, content: string): Promise<void> { /* ... */ }
  async exists(path: string): Promise<boolean> { /* ... */ }
  async readdir(path: string): Promise<string[]> { /* ... */ }
  // ... implement other methods
}

const codemap = new CodeMap({
  rootPath: '/project',
  provider: new CustomProvider()
});

TypeScript Support

CodeMap is written in TypeScript and provides full type definitions. All APIs are fully typed.

Why "AI-First" Matters

Traditional code analysis tools assume:

  • Persistent visual context (IDE sidebar, file explorer)
  • Human memory across sessions
  • Direct keyboard/mouse interaction

AI agents operate differently:

  • No visual context - Everything must be queryable
  • Session boundaries - Each conversation is a fresh start
  • Text-based interaction - Tools must be describable and discoverable

CodeMap bridges this gap:

  • Orient replaces the IDE's visual context
  • Sessions replace human memory
  • Labels/Groups replace visual folder hierarchies with semantic organization
  • Checklists replace verbal project knowledge with executable guidance
  • Audit enforces architecture without manual code review
  • Scripts enable project-specific automation and validation

The result: AI agents that can navigate codebases as effectively as senior developers.

Contributing

We welcome contributions! Please see CONTRIBUTING.md for guidelines.

License

LGPL-3.0 © Egentica