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

seu-claude

v3.0.0

Published

Neuro-Symbolic AI Agent Architecture for Claude Code

Readme

seu-claude: Neuro-Symbolic Autonomous Developer

NPM Version License: MIT Tests Node.js Version

"The framework built itself. That's the proof it works."

Seu-Claude is a Hexagonal Neuro-Symbolic Architecture that grounds LLM reasoning in rigid symbolic structures to solve the "Stochastic Drift" problem in autonomous agents.

🎯 The Problem

Current AI coding assistants suffer from:

Stochastic Drift - LLMs lose track of multi-step tasks without persistent state ❌ Context Amnesia - Crashes lose all progress, agents restart from scratch ❌ Blind Navigation - Text-based code understanding misses structural relationships ❌ Untested Changes - Code pushed to main without validation

seu-claude solves this with a neuro-symbolic architecture that combines:

Persistent Task DAG (SQLite) - Survives crashes ✅ AST-Based Perception (Tree-sitter) - Syntax-aware navigation ✅ TDD Validation Loop (Automated testing) - Every change tested ✅ MCP Protocol Interface - Claude Code/Desktop integration

🚀 Quick Start

Installation

# Install globally
npm install -g seu-claude

# Or use npx
npx seu-claude /help

Usage

MCP Server Mode (for Claude Code/Desktop):

seu-claude

CLI Mode (for direct usage):

seu-claude /help                # Show available commands
seu-claude /plan create "Task"  # Create task plan
seu-claude /deps src/index.ts   # Analyze dependencies
seu-claude /check src/file.ts   # Validate code quality
seu-claude /test                # Run tests in sandbox

Claude Code Integration

Add to your project's .claude/settings.json:

{
  "mcpServers": {
    "seu-claude": {
      "command": "npx",
      "args": ["seu-claude"],
      "env": {
        "PROJECT_ROOT": ".",
        "DATA_DIR": ".seu-claude"
      }
    }
  }
}

🏗️ Architecture

Hexagonal (Ports & Adapters)

┌──────────────────────────────────────────────────────────┐
│                     MCP Protocol Layer                    │
│  ┌────────────┐  ┌────────────┐  ┌────────────────────┐ │
│  │   tools    │  │  handler   │  │      server        │ │
│  │  (defs)    │  │  (logic)   │  │  (stdio/network)   │ │
│  └────────────┘  └────────────┘  └────────────────────┘ │
└──────────────────────────────────────────────────────────┘
                           │
                           ▼
┌──────────────────────────────────────────────────────────┐
│                 Core Business Logic (Domain)              │
│  ┌──────────────────────────────────────────────────┐    │
│  │  Use Cases:                                      │    │
│  │   • TaskManager: Persistent task DAG             │    │
│  │   • RecursiveScout: AST dependency analysis      │    │
│  │   • Gatekeeper: Pre-flight validation           │    │
│  │   • HypothesisEngine: TDD cycle executor        │    │
│  └──────────────────────────────────────────────────┘    │
└──────────────────────────────────────────────────────────┘
                           │
                           ▼
┌──────────────────────────────────────────────────────────┐
│                     Adapters Layer                        │
│  ┌────────────┐  ┌────────────┐  ┌────────────────────┐ │
│  │  Database  │  │   Parsers  │  │      Sandbox       │ │
│  │  (SQLite)  │  │(TreeSitter)│  │   (ProcessExec)    │ │
│  └────────────┘  └────────────┘  └────────────────────┘ │
└──────────────────────────────────────────────────────────┘

Four Phases

Phase 1: Foundation (TaskManager DAG) ✅

Persistent task state that survives crashes

  • Hierarchical task DAG with parent-child relationships
  • Tool output caching to prevent duplicate work
  • State recovery after process restart
  • Status tracking: pending → running → completed/failed
const manager = new TaskManager(store);
const root = await manager.createRootGoal('Project Goal');
const subtask = await manager.spawnSubtask(root.id, 'Implement Feature');
await manager.updateStatus(subtask.id, 'completed');

Phase 2: Perception (RecursiveScout) ✅

AST-based code understanding

  • Multi-language AST parsing (TypeScript, Python, JavaScript)
  • Recursive import resolution
  • Circular dependency detection
  • Symbol extraction (functions, classes, methods)
const scout = new RecursiveScout(adapter);
const graph = await scout.buildDependencyGraph(['/path/to/entry.ts']);
const path = scout.findImportPath(fileA, fileB, graph);

Phase 3: The Proving Ground ✅

Automated validation and testing

  • Gatekeeper: Pre-flight validation (ESLint + TypeScript)
  • ProcessSandbox: Isolated code execution
  • HypothesisEngine: TDD cycle automation (RED → GREEN → REFACTOR)
// Gatekeeper validation
const gatekeeper = new Gatekeeper();
const result = await gatekeeper.preflightCheck(['/path/to/file.ts']);

// Hypothesis testing
const engine = new HypothesisEngine();
const result = await engine.runTDDCycle(hypothesis);
// Returns: { phase: "green", testResult: {...} }

Phase 4: MCP Interface ✅

Claude Code/Desktop integration

  • 6 MCP Tools: analyze_dependency, validate_code, execute_sandbox, manage_task, run_tdd, find_symbol
  • 7 CLI Commands: /plan, /test, /deps, /check, /find, /nuke, /help
  • Unified Entry Point: Auto-detects MCP vs CLI mode

🛠️ MCP Tools

1. analyze_dependency

Analyze code dependencies using RecursiveScout.

{
  "entryPoints": ["/src/index.ts"],
  "maxDepth": 50,
  "includeNodeModules": false
}

Returns: Dependency graph with files, symbols, imports, circular dependencies

2. validate_code

Run Gatekeeper pre-flight checks (ESLint + TypeScript).

{
  "paths": ["/src/file.ts"],
  "fix": false
}

Returns: Validation result with errors/warnings

3. execute_sandbox

Run commands in isolated ProcessSandbox.

{
  "command": "npm",
  "args": ["test"],
  "timeout": 30000
}

Returns: Command output, exit code, execution time

4. manage_task

Manage task DAG (create, update, list, visualize).

{
  "action": "create",
  "label": "Implement feature",
  "parentId": "uuid-of-parent"
}

Actions: create, update, list, tree, status

5. run_tdd

Execute TDD cycle with HypothesisEngine.

{
  "description": "Test addition",
  "testCode": "...",
  "implementationCode": "...",
  "testFilePath": "./test.js",
  "implementationFilePath": "./impl.js"
}

Returns: TDD phase (red/green/refactor) and test results

6. find_symbol

Find symbols across codebase using RecursiveScout.

{
  "symbolName": "handleRequest",
  "entryPoints": ["/src/index.ts"]
}

Returns: All occurrences with file paths and line numbers

💻 CLI Commands

/help

Show available commands and usage.

/plan <action> [options]

Manage task plans.

seu-claude /plan create "Refactor auth system"
seu-claude /plan list
seu-claude /plan tree
seu-claude /plan status <task-id>

/deps <entryPoint> [options]

Analyze code dependencies.

seu-claude /deps src/index.ts --depth 10
seu-claude /deps src/api --no-node-modules

/check <path> [options]

Validate code quality with Gatekeeper.

seu-claude /check src/api/routes.ts
seu-claude /check src --fix

/test [options]

Run tests in ProcessSandbox.

seu-claude /test --all
seu-claude /test --file src/__tests__/auth.test.ts

/find <symbol> <path>

Find symbol across codebase.

seu-claude /find UserService src/core
seu-claude /find authenticate src

/nuke [options]

Reset state (clear task database).

seu-claude /nuke --confirm

📊 Performance

| Operation | Latency | Notes | | --------------------------- | ---------------- | ----------------------- | | Task CRUD | < 1ms | SQLite in-memory + disk | | AST Parse (1000 LOC) | ~50ms | Tree-sitter WASM | | Dependency Graph (50 files) | ~500ms | Recursive parsing | | ESLint Validation | ~200ms | Per file | | TypeScript Check | ~1s | Per project | | Sandbox Execution | ~100ms + runtime | Process spawn |

🧪 Self-Hosting Validation

seu-claude built itself using its own tools - the ultimate proof of concept.

Bootstrap (TaskManager)

Created 24-task Phase 4 plan using TaskManager:

  • 21 files analyzed
  • 737 symbols found
  • 66 dependencies tracked
  • 0 circular dependencies

Hypothesis (TDD)

Validated TDD approach using HypothesisEngine:

  • ✅ RED Phase: Test fails as expected
  • ✅ GREEN Phase: Implementation passes
  • ✅ REFACTOR Phase: Full cycle complete

Gatekeeper (Quality)

Validated all Phase 4 code:

  • ✅ 0 errors, 0 warnings
  • Duration: ~1100ms
  • Files: cli/index.ts, mcp/handler.ts, mcp/server.ts, v2.ts

Test Suite

All tests passing:

  • ✅ 252 tests passing (119 v2 + 133 other)
  • ✅ 0 tests failing
  • ✅ 6 tests skipped (intentional)

🎓 Use Cases

1. Crash-Resistant Development

Problem: LLM loses context after crash Solution: TaskManager persists all state to SQLite

// Before crash
const task = await manager.createRootGoal('Refactor auth');

// After restart
await manager.recoverState(); // Resumes exactly where it left off

2. Precise Dependency Analysis

Problem: LLM doesn't understand import relationships Solution: RecursiveScout builds AST-based dependency graph

const graph = await scout.buildDependencyGraph(['/src/index.ts']);
// Returns: { files, symbols, imports, circularDeps }

3. Automated Quality Gates

Problem: Code pushed without validation Solution: Gatekeeper runs ESLint + TypeScript automatically

const result = await gatekeeper.preflightCheck(['/src/api.ts']);
if (!result.passed) {
  // Block merge until fixed
}

4. Test-Driven Development Automation

Problem: Manual TDD cycle is tedious Solution: HypothesisEngine automates RED-GREEN-REFACTOR

const result = await engine.runTDDCycle(hypothesis);
// Automatically runs: test → fail → implement → pass → validate

🔧 Configuration

Environment Variables

| Variable | Default | Description | | -------------- | --------------- | ----------------------- | | PROJECT_ROOT | process.cwd() | Target codebase root | | DATA_DIR | .seu-claude | State storage directory | | LOG_LEVEL | info | Logging verbosity |

Data Storage

SQLite Database: ${DATA_DIR}/tasks.db

CREATE TABLE tasks (
  id TEXT PRIMARY KEY,
  parent_id TEXT,
  label TEXT,
  status TEXT,
  context TEXT  -- JSON blob
);

🧪 Testing

# Run all tests
npm test

# Run specific test suite
npm test -- src/core/tests/TaskManager.test.ts

# Build
npm run build

# Start MCP server
npm start

Test Coverage:

  • Core layer: 95%+ (229 passing tests)
  • Adapters: 80%+ (22 passing tests)
  • MCP/CLI: 70%+ (27 passing tests)

📈 Stability & Recovery

Crash-Resistant State

All tasks persisted to SQLite immediately:

// State survives crashes
const manager = new TaskManager(store);
await manager.recoverState(); // Resumes from last known state

Sandbox Isolation

Child process with timeout:

  • No network access (planned: Docker)
  • Resource limits (planned: cgroups)
  • Clean shutdown on exit

🗺️ Roadmap

✅ Completed (v2.3.0)

  • [x] Phase 1: TaskManager DAG
  • [x] Phase 2: RecursiveScout + TreeSitter
  • [x] Phase 3: Gatekeeper + HypothesisEngine
  • [x] Phase 4: MCP Server + CLI
  • [x] Self-hosting validation

📋 Planned (v2.4.0+)

  • [ ] Docker sandbox (replace ProcessSandbox)
  • [ ] LSP integration (better symbol resolution)
  • [ ] Incremental indexing with git diff
  • [ ] Web dashboard for task visualization
  • [ ] VSCode extension

🤝 Contributing

We welcome contributions! See:

Quick Start for Contributors

git clone https://github.com/jardhel/seu-claude.git
cd seu-claude
git checkout v2-mcp
npm install
npm run build
npm test

📚 Documentation

🏆 Recognition

Self-Hosting Achievement: seu-claude built Phase 4 using its own infrastructure - proving the architecture works for real-world software development.

📄 License

MIT License - see LICENSE for details.

🙏 Acknowledgments


seu-claude - Because autonomous agents need more than just vibes.