@toolsdk.ai/registry
v1.0.149
Published
An Open, Structured, and Standard Registry for MCP Servers and Packages.
Downloads
2,286
Readme
ToolSDK MCP Registry
The Enterprise MCP Registry & Gateway. A unified infrastructure to discover, secure, and execute Model Context Protocol (MCP) tools. Exposes local processes (STDIO) and remote servers (StreamableHTTP) via a unified HTTP API with built-in Sandbox and OAuth 2.1 support.
🔍 Browse 4521+ Tools • 🐳 Self-hosted • 📦 Use as SDK • ➕ Add Server • 🎥 Video Tutorial
Start Here
- 🔍 I want to find an MCP Server → Browse Directory
- 🔌 I want to integrate MCP tools into my AI app → Integration Guide
- 🚀 I want to deploy an MCP Gateway → Deployment Guide
- ➕ I want to submit my MCP Server → Contribution Guide
[!IMPORTANT] Pro Tip: If a server is marked as
validated: true, you can use it instantly with Vercel AI SDK:const tool = await toolSDK.package('<packageName>', { ...env }).getAISDKTool('<toolKey>');Want validation? Ask AI: "Analyze the
make buildtarget in the Makefile and the scripts it invokes, and determine how an MCP server gets marked asvalidated: true."
Getting Started
Deploy Enterprise Gateway (Recommended)
Deploy your own private MCP Gateway & Registry in minutes. This provides the full feature set: Federated Search, Remote Execution, Sandbox, and OAuth.
⚡ Quick Deploy (One-Liner)
Start the registry immediately with default settings:
docker compose up -dDid this save you time? Give us a Star on GitHub — it helps others discover this registry!
Configuration:
- Set
MCP_SANDBOX_PROVIDER=LOCALin.envfile if you want to disable the sandbox (not recommended for production). - See Configuration Guide for full details.
[!TIP] Tip for Private Deployment: This registry contains 4521+ public MCP servers. If you only need a specific subset for your private environment, you can prune the
packages/directory. 📖 See Package Management Guide for details.
That's it! Your self-hosted MCP registry is now running with:
- 🌐 HTTP API with OpenAPI documentation
- 🛡️ Secure Sandbox execution for AI agent tools
- 🔍 Full-text search (Meilisearch)
🎉 Access Your Private MCP Registry
- 🌐 Local Web Interface: http://localhost:3003
- 📚 Swagger API Docs: http://localhost:3003/swagger
- 🔍 Search & Execute 4521+ MCP Servers remotely
- 🤖 Integrate with your AI agents, chatbots, and LLM applications
🌐 Remote Tool Execution Example
Execute any MCP tool via HTTP API - perfect for AI automation, chatbot integrations, and serverless deployments:
curl -X POST http://localhost:3003/api/v1/packages/run \
-H "Content-Type: application/json" \
-d '{
"packageName": "@modelcontextprotocol/server-everything",
"toolKey": "echo",
"inputData": {
"message": "Hello from ToolSDK MCP Registry!"
},
"envs": {}
}'Alternative: Use as Registry SDK (Data Only)
If you only need to access the list of MCP servers programmatically (without execution or gateway features), you can use the NPM package.
npm install @toolsdk.ai/registryUsage
Perfect for building your own directory or analysis tools:
import mcpServerLists from '@toolsdk.ai/registry/indexes/packages-list.json';Access via Public API (No Installation Required)
Fetch the complete MCP server registry programmatically:
curl https://toolsdk-ai.github.io/toolsdk-mcp-registry/indexes/packages-list.json// JavaScript/TypeScript - Fetch API
const mcpServers = await (
await fetch('https://toolsdk-ai.github.io/toolsdk-mcp-registry/indexes/packages-list.json')
).json();
// Use for AI agent tool discovery, LLM integrations, etc.
console.log(mcpServers);# Python - For AI/ML projects
import requests
mcp_servers = requests.get(
'https://toolsdk-ai.github.io/toolsdk-mcp-registry/indexes/packages-list.json'
).json()
# Perfect for LangChain, CrewAI, AutoGen integrationsWhy ToolSDK MCP Registry?
ToolSDK MCP Registry is an enterprise-grade gateway for Model Context Protocol (MCP) servers. It solves the challenge of securely discovering and executing AI tools in production environments.
Key Features
- Federated Registry - Unified search across local private servers and the official
@modelcontextprotocol/registry. - Unified Interface - Access local STDIO tools and remote StreamableHTTP servers via a single, standardized HTTP API.
- Secure Sandbox - Execute untrusted tools in isolated environments (supports E2B, Daytona, Sandock).
- OAuth 2.1 Proxy - Built-in OAuth 2.1 implementation to handle complex authentication flows for your agents. Integration Guide
- Private & Self-Hosted - Full control over your data and infrastructure with Docker deployment.
- Developer-Friendly - OpenAPI/Swagger documentation and structured JSON configs.
Use Cases
- Enterprise AI Gateway - Centralize tool access for all your internal LLM applications.
- Secure Tool Execution - Run community MCP servers without risking your local environment.
- Protocol Adaptation - Connect remote agents (via HTTP API) to local CLI tools (via STDIO).
- Unified Discovery - One API to search and manage thousands of tools.
Architecture
graph TD
subgraph ClientSide ["Client Side"]
LLM["🤖 AI Agent / LLM"]
User["👤 User / Developer"]
end
subgraph DockerEnv ["🐳 Self-Hosted Infrastructure"]
subgraph RegistryCore ["Registry Core"]
API["🌐 Registry API"]
Search["🔍 Meilisearch"]
DB["📚 Registry Data"]
OAuth["🔐 OAuth Proxy"]
end
subgraph RuntimeEnv ["Runtime Environment"]
Local["💻 Local Exec"]
Sandbox["🛡️ Secure Sandbox"]
MCPServer["⚙️ MCP Server"]
end
end
User -->|Search Tools| API
LLM -->|Execute Tool| API
LLM -->|Auth Flow| OAuth
API <-->|Query Index| Search
API -->|Read Metadata| DB
API -->|Run Tool| Local
API -->|Run Tool| Sandbox
Local -->|Execute| MCPServer
Sandbox -->|Execute| MCPServerWhat You Get
This open-source project provides:
- Structured Registry - 4521+ MCP servers with metadata
- Unified Gateway - HTTP API to query and execute tools remotely
- Auto-Generated Docs - Always up-to-date README and API documentation
✅ Validated Packages = One-Line Integration (ToolSDK)
Some packages in this registry are marked as validated: true.
[!NOTE] What does
validated: truemean for you?
- You can load the MCP package directly via our ToolSDK NPM client and get ready-to-use tool adapters (e.g. Vercel AI SDK tools) without writing your own tool schema mapping.
- The registry index includes the discovered
toolsmetadata for validated packages, so you can pick atoolKeyand call it immediately.Where is this flag stored?
- See
indexes/packages-list.jsonentries (e.g.{"validated": true, "tools": { ... } }).
Example: Use a validated package with Vercel AI SDK
Template: const tool = await toolSDK.package('<packageName>', { ...env }).getAISDKTool('<toolKey>');
// import { generateText } from 'ai';
// import { openai } from '@ai-sdk/openai'
import { ToolSDKApiClient } from 'toolsdk/api';
const toolSDK = new ToolSDKApiClient({ apiKey: process.env.TOOLSDK_AI_API_KEY });
const searchMCP = await toolSDK.package('@toolsdk.ai/tavily-mcp', { TAVILY_API_KEY: process.env.TAVILY_API_KEY });
const searchTool = await searchMCP.getAISDKTool('tavily-search');
// const completion = await generateText({
// model: openai('gpt-4.1'),
// messages: [{
// role: 'user',
// content: 'Help me search for the latest AI news',
// }],
// tools: { searchTool, emailTool },
// });Available as:
- Docker Image - Full-featured Gateway & Registry
- NPM Package - TypeScript/JavaScript SDK for data access
- Raw Data - JSON endpoints for direct integration
Contribute Your MCP Server
Help grow the ecosystem! Share your AI tools, plugins, and integrations with the community.
Quick Submission
- Fork this repository
- Create
your-mcp-server.jsonin packages/uncategorized (or the best matching category folder) - Submit a PR
Config Example:
{
"type": "mcp-server",
"name": "Github",
"packageName": "@modelcontextprotocol/server-github",
"description": "MCP server for using the GitHub API",
"url": "https://github.com/modelcontextprotocol/servers/blob/main/src/github",
"runtime": "node",
"license": "MIT",
"env": {
"GITHUB_PERSONAL_ACCESS_TOKEN": {
"description": "Personal access token for GitHub API access",
"required": true
}
}
}Your MCP server will be:
- ✅ Listed in the registry
- 🔍 Searchable via REST API
- 📦 Available in npm package
- 🌐 Featured on ToolSDK.ai
📖 Source of truth (schema, fields, remotes, OAuth): CONTRIBUTING.md
📚 Additional docs: docs/guide.md
MCP Servers Directory
4521+ AI Agent Tools, LLM Integrations & Automation Servers
[!NOTE] ⭐ Featured below: Hand-picked, production-ready MCP servers verified by our team.
📚 Looking for all 4521+ servers? Check out All MCP Servers for the complete list.
[!TIP] If a package is marked as
validated: truein the index, you can usually wire it up in minutes via ToolSDK (e.g.getAISDKTool(toolKey)).
Browse by category: Developer Tools, AI Agents, Databases, Cloud Platforms, APIs, and more!
Tools that haven’t been sorted into a category yet. AI will categorize it later.
- ✅ @antv/mcp-server-chart: A visualization mcp contains 25+ visual charts using @antvis. Using for chart generation and data analysis. (25 tools) (node)
- ✅ @atlassian-dc-mcp/bitbucket: MCP server for Atlassian Bitbucket Data Center - interact with repositories and code (9 tools) (node)
- ✅ @atlassian-dc-mcp/jira: MCP server for Atlassian Jira Data Center - search, view, and create issues (6 tools) (node)
- ✅ @bankless/onchain-mcp: Integrates with blockchain networks to enable smart contract interaction, transaction history access, and on-chain data exploration through specialized tools for reading contract state, retrieving ABIs, and filtering event logs. (10 tools) (node)
- ✅ @bnb-chain/mcp: Enables direct interaction with BNB Chain and other EVM-compatible networks for blockchain operations including block exploration, smart contract interaction, token management, wallet operations, and Greenfield storage functionality. (40 tools) (node)
- ✅ @browserbasehq/mcp-server-browserbase: MCP server for AI web browser automation using Browserbase and Stagehand (9 tools) (node)
- ✅ @browserstack/mcp-server: Integrates with BrowserStack's testing infrastructure to enable automated and manual testing across browsers, devices, and platforms for debugging cross-browser issues and verifying mobile app functionality. (20 tools) (node)
- ✅ @configcat/mcp-server: Enables AI agents to interact with ConfigCat, a feature flag service for teams. (77 tools) (node)
- ✅ @connorbritain/mssql-mcp-server: MCP server for Microsoft SQL Server - schema discovery, profiling, and safe data operations (20 tools) (node)
- ✅ @cyanheads/pubmed-mcp-server: Enables AI systems to search, retrieve, and analyze biomedical literature from PubMed for evidence-based research, citation generation, and data visualization (5 tools) (node)
- ✅ @decodo/mcp-server: Enable your AI agents to scrape and parse web content dynamically, including geo-restricted sites (5 tools) (node)
- ✅ @delorenj/mcp-server-trello: MCP server for Trello boards with rate limiting, type safety, and comprehensive API integration. (34 tools) (node)
- ✅ @dinesh-nalla-se/playwright-mcp: Playwright Tools for MCP (22 tools) (node)
- ✅ @dubuqingfeng/gitlab-mcp-server: GitLab MCP (Model Context Protocol) server for AI agents (13 tools) (node)
- ✅ @duongkhuong/mcp-backlog: MCP server for Backlog API integration with AI agents. (37 tools) (node)
- ✅ @duongkhuong/mcp-redmine: MCP server for Redmine API integration with AI agents. (14 tools) (node)
- ✅ @f2c/mcp: Bridges Figma design files to code generation, enabling direct conversion of designs into HTML, CSS, and other assets with customizable output paths and file organization. (2 tools) (node)
- ✅ @flightradar24/fr24api-mcp: MCP server providing access to the Flightradar24 API for real-time and historical flight data (15 tools) (node)
- ✅ @glifxyz/mymcpspace-mcp-server: Enables AI interaction with MyMCPSpace social media platform for creating posts, replying to content, toggling likes, retrieving feed data, and updating usernames through authenticated API communication. (5 tools) (node)
- ✅ @gonetone/mcp-server-taiwan-weather: 用於取得臺灣中央氣象署 API 資料的 Model Context Protocol (MCP) Server (1 tools) (node)
- ✅ @incodetech/incode-idv-mcp: MCP server for Incode IDV, providing identity verification tools for AI assistants. (5 tools) (node)
- ✅ @index9/mcp: Real-time model intelligence for your AI assistant. (3 tools) (node)
- ✅ @ivotoby/contentful-management-mcp-server: Integrate with Contentful's Content Management API for CMS management. (40 tools) (node)
- ✅ @kekwanulabs/syncline-mcp-server: Syncline MCP Server (TypeScript) - AI-powered meeting scheduling with intelligent auto-scheduling (4 tools) (node)
- ✅ @kirbah/mcp-youtube: YouTube MCP server for token-optimized, structured data using the YouTube Data API v3. (9 tools) (node)
- ✅ @koki-develop/esa-mcp-server: A Model Context Protocol (MCP) server for esa.io (10 tools) (node)
- ✅ @kontent-ai/mcp-server: Connect to Kontent.ai to manage content, types, taxonomies, and workflows via natural language (40 tools) (node)
- ✅ @letta-ai/memory-mcp: MCP server for AI memory management using Letta - Standard MCP format (5 tools) (node)
- ✅ @localstack/localstack-mcp-server: A LocalStack MCP Server providing essential tools for local cloud development & testing (8 tools) (node)
- ✅ @mapbox/mcp-devkit-server: Provides AI assistants with direct access to Mapbox developer APIs and documentation. (17 tools) (node)
- ✅ @mehmetsenol/gorev-mcp-server: Task management system for AI assistants with MCP protocol, templates, and bilingual support (TR/EN) (41 tools) (node)
- ✅ @mfukushim/map-traveler-mcp: Integrates with Google Maps to create virtual travel experiences where users can navigate real-world routes with customizable avatars, discover nearby facilities, and share journeys on Bluesky. (8 tools) (node)
- ✅ @microsoft/clarity-mcp-server: Enables AI to fetch and analyze Microsoft Clarity website analytics data including metrics like scroll depth, engagement time, and traffic with filtering by browser, device, and country. (1 tools) (node)
- ✅ @moralisweb3/api-mcp-server: Integrates with Moralis Web3 API to enable blockchain data access, token analysis, and smart contract interactions without requiring deep Web3 development knowledge (93 tools) (node)
- ✅ @mzxrai/mcp-openai: Generate text using OpenAI's language models. (1 tools) (node)
- ✅ @noditlabs/nodit-mcp-server: Provides blockchain context through Nodit's APIs, enabling real-time interaction with multiple protocols including Ethereum, Polygon, and Aptos for token information and on-chain activity analysis. (9 tools) (node)
- ✅ @picahq/mcp: A Model Context Protocol Server for Pica (4 tools) (node)
- ✅ @portel/ncp: N-to-1 MCP Orchestration. Unified gateway for multiple MCP servers with intelligent tool discovery. (2 tools) (node)
- ✅ @professional-wiki/mediawiki-mcp-server: Integrates with MediaWiki instances through REST API to enable searching pages, retrieving content in multiple formats, accessing file information, viewing revision history, and performing authenticated operations like creating and updating pages with automatic wiki discovery and dynamic configuration management. (7 tools) (node)
- ✅ @pubnub/mcp: Enables AI assistants to interact with PubNub's realtime communication platform for retrieving documentation, accessing SDK information, and utilizing messaging APIs without leaving their conversation context. (11 tools) (node)
- ✅ @shodh/memory-mcp: Persistent AI memory with semantic search. Store and recall context across sessions. (10 tools) (node)
- ✅ @shopana/novaposhta-mcp-server: MCP Server for Nova Poshta API integration with AI assistants (50 tools) (node)
- ✅ @smartbear/mcp: MCP server for AI access to SmartBear tools, including BugSnag, Reflect, Swagger, PactFlow. (67 tools) (node)
- ✅ @studious-xiaoyu/oracle-link: Oracle MCP Query Server (Node.js) - Read-only SELECT via MCP (3 tools) (node)
- ✅ @sumup/mcp: Tools to explore SumUp accounts, payments, customers, and payouts. (49 tools) (node)
- ✅ @symbioticsec/symbiotic-mcp-server: Symbiotic CLI MCP Server for security scanning and analysis (4 tools) (node)
- ✅ @tigerdata/pg-aiguide: Comprehensive PostgreSQL documentation and best practices, including ecosystem tools (3 tools) (node)
- ✅ @tigerdata/tiger-skills-mcp-server: Provider agnostic skills implementation, with skills sourced from local paths or GitHub repositories (1 tools) (node)
- ✅ @toolsdk-remote/com-cloudflare-mcp-mcp: Cloudflare MCP servers (2 tools) (node)
- ✅ @toolsdk-remote/com-mermaidchart-mermaid-mcp: MCP server for Mermaid diagram validation and rendering (2 tools) (node)
- ✅ @toolsdk-remote/com-microsoft-microsoft-learn-mcp: Official Microsoft Learn MCP Server – real-time, trusted docs & code samples for AI and LLMs. (3 tools) (node)
- ✅ @toolsdk-remote/com-redpanda-docs-mcp: Get authoritative answers to questions about Redpanda. (1 tools) (node)
- ✅ @toolsdk-remote/com-sonatype-dependency-management-mcp-server: Sonatype component intelligence: versions, security analysis, and Trust Score recommendations (3 tools) (node)
- ✅ @toolsdk-remote/com-wallet-connectors-wallet-verifier-mcp: MCP server for verifying EUDI/Talao wallet data via OIDC4VP (pull) for AI agents. (2 tools) (node)
- ✅ @toolsdk-remote/dev-ohmyposh-validator: Validate oh-my-posh configurations and segment snippets against the official schema. (2 tools) (node)
- ✅ @toolsdk-remote/dev-promplate-hmr: Docs for hot-module-reload and reactive programming for Python (
hmron PyPI) (3 tools) (node) - ✅ @toolsdk-remote/exa: Fast, intelligent web search and web crawling.
New mcp tool: Exa-code is a context tool for coding (1 tools) (node)
- ✅ @toolsdk-remote/explorium-mcp: Access live company and contact data from Explorium's AgentSource B2B platform. (1 tools) (node)
- ✅ @toolsdk-remote/garden-stanislav-svelte-llm-svelte-llm-mcp: An MCP server that provides access to Svelte 5 and SvelteKit documentation (2 tools) (node)
- ✅ @toolsdk-remote/io-cycloid-mcp-server: An MCP server that let you interact with Cycloid.io Internal Development Portal and Platform (6 tools) (node)
- ✅ @toolsdk-remote/io-github-isakskogstad-kolada-mcp: Swedish municipality statistics from Kolada API. 6000+ KPIs for all 290 municipalities. (21 tools) (node)
- ✅ @toolsdk-remote/io-github-isakskogstad-scb-mcp: MCP server for Statistics Sweden (SCB) - 1200+ tables with population, economy, environment data (10 tools) (node)
- ✅ @toolsdk-remote/io-github-ksaklfszf921-riksdag-regering-mcp: Svenska Riksdagens och Regeringskansliets öppna data - 27 verktyg för politik, dokument och analys (32 tools) (node)
- ✅ @toolsdk-remote/io-github-payram-payram-helper-mcp: Remote MCP server to integrate and validate self-hosted Payram deployments. (35 tools) (node)
- ✅ @toolsdk-remote/io-github-selisedigitalplatforms-l0-py-blocks-mcp: A Model Context Protocol (MCP) server for Selise Blocks Cloud integration (36 tools) (node)
- ✅ @toolsdk-remote/klavis-strata: MCP server for progressive tool usage at any scale (see https://klavis.ai) (1 tools) (node)
- ✅ @toolsdk-remote/packmind-mcp-server: Packmind captures, scales, and enforces your organization's technical decisions. (1 tools) (node)
- ✅ @toolsdk.ai/mixpanel-mcp-server: A Model Context Protocol (MCP) server for integrating Mixpanel analytics into AI workflows. This server allows AI assistants like Claude to track events, page views, user signups, and update user profiles in Mixpanel. (4 tools) (node)
- ✅ @toolsdk.ai/tavily-mcp: An MCP server that implements web search, extract, mapping, and crawling through the Tavily API. (4 tools) (node)
- ✅ @upstash/context7-mcp: Connects to Context7.com's documentation database to provide up-to-date library and framework documentation with intelligent project ranking and customizable token limits. (2 tools) (node)
- ✅ @variflight-ai/variflight-mcp: Integrates with Variflight API to provide real-time flight information, schedules, aircraft tracking, airport weather forecasts, and comfort metrics for travel planning and aviation monitoring applications. (8 tools) (node)
- ✅ @wildcard-ai/deepcontext: Advanced codebase indexing and semantic search MCP server (4 tools) (node)
- ✅ @withinfocus/tba-mcp-server: The Blue Alliance MCP Server (61 tools) (node)
- ✅ airtable-mcp-server: Read and write access to Airtable database schemas, tables, and records. (15 tools) (node)
- ✅ altmetric-mcp: MCP server for Altmetric APIs - track research attention across news, policy, social media, and more (9 tools) (node)
- ✅ anilist-mcp: MCP server that interfaces with the AniList API, allowing LLM clients to access and interact with anime, manga, character, staff, and user data from AniList (44 tools) (node)
- ✅ attio-mcp: AI-powered Attio CRM access. Manage contacts, companies, deals, tasks, notes and workflows. (34 tools) (node)
- ✅ base-network-mcp-server: Provides a bridge to the Base blockchain network for wallet management, balance checking, and transaction execution through natural language commands, eliminating the need to manage technical blockchain details. (4 tools) (node)
- ✅ cerebras-code-mcp: Model Context Protocol (MCP) server for Cerebras to make coding faster in AI-first IDEs (1 tools) (node)
- ✅ clinicaltrialsgov-mcp-server: Integrates with ClinicalTrials.gov REST API to search clinical trials by conditions, interventions, locations, and status, plus retrieve detailed study information by NCT ID with automatic data cleaning and local backup storage. (2 tools) (node)
- ✅ etherscan-mcp: Provides a bridge to the Etherscan API for querying Ethereum blockchain data including account balances, transactions, contracts, tokens, gas metrics, and network statistics. (6 tools) (node)
- ✅ feuse-mcp: Automates Figma design-to-code workflows by extracting design data, downloading SVG assets, analyzing color variables, and generating API models with design token conversion for CSS frameworks like UnoCSS and TailwindCSS. (8 tools) (node)
- ✅ firecrawl-mcp: Integration with FireCrawl to provide advanced web scraping capabilities for extracting structured data from complex websites. (8 tools) (node)
- ✅ flowbite-mcp: MCP server to convert Figma designs to Flowbite UI components in Tailwind CSS (2 tools) (node)
- ✅ fred-mcp-server: Provides a bridge to the Federal Reserve Economic Data API for retrieving economic time series data like Overnight Reverse Repurchase Agreements and Consumer Price Index with customizable parameters for date ranges and sorting options. (1 tools) (node)
- ✅ garth-mcp-server: Integrates with Garmin Connect to provide access to fitness and health data including sleep statistics, daily stress, and intensity minutes with customizable date ranges. (30 tools) (python)
- ✅ gmail-mcp: Integrates with Gmail to enable email search, retrieval, and interaction for natural language-driven email management and analysis tasks. (6 tools) (python)
- ✅ gologin-mcp: Manage your GoLogin browser profiles and automation directly through AI conversations. This MCP server connects to the GoLogin API, letting you create, configure, and control browser profiles using natural language. (59 tools) (node)
- ✅ ha-mcp-server: Control Home Assistant lights and scenes. Lights only by design for safety. (11 tools) (node)
- ✅ hostinger-api-mcp: MCP server for Hostinger API (118 tools) (node)
- ✅ image-recognition-mcp: MCP server for AI-powered image recognition and description using OpenAI vision models. (1 tools) (node)
- ✅ image-recongnition-mcp: MCP server for AI-powered image recognition and description using OpenAI vision models. (1 tools) (node)
- ✅ inner-monologue-mcp: An MCP (Model Context Protocol) server that implements a cognitive reasoning tool inspired by Google DeepMind's Inner Monologue research. (1 tools) (node)
- ✅ kit-mcp-server: MCP server for Kit.com (ConvertKit) - manage subscribers, tags, sequences, broadcasts (29 tools) (node)
- ✅ korea-stock-mcp: MCP server for korea stock (8 tools) (node)
- ✅ kubeview-mcp: Read-only Model Context Protocol MCP server enabling code-driven AI analysis of Kubernetes clusters. (10 tools) (node)
- ✅ linkly-mcp-server: Create and manage short links, track clicks, and automate URL management (19 tools) (node)
- ✅ math-mcp-learning-server: Educational MCP server with 12 math/stats tools, visualizations, and persistent workspace (17 tools) (python)
- ✅ mcp-arr-server: MCP server for *arr media suite - Sonarr, Radarr, Lidarr, Readarr, Prowlarr (67 tools) (node)
- ✅ mcp-cook: Provides access to a collection of over 200 food and cocktail recipes, enabling dish information retrieval and ingredient-based meal suggestions. (2 tools) (node)
- ✅ mcp-fathom-analytics: Integrates with Fathom Analytics to retrieve account information, manage sites, track events, generate reports, and monitor real-time visitor data using the @mackenly/fathom-api SDK (5 tools) (node)
- ✅ mcp-image: AI image generation MCP server using Nano Banana Pro with intelligent prompt enhancement (1 tools) (node)
- ✅ mcp-local-rag: Easy-to-setup local RAG server with minimal configuration (5 tools) (node)
- ✅ mcp-neo4j-cypher: Provides natural language interfaces to Neo4j graph databases for executing Cypher queries, storing knowledge graph data, and building persistent memory structures through conversational interactions. (3 tools) (python)
- ✅ mcp-pickaxe: MCP server for Pickaxe API - manage AI agents, knowledge bases, users, and analytics (17 tools) (node)
- ✅ mcp-pihole-server: Pi-hole v6 MCP server - manage DNS blocking, stats, whitelists/blacklists (16 tools) (node)
- ✅ mcp-property-valuation-server: MCP服务器,提供房产小区评级和评估功能 (3 tools) (node)
- ✅ mcp-rubber-duck: An MCP server that bridges to multiple OpenAI-compatible LLMs - your AI rubber duck debugging panel (14 tools) (node)
- ✅ mcp-server-ens: Integrates with the Ethereum Name Service to resolve ENS names to addresses, perform lookups, retrieve records, check availability, get prices, and explore name history through configurable Ethereum network providers. (8 tools) (node)
- ✅ mcp-server-tempmail: MCP server for temporary email management using ChatTempMail API (9 tools) (node)
- ✅ mcp-threatintel-server: Unified threat intel - OTX, AbuseIPDB, GreyNoise, abuse.ch, Feodo Tracker (17 tools) (node)
- ✅ mcp-turso-cloud: Provides a bridge between AI assistants and Turso SQLite databases, enabling organization-level management and database-level queries with persistent context, schema exploration, and vector similarity search capabilities. (9 tools) (node)
- ✅ mcp-zebrunner: Unified Zebrunner MCP server for TCM test cases, suites, coverage analysis, launchers, etc. (6 tools) (node)
- ✅ meta-api-mcp-server: You can connect any API to LLMs. This enables AI to interact directly with APIs (69 tools) (node)
- ✅ minimax-mcp-js: Official JavaScript implementation that integrates with MiniMax's multimodal capabilities for image generation, video creation, text-to-speech, and voice cloning across multiple transport modes. (10 tools) (node)
- ✅ mixpanel-mcp-server: A Model Context Protocol (MCP) server for integrating Mixpanel analytics into AI workflows. This server allows AI assistants like Claude to track events, page views, user signups, and update user profiles in Mixpanel. (4 tools) (node)
- ✅ octocode-mcp: AI code research platform. Search, analyze, and extract insights from any GitHub repository. (5 tools) (node)
- ✅ opik-mcp: Interact with Opik prompts, traces, and metrics through the Model Context Protocol. (13 tools) (node)
- ✅ qweather-mcp: a qweather mcp server (9 tools) (node)
- ✅ ref-tools-mcp: Integrates with Ref.tools documentation search service to provide curated technical documentation access, web search fallback, and URL-to-markdown conversion for efficient developer reference during coding workflows. (2 tools) (node)
- ✅ selenium-webdriver-mcp: Selenium Tools for MCP (56 tools) (node)
- ✅ source-map-parser-mcp: Maps minified JavaScript stack traces back to original source code locations for efficient production error debugging. (2 tools) (node)
- ✅ starling-bank-mcp: Allow AI systems to view and control your Starling Bank account via MCP. (24 tools) (node)
- ✅ strava-mcp-server: MCP server for accessing Strava API (19 tools) (node)
- ✅ sub-agents-mcp: MCP server for delegating tasks to specialized AI assistants in Cursor, Claude, and Gemini (1 tools) (node)
- ✅ tachibot-mcp: Multi-model AI orchestration with 31 tools, YAML workflows, and 5 token-optimized profiles. (23 tools) (node)
- ✅ taskqueue-mcp: Structured task management system that breaks down complex projects into manageable tasks with progress tracking, user approval checkpoints, and support for multiple LLM providers. (14 tools) (node)
- ✅ testdino-mcp: A MCP server for TestDino (6 tools) (node)
- ✅ tmdb-mcp-server: MCP server for The Movie Database (TMDB) API (13 tools) (node)
- ✅ todoist-mcp-server: Provides a bridge to the Todoist task management platform, enabling advanced project and task management capabilities like creating tasks, organizing projects, managing deadlines, and team collaboration. (33 tools) (node)
- ✅ unreal-engine-mcp-server: MCP server for Unreal Engine 5 with 13 tools for game development automation. (13 tools) (node)
- ✅ uranium-tools-mcp: MCP for Uranium NFT tools to mint, list, and manage digital assets on the permaweb. (4 tools) (node)
- ✅ videodb-director-mcp: Bridges to VideoDB's video processing capabilities for searching, indexing, subtitling, and manipulating video content through specialized context resources. (4 tools) (python)
- ✅ welcome-text-generator-mcp: MCP Server für automatische Generierung professioneller Willkommenstexte für neue Mitarbeiter (3 tools) (node)
- ✅ xcodebuildmcp: Enables building, running, and debugging iOS and macOS applications through Xcode with tools for project discovery, simulator management, app deployment, and UI automation testing. (83 tools) (node)
- ✅ yazio-mcp: MCP server for accessing Yazio user & nutrition data (unofficial) (14 tools) (node)
Servers that let you access multiple apps and tools through one MCP server.
- ✅ @illuminaresolutions/n8n-mcp-server: Bridges Claude with n8n automation workflows, enabling direct creation, execution, and management of workflows, credentials, and enterprise features without switching contexts. (33 tools) (node)
- ✅ @modelcontextprotocol/server-everything: Test protocol features and tools for client compatibility. (8 tools) (node)
- ✅ @noveum-ai/mcp-server: Converts OpenAPI specifications from API.market into tools for accessing over 200 services including image generation, geocoding, and content detection through a unified authentication system (34 tools) (node)
- ✅ @pinkpixel/mindbridge: Bridges multiple LLM providers including OpenAI, Anthropic, Google, DeepSeek, OpenRouter, and Ollama through a unified interface, enabling comparison of responses and leveraging specialized reasoning capabilities across different models. (3 tools) (node)
- ✅ @wopal/mcp-server-hotnews: Aggregates real-time trending topics from major Chinese social platforms and news sites. (1 tools) (node)
- ✅ acp-mcp-server: Bridges Agent Communication Protocol networks with MCP clients, enabling access to complex multi-agent workflows through intelligent agent discovery, routing, and multi-modal message conversion with support for synchronous, asynchronous, and streaming execution patterns. (16 tools) (python)
- ✅ hal-mcp: Transforms OpenAPI/Swagger specifications into dynamic HTTP tools with secret management and URL restrictions, enabling secure API integration through automatic tool generation from API documentation. (8 tools) (node)
- ✅ mcp-hub-mcp: Centralizes multiple MCP servers into a unified hub, enabling seamless tool discovery and routing across specialized servers for complex workflows without managing individual connections. (7 tools) (node)
Explore art collections, museums, and cultural heritage with AI-friendly tools.
- ✅ @cloudwerxlab/gpt-image-1-mcp: Enables direct image generation and editing through OpenAI's gpt-image-1 model with support for text prompts, file paths, and base64 encoded inputs for creative workflows and visual content creation. (2 tools) (node)
- ✅ @jayarrowz/mcp-figma: Integrates with Figma's API to enable viewing, manipulating, and collaborating on design files through comprehensive access to file operations, comments, components, and team resources. (31 tools) (node)
- ✅ @kailashg101/mcp-figma-to-code: Extracts and analyzes components from Figma design files, enabling seamless integration between Figma designs and React Native development through component hierarchy processing and metadata generation. (3 tools) (node)
- ✅ @openmcprouter/mcp-server-ghibli-video: Transforms static images into animated Ghibli-style videos through the GPT4O Image Generator API with tools for credit balance checking and task monitoring. (3 tools) (node)
- ✅ @recraft-ai/mcp-recraft-server: Integrates with Recraft's image generation API to create and edit raster and vector images, apply custom styles, manipulate backgrounds, upscale images, and perform vectorization with fine-grained control over artistic properties. (9 tools) (node)
- ✅ 4oimage-mcp: Provides a bridge between AI systems and the 4o-image API for generating and editing high-quality images through text prompts with real-time progress updates. (1 tools) (node)
- ✅ ableton-mcp: Enables control of Ableton Live music production software through a bidirectional communication system that supports track creation, MIDI editing, playback control, instrument loading, and library browsing for music composition and sound design workflows. (16 tools) (python)
- ✅ blender-mcp: Enables natural language control of Blender for 3D scene creation, manipulation, and rendering without requiring knowledge of Blender's interface or Python API. (17 tools) (python)
- ✅ discogs-mcp-server: Provides a bridge to the Discogs API for searching music databases, managing collections, and accessing marketplace listings with comprehensive artist and release information. (53 tools) (node)
- ✅ figma-mcp: Interact with Figma design files through the Figma REST API for design analysis, feedback, and collaboration. (5 tools) (node)
- ✅ grasshopper-mcp: Connects Grasshopper parametric design software with Claude through a bidirectional TCP server and Python bridge, enabling natural language control of architectural and engineering modeling workflows. (8 tools) (python)
- ✅ grok2-image-mcp-server: Enables AI assistants to generate images through the Grok2 model using stdio transport for seamless integration into existing workflows. (1 tools) (node)
- ✅ mcp-openverse: Integrates with Openverse's Creative Commons image collection to search and retrieve openly-licensed images with detailed filtering options, attribution information, and specialized essay illustration features for finding relevant academic content. (5 tools) (node)
- ✅ mcp-server-stability-ai: Integrates Stability AI's image generation and manipulation capabilities for editing, upscaling, and more via Stable Diffusion models. (13 tools) (node)
- ✅ mcp-sonic-pi: Connects AI systems to the Sonic Pi music programming environment, enabling creation and control of musical compositions through Ruby code with features for playback, pattern access, and live coding. (4 tools) (python)
- ✅ midi-file-mcp: Parse and manipulate MIDI files based on Tone.js (11 tools) (node)
- ✅ minimax-mcp-js: Official JavaScript implementation that integrates with MiniMax's multimodal capabilities for image generation, video creation, text-to-speech, and voice cloning across multiple transport modes. (10 tools) (node)
- ✅ nasa-mcp-server: Integrates with NASA and JPL APIs to provide access to astronomy images, satellite data, space weather information, Mars rover photos, and more through a unified interface built with TypeScript. (13 tools) (node)
- ✅ penpot-mcp: Integrates with Penpot's API to enable project browsing, file retrieval, object searching, and visual component export with automatic screenshot generation for converting UI designs into functional code. (10 tools) (python)
- ✅ replicate-flux-mcp: Integrates with Replicate's Flux image generation model, enabling image creation capabilities within conversation interfaces through a simple API token setup and TypeScript implementation available as both an npm module and Docker container. (7 tools) (node)
- ✅ sketchfab-mcp: Provides a streamlined interface to the Sketchfab API for searching and downloading 3D models with filtering options for animated or rigged content. (1 tools) (python)
- ✅ sketchfab-mcp-server: Integrates with Sketchfab to enable searching, viewing details, and downloading 3D models in various formats using an API key for authentication. (4 tools) (node)
- ✅ together-mcp: Integrates with Together AI's Flux.1 Schnell model to provide high-quality image generation with customizable dimensions, clear error handling, and optional image saving. (1 tools) (node)
- ✅ wikipedia-mcp: Provides a structured interface for searching and retrieving Wikipedia articles in clean Markdown format, enabling access to up-to-date encyclopedia information without hallucinating facts. (2 tools) (node)
Tools for browsing, scraping, and automating web content in AI-compatible formats.
- ✅ @agentdeskai/browser-tools-mcp: A Model Context Protocol (MCP) server that provides AI-powered browser tools integration. This server works in conjunction with the Browser Tools Server to provide AI capabilities for browser debugging and analysis. (14 tools) (node)
- ✅ @angiejones/mcp-selenium: Automates web browser actions with Selenium WebDriver. (14 tools) (node)
- ✅ @automatalabs/mcp-server-playwright: Control browsers to perform sophisticated web interactions and visual tasks. (10 tools) (node)
- ✅ @browserstack/mcp-server: Integrates with BrowserStack's testing infrastructure to enable automated and manual testing across browsers, devices, and platforms for debugging cross-browser issues and verifying mobile app functionality. (20 tools) (node)
- ✅ @cmann50/mcp-chrome-google-search: Integrates Google search and webpage content extraction via Chrome browser automation, enabling access up-to-date web information for tasks like fact-checking and research. (2 tools) (node)
- ✅ @debugg-ai/debugg-ai-mcp: Provides zero-configuration end-to-end testing for web applications by creating secure tunnels to local development servers and spawning testing agents that interact with web interfaces through natural language descriptions, returning detailed test results with execution recordings and screenshots. (1 tools) (node)
- ✅ @deventerprisesoftware/scrapi-mcp: Enables web scraping from sites with bot detection, captchas, or geolocation restrictions through residential proxies and automated captcha solving for content extraction in HTML or Markdown formats. (2 tools) (node)
- ✅ @executeautomation/playwright-mcp-server: A Model Context Protocol server that provides browser automation capabilities using Playwright. This server enables LLMs to interact with web pages, take screenshots, generate test code, web scraps the page and execute JavaScript in a real browser environment. (32 tools) (node)
- ✅ @just-every/mcp-read-website-fast: Extracts web content and converts it to clean Markdown format using Mozilla Readability for intelligent article detection, with disk-based caching, robots.txt compliance, and concurrent crawling capabilities for fast content processing workflows. (1 tools) (node)
- ✅ @kazuph/mcp-browser-tabs: Integrates with Chrome on macOS to retrieve and manage browser tab information using AppleScript. (4 tools) (node)
- ✅ @kazuph/mcp-fetch: Integrates web scraping and image processing capabilities to fetch, extract, and optimize web content. (1 tools) (node)
- ✅ @kwp-lab/mcp-fetch: A Model Context Protocol server that provides web content fetching capabilities (1 tools) (node)
- ✅ @modelcontextprotocol/server-puppeteer: Navigate websites, fill forms, and capture screenshots programmatically. (7 tools) (node)
- ✅ @octomind/octomind-mcp: Enables AI-driven test automation through the Octomind platform for creating, executing, and analyzing end-to-end tests without leaving your development environment. (19 tools) (node)
- ✅ @peng-shawn/mermaid-mcp-server: Converts Mermaid diagrams to PNG images using Puppeteer for high-quality headless browser rendering, supporting multiple themes and customizable backgrounds. (1 tools) (node)
- ✅ @playwright/mcp: A Model Context Protocol (MCP) server that provides browser automation capabilities using Playwright. This server enables LLMs to interact with web pages through structured accessibility snapshots, bypassing the need for screenshots or visually-tuned models. (21 tools) (node)
- ✅ @tokenizin/mcp-npx-fetch: Fetches and converts web content to Markdown using JSDOM and Turndown. (4 tools) (node)
- ✅ blowback-context: Integrates with frontend development environments to provide real-time feedback and debugging capabilities through browser automation, capturing console logs, monitoring HMR events, and enabling DOM interaction without leaving the conversation interface. (11 tools) (node)
- ✅ chrome-debug-mcp: Provides browser automation capabilities through Chrome's debugging protocol with session persistence, enabling web scraping, testing, and automation tasks with tools for screenshots, navigation, element interaction, and content retrieval. (10 tools) (node)
- ✅ exa-mcp-server: A Model Context Protocol (MCP) server lets AI assistants like Claude use the Exa AI Search API for web searches. This setup allows AI models to get real-time web information in a safe and controlled way. (6 tools) (node)
- ✅ fetch-mcp: Fetches web content and YouTube video transcripts, converting HTML to Markdown and extracting timestamps for reference in conversations. (2 tools) (node)
- ✅ fetcher-mcp: Fetches and extracts web content using Playwright's headless browser capabilities, delivering clean, readable content from JavaScript-heavy websites in HTML or Markdown format for research and information gathering. (2 tools) (node)
- ✅ firecrawl-mcp: Integration with FireCrawl to provide advanced web scraping capabilities for extracting structured data from complex websites. (8 tools) (node)
- ✅ gologin-mcp: Manage your GoLogin browser profiles and automation directly through AI conversations. This MCP server connects to the GoLogin API, letting you create, configure, and control browser profiles using natural language. (59 tools) (node)
- ✅ hyper-mcp-browser: Enables web browsing capabilities through Puppeteer and Chrome, allowing navigation, content extraction, and interaction with websites for scraping, analysis, and automated testing workflows. (2 tools) (node)
- ✅ hyperbrowser-mcp: Enables web browsing capabilities through tools for content extraction, link following, and browser automation with customizable parameters for scraping, data collection, and web crawling tasks. (10 tools) (node)
- ✅ mcp-cookie-server: Provides cookie management capabilities for web automation and testing workflows, enabling storage, retrieval, and manipulation of session state and authentication cookies across different web services. (6 tools) (node)
- ✅ mcp-jinaai-grounding: Integrates JinaAI's content extraction and analysis capabilities for web scraping, documentation parsing, and text analysis tasks. (1 tools) (node)
- ✅ mcp-jinaai-reader: Extracts and processes web content for efficient parsing and analysis of online information (1 tools) (node)
- ✅ mcp-node-fetch: Enables web content retrieval and processing with tools for fetching URLs, extracting HTML fragments, and checking site availability using Node.js's undici library. (3 tools) (node)
- ✅ mcp-playwright-scraper: Leverages Playwright and BeautifulSoup to enable robust web scraping and content extraction, converting complex JavaScript-heavy web pages into high-quality Markdown with browser automation capabilities. (1 tools) (python)
- ✅ mcp-rquest: Enables LLMs to make advanced HTTP requests with realistic browser emulation, bypassing anti-bot measures while supporting all HTTP methods, authentication, and automatic response handling for web scraping and API interactions. (10 tools) (python)
- ✅ mcp-server-chatgpt-app: Enables interaction with the ChatGPT macOS app through AppleScript automation, allowing tools to send prompts via keyboard input simulation without switching interfaces. (1 tools) (python)
- ✅ mcp-server-fetch: Retrieve and convert web content to markdown for analysis. (1 tools) (python)
- ✅ mcp-server-weibo: Enables scraping of Weibo user information, feeds, and search functionality with tools for user discovery, profile retrieval, and feed access (5 tools) (node)
- ✅ mcp-web-content-pick: Extracts structured content from web pages using customizable selectors for crawling, parsing, and analyzing HTML elements without leaving the assistant interface. (1 tools) (node)
- ✅ playwright-mcp: Playwright MCP enables browser automation and interaction recording by capturing DOM interactions, screenshots, and page navigation events to generate reproducible test scripts through a visual, context-driven workflow. (5 tools) (node)
- ✅ scrapling-fetch-mcp: Enables AI to access text content from websites protected by bot detection mechanisms through three protection levels (basic, stealth, max-stealth), retrieving complete pages or specific content patterns without manual copying. (2 tools) (python)
- ✅ vibe-eyes: Enables LLMs to visualize and debug browser-based games and applications by capturing canvas content, console logs, and errors, then processing visual data into compact SVG representations for seamless debugging. (1 tools) (node)
Integrate with cloud services to manage and interact with cloud infrastructure.
- ✅ @cloudbase/cloudbase-mcp: Enables AI systems to deploy, monitor, and manage full-stack applications on Tencent CloudBase through tools for cloud environments, databases, functions, hosting services, and storage resources. (39 tools) (node)
- ✅ @digitalocean/mcp: Integrates with DigitalOcean's cloud platform API to enable management of cloud resources, deployment of applications, and monitoring of infrastructure through natural language commands. (32 tools) (node)
- ✅ @felixallistar/coolify-mcp: Integrates with Coolify's deployment platform to manage self-hosted applications, databases, and infrastructure including 110+ one-click services, 8 database types, server connectivity validation, and environment variable handling. (10 tools) (node)
- ✅ @masonator/coolify-mcp: Integrates with Coolify to enable natural language management of servers, projects, applications, and databases through the Coolify API, allowing users to perform DevOps operations without leaving their conversation interface. (5 tools) (node)
- ✅ @netlify/mcp: Integrates with Netlify's platform for complete site management including project operations, deployments with zip uploads, team administration, extension configuration, and documentation access across hosting, build, and collaboration workflows. (6 tools) (node)
- ✅ @osaas/mcp-server: EyevinnOSC's MCP server enables AI assistants to provision and manage vendor-independent cloud infrastructure for databases, storage, and media processing through an open source API. (3 tools) (node)
- ✅ @strowk/mcp-k8s: Control and monitor K8s clusters for management and debugging. (8 tools) (node)
- ✅ akave-mcp-js: Integrates with Akave's S3-compatible storage platform to manage buckets and objects, upload/download files, generate signed URLs, and handle file operations with automatic text cleaning for common formats. (13 tools) (node)
- ✅ alibabacloud-fc-mcp-server: Integrates with Alibaba Cloud Function Compute to deploy and manage serverless functions with multi-language runtime support, custom domain routing, and VPC configuration for automated cloud function lifecycle management. (12 tools) (node)
- ✅ alibabacloud-mcp-server: Provides a bridge to Alibaba Cloud services for managing ECS instances, viewing resources, monitoring metrics, and configuring VPC networks through natural language commands (26 tools) (python)
- ✅ aliyun-mcp-server: Integrates with Alibaba Cloud services to query and filter SLS logs, with future support for ECS instance management and serverless function deployment. (1 tools) (node)
- ✅ apisix-mcp: Bridge LLMs with the APISIX Admin API to manage and analyze API gateway information. (32 tools) (node)
- ✅ aws-s3-mcp: Provides direct access to Amazon S3 storage for listing buckets, browsing objects, and retrieving file contents with automatic text extraction from PDFs and other file types. (3 tools) (node)
- ✅ awslabs.cdk-mcp-server: Integration for AWS Cloud Development Kit (CDK) best practices, infrastructure as code patterns, and security compliance with CDK Nag. (7 tools) (python)
- ✅ cloudinary-mcp-server: Provides direct access to Cloudinary's Upload and Admin APIs for uploading, retrieving, searching, and managing digital media assets in your Cloudinary cloud. (5 tools) (node)
- ✅ coolify-mcp-server: Enables comprehensive Coolify infrastructure management by exposing tools for creating, deploying, and tracking servers, applications, and team resources with robust operational capabilities. (26 tools) (node)
- ✅ edgeone-pages-mcp: Enables rapid deployment of HTML content to Tencent's EdgeOne Pages service with integrated Functions and KV store support for edge hosting (2 tools) (node)
- ✅ google-cloud-mcp: Integrates with Google Cloud services to provide direct access to Logging, Spanner, and Monitoring resources within conversations through authenticated connections. (17 tools) (node)
- ✅ mcp-server-esa: Provides a bridge to Alibaba Cloud's Edge Security Acceleration service for managing edge routines, deployments, routes, and sites through authenticated API operations. (23 tools) (node)
- ✅ mcp-server-kubernetes: MCP server for managing Kubernetes clusters, enabling LLMs to interact with and control Kubernetes resources. (22 tools) (node)
- ✅ multicluster-mcp-server: Provides a bridge to Kubernetes multi-cluster environments for managing distributed resources through kubectl commands, service account connections, and seamless cross-cluster operations without switching contexts. (4 tools) (node)

