MCP Hub
Back to servers

sentinel-execution-mcp

AI-controlled algorithmic trading engine exposing 40 MCP tools across 9 namespaces.

Registry
Updated
Mar 20, 2026

Quick Install

npx -y sentinel-execution-mcp

Sentinel Execution MCP

CI License: MIT

A production-grade algorithmic trading control plane exposed as an MCP server — so Claude can manage watchlists, classify market regimes, validate risk, and submit paper orders through natural language.


What It Is

Sentinel is a two-package monorepo:

PackageLanguageRole
packages/enginePython 3.12 / FastAPIAll trading logic: risk checks, regime classification, order lifecycle, audit journal, strategy governance
packages/mcpTypeScript / Node 20Thin MCP server that routes 40+ tools to the engine via HTTP. Zero trading logic lives here.

Claude (or any MCP-compatible agent) talks to the MCP server. The MCP server talks to the engine. The engine owns the database and cache.


Architecture

  Claude Desktop (or any MCP agent)
           │
           │  MCP protocol (stdio or SSE)
           ▼
  ┌─────────────────────────┐
  │   MCP Server            │  TypeScript · Zod validation · tool routing
  │   (packages/mcp)        │
  └────────────┬────────────┘
               │  HTTP REST (localhost:8100)
               ▼
  ┌─────────────────────────┐
  │   Engine API            │  Python · FastAPI · all trading logic
  │   (packages/engine)     │
  └──────────┬──────────────┘
             │
     ┌───────┴────────┐
     ▼                ▼
 PostgreSQL          Redis
 (orders,           (kill switch,
  positions,         rate limits,
  strategies,        cache)
  audit log)

If the engine is unavailable, every MCP tool call returns an error immediately. There is no fallback or partial execution.


Quick Start (Docker — recommended)

The fastest way to get running. Requires Docker and Node.js 20+.

# 1. Clone and configure
git clone https://github.com/rohith1125/sentinel-execution-mcp.git
cd sentinel-execution-mcp
cp .env.example .env          # defaults work out of the box — no edits needed

# 2. Start Postgres + Redis + engine (runs migrations automatically)
docker compose -f docker/docker-compose.yml up -d db redis engine

# Wait ~10 seconds, then verify the engine is healthy:
curl http://localhost:8100/health
# {"status": "ok", "provider": "mock", ...}

# 3. Build the MCP server (one-time)
cd packages/mcp
npm install
npm run build

Then add Sentinel to Claude Desktop (see Connect Claude Desktop below) and restart Claude. That's it — all 40 tools are live.


Manual Setup (no Docker)

Use this if you have Postgres and Redis already running locally.

Prerequisites:

DependencyMinimum versionNotes
Python3.12Engine runtime — check with python3 --version
Node.js20MCP server runtime
PostgreSQL15+Primary data store
Redis7+Kill switch and cache

1. Clone and configure

git clone https://github.com/rohith1125/sentinel-execution-mcp.git
cd sentinel-execution-mcp
cp .env.example .env
# Default values work for local paper-trading development — no edits required

2. Set up the engine

cd packages/engine
python3.12 -m venv .venv
source .venv/bin/activate        # Windows: .venv\Scripts\activate
pip install -e ".[dev]"

3. Run database migrations

# From packages/engine with the venv active
alembic upgrade head

4. Start the engine

uvicorn sentinel.api:app --reload --port 8100

Verify it is running:

curl http://localhost:8100/health
# {"status": "ok", "env": "paper"}

5. Build and start the MCP server

Open a second terminal:

cd packages/mcp
npm install
npm run build
npm run dev     # stdio transport — for direct Claude Desktop integration

Connect Claude Desktop

Add the following to your Claude Desktop configuration file.

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

Get the correct path by running this in your terminal:

echo "$(pwd)/packages/mcp/dist/index.js"

Then paste it into the config:

{
  "mcpServers": {
    "sentinel": {
      "command": "node",
      "args": ["/absolute/path/to/sentinel-execution-mcp/packages/mcp/dist/index.js"],
      "env": {
        "ENGINE_BASE_URL": "http://localhost:8100",
        "APP_ENV": "paper"
      }
    }
  }
}

Restart Claude Desktop after saving. You should see a hammer icon (🔨) in the chat input — click it to confirm Sentinel's 40 tools are loaded.


MCP Tools Reference

Sentinel exposes 40+ tools across nine categories. The MCP server name is sentinel.

CategoryToolDescription
Watchlistwatchlist.addAdd symbols to the trading watchlist, optionally assigned to a group
watchlist.removeRemove symbols; they will no longer appear in strategy scans
watchlist.listList active symbols, optionally filtered by group
watchlist.getGet details for a single symbol
watchlist.groupsList all named watchlist groups
watchlist.updateUpdate notes or group assignment for a symbol
Market Datamarket.snapshotLatest quote and trade data for one or more symbols
market.barsOHLCV bar history with configurable timeframe
market.quoteReal-time bid/ask spread for a symbol
market.healthCheck market data provider connectivity
Regimeregime.evaluateClassify current market regime using ATR, ADX, RSI, Bollinger Width, Hurst Exponent, VWAP, and Price Efficiency
regime.historyRetrieve historical regime snapshots for a symbol
Strategystrategy.scanScan the watchlist for signals across one or more strategies
strategy.signalEvaluate a single symbol against a specific strategy
strategy.listList all registered strategies and their current state
Risk / Kill Switchrisk.validate_tradeRun all 13+ risk checks against a proposed trade before submission
risk.kill_switch_statusGet the current state of all kill switches
risk.kill_switch_enableEnable a kill switch globally, per-strategy, or per-symbol
risk.kill_switch_disableDisable a kill switch (requires explicit reason)
risk.exposureCurrent gross and net exposure summary
risk.drawdownCurrent daily drawdown against configured limits
Portfolioportfolio.statusFull account overview: value, cash, equity, P&L, buying power
portfolio.positionsAll open positions with unrealized P&L
portfolio.historyClosed position history with realized P&L
Executionexecution.paper_orderSubmit a paper trading order (market, limit, stop, stop-limit)
execution.cancel_orderCancel a pending or partially filled order by ID
execution.get_orderGet the current state of a specific order
execution.list_ordersList orders filtered by status, symbol, or date range
execution.reconcileTrigger a manual reconciliation between engine state and broker
Governancegovernance.create_strategyRegister a new strategy in draft state
governance.promote_strategyAdvance a strategy: Draft → Research → Backtest → Paper → Live
governance.suspend_strategySuspend a live or paper strategy immediately
governance.list_strategiesList all strategies with their current lifecycle state
governance.evaluate_promotionCheck whether a strategy meets criteria for promotion
Auditaudit.explain_tradeFull human-readable explanation for a trade decision by audit event ID
audit.recent_eventsMost recent audit events, filterable by symbol or strategy
audit.trade_historyCompleted trade history with outcomes
audit.decision_logRaw decision log entries for a time window
audit.statsAggregate statistics: win rate, average P&L, Sharpe proxy
audit.exportExport audit records as CSV for a date range

Full tool documentation with parameter schemas: docs/mcp-tools.md


Environment Variables

Engine (packages/engine/.env)

VariableDefaultDescription
APP_ENVpaperdevelopment, paper, or live
DATABASE_URLpostgresql+asyncpg://sentinel:sentinel@localhost:5432/sentinelPostgreSQL connection string
REDIS_URLredis://localhost:6379/0Redis connection string
MARKET_DATA_PROVIDERmockmock (no credentials needed) or alpaca
ALPACA_API_KEY(empty)Required when MARKET_DATA_PROVIDER=alpaca
ALPACA_API_SECRET(empty)Required when MARKET_DATA_PROVIDER=alpaca
ALPACA_BASE_URLhttps://paper-api.alpaca.marketsUse https://api.alpaca.markets for live trading
MAX_POSITION_PCT0.05Maximum position size as a fraction of account equity (5%)
MAX_DAILY_DRAWDOWN_PCT0.02Hard daily loss limit (2%); trading halts if breached
MAX_GROSS_EXPOSURE_PCT0.80Maximum gross exposure across all positions (80%)
MAX_CONCURRENT_POSITIONS10Maximum number of simultaneously open positions
MAX_TRADE_RISK_PCT0.01Maximum risk per individual trade (1%)
PAPER_FILL_LATENCY_MS50Simulated fill latency in paper trading mode
SLIPPAGE_BPS5Simulated slippage in basis points
SENTINEL_AUTH_ENABLEDtrueSet to false for local development only
SENTINEL_MASTER_KEY(empty)Generate with python -m sentinel.auth.cli generate --name master --scopes admin
SENTINEL_API_KEYS_JSON(empty)JSON array of additional client key records

MCP Server (packages/mcp/.env)

VariableDefaultDescription
ENGINE_BASE_URLhttp://localhost:8100Base URL of the running engine service

See .env.example at the repo root for the complete annotated reference.


Example Workflow (Paper Trading)

# 1. Add symbols
watchlist.add(symbols=["NVDA", "MSFT", "AAPL"], group="tech")

# 2. Classify regime
regime.evaluate(symbol="NVDA", timeframe="1Day")

# 3. Scan for signals
strategy.scan(group="tech", strategy="momentum_v1")

# 4. Validate before submitting
risk.validate_trade(symbol="NVDA", side="buy", qty=10, order_type="market")

# 5. Submit paper order
execution.paper_order(symbol="NVDA", side="buy", qty=10, order_type="market")

# 6. Review portfolio
portfolio.status()

# 7. Inspect the audit trail
audit.recent_events(symbol="NVDA", limit=1)
audit.explain_trade(audit_event_id="evt-...")

Running Tests

Engine (Python)

cd packages/engine
source .venv/bin/activate
pytest tests/ -v

MCP Server (TypeScript)

cd packages/mcp
pnpm test

Full CI (lint + type check + test)

# From repo root
make check

Repository Structure

sentinel-execution-mcp/
├── packages/
│   ├── engine/          # Python FastAPI trading engine
│   │   ├── sentinel/    # Application source
│   │   ├── tests/       # Pytest test suite
│   │   └── alembic/     # Database migrations
│   └── mcp/             # TypeScript MCP server
│       └── src/
│           └── tools/   # One file per tool category
├── docker/              # Dockerfiles and docker-compose
├── docs/                # Architecture, tool reference, risk model
├── scripts/             # Setup and reset helpers
└── .env.example         # Annotated environment variable reference

Safety Disclaimer

This software is for paper trading and research only unless you fully understand every component. Setting APP_ENV=live with real Alpaca credentials will place real orders with real money. The hard-coded risk limits are conservative defaults — verify they match your own risk tolerance before use. The authors accept no liability for financial losses.


License

MIT. See LICENSE.

Reviews

No reviews yet

Sign in to write a review