Discover Awesome MCP Servers

Extend your agent with 23,495 capabilities via MCP servers.

All23,495
MCP Jira Server

MCP Jira Server

MCP を使用して Cursor から Jira と連携する

BinAssistMCP

BinAssistMCP

Enables AI-assisted reverse engineering by bridging Binary Ninja with Large Language Models through 40+ analysis tools. Provides comprehensive binary analysis capabilities including decompilation, symbol management, type analysis, and documentation generation through natural language interactions.

Smart Search MCP

Smart Search MCP

Provides 14 enhanced intelligent search tools for both international platforms (GitHub, StackOverflow, NPM, etc.) and Chinese platforms (CSDN, Juejin, WeChat docs, etc.). Each tool includes smart URL generation, search tips, and related suggestions for comprehensive technical research.

WordPress MCP Proxy

WordPress MCP Proxy

Enables interaction with multiple WordPress sites through a proxy that connects to the MCP Expose Abilities plugin. Allows discovering and executing WordPress abilities across configured sites with secure authentication.

AITable MCP Server

AITable MCP Server

AITable.ai Model Context Protocol Server enables AI agents to connect and work with AITable datasheets.

MariaDB MCP Server by CData

MariaDB MCP Server by CData

MariaDB MCP Server by CData

Amplitude MCP Server

Amplitude MCP Server

A Model Context Protocol server that enables AI assistants like Claude to track events, page views, user signups, set user properties, and track revenue in Amplitude analytics.

mcpservers

mcpservers

MCP Serversは、Model Context Protocolサーバーの紹介と接続に特化したプラットフォームです。開発者にとって便利なMCPサーバーの発見と統合サービスを提供します。

Kunobi MCP Server

Kunobi MCP Server

Exposes Kunobi's application data and store querying capabilities to AI assistants by bridging stdio to Kunobi's local HTTP MCP endpoint. It features dynamic tool discovery and automatic reconnection to ensure tools like query_store and app_info are always available when Kunobi is running.

MCP Developer Server

MCP Developer Server

Provides instant access to 700+ programming documentation sources and creates isolated Docker containers for safe code testing and experimentation. Combines comprehensive documentation lookup with containerized development environments for enhanced development workflows.

SuperDB MCP Server

SuperDB MCP Server

Enables AI assistants to execute SuperSQL queries on data files and SuperDB databases without shell escaping issues. Supports querying, schema inspection, database pool management, and provides LSP features for code completion and documentation.

Netlify MCP Server

Netlify MCP Server

Enables code agents to interact with Netlify services through the Model Context Protocol, allowing them to create, build, deploy, and manage Netlify resources using natural language prompts.

MCP Personal Assistant

MCP Personal Assistant

A comprehensive personal productivity server that manages projects, todos, calendar events, documents, and status tracking with support for encrypted storage and multiple database backends.

MCP Homescan Server

MCP Homescan Server

Enables local network discovery and security scanning to identify connected devices, manufacturers, and potential risks. It allows users to track network changes and export inventories into Markdown or Obsidian-compatible formats.

yuexia_test

yuexia_test

yuexia\_test

MCP RAG System

MCP RAG System

A Retrieval-Augmented Generation system that enables uploading, processing, and semantic search of PDF documents using vector embeddings and FAISS indexing for context-aware question answering.

Data.gov.il MCP Server

Data.gov.il MCP Server

Enables AI assistants to search, discover, and analyze thousands of datasets from Israel's national open data portal. It provides tools for querying government ministries, municipalities, and public bodies using the CKAN API.

Intervals.icu MCP Server

Intervals.icu MCP Server

Enables AI assistants to interact with Intervals.icu fitness tracking and wellness data, allowing users to fetch, filter, and group activities or health metrics. It provides structured summaries of workouts and physical well-being through natural language queries.

YouTube MCP Server

YouTube MCP Server

Enables AI agents to extract YouTube video metadata and generate high-quality multilingual transcriptions with voice activity detection, supporting 99 languages with translation capabilities and intelligent caching.

MCP TS Quickstart

MCP TS Quickstart

承知いたしました。MCPサーバー実装のための、ビルド不要なTypeScriptクイックスタートについて説明します。 **タイトル: ビルド不要!TypeScriptで始めるMCPサーバー実装クイックスタート** **概要:** このクイックスタートでは、TypeScriptでMCP (Minecraft Protocol) サーバーを実装するための、最もシンプルな方法を紹介します。ビルドツール (webpack, Parcel, etc.) を使用せずに、TypeScriptの`ts-node`を使って直接実行することで、迅速に開発を始めることができます。 **前提条件:** * Node.js (最新のLTS推奨) * npm (Node.jsに付属) * TypeScript (`npm install -g typescript`) * ts-node (`npm install -g ts-node`) **手順:** 1. **プロジェクトディレクトリの作成:** ```bash mkdir mcp-server cd mcp-server ``` 2. **`package.json`の初期化:** ```bash npm init -y ``` 3. **TypeScriptのインストール (開発依存):** ```bash npm install --save-dev typescript @types/node ``` 4. **`tsconfig.json`の作成:** ```bash npx tsc --init ``` `tsconfig.json`を編集して、`compilerOptions`を以下のように設定します (必要に応じて調整): ```json { "compilerOptions": { "target": "es2020", "module": "commonjs", "esModuleInterop": true, "forceConsistentCasingInFileNames": true, "strict": true, "skipLibCheck": true, "outDir": "./dist" // ビルドする場合は出力先を指定 }, "include": ["src/**/*"] // TypeScriptファイルをコンパイルするディレクトリ } ``` **注意:** ビルドレスで実行する場合は、`outDir`は不要です。 5. **ソースコードディレクトリの作成:** ```bash mkdir src ``` 6. **サーバーのメインファイル (`src/index.ts`) の作成:** ```typescript // src/index.ts import net from 'net'; const server = net.createServer((socket) => { console.log('Client connected:', socket.remoteAddress, socket.remotePort); socket.on('data', (data) => { console.log('Received data:', data); // ここでMCPのパケットを処理する socket.write('Hello from server!\n'); // 例: クライアントにメッセージを返す }); socket.on('end', () => { console.log('Client disconnected:', socket.remoteAddress, socket.remotePort); }); socket.on('error', (err) => { console.error('Socket error:', err); }); }); const port = 25565; // Minecraftのデフォルトポート server.listen(port, () => { console.log(`Server listening on port ${port}`); }); ``` 7. **実行スクリプトの追加:** `package.json`の`scripts`セクションに、以下の行を追加します。 ```json "scripts": { "start": "ts-node src/index.ts" } ``` 8. **サーバーの実行:** ```bash npm start ``` これで、`ts-node`を使って`src/index.ts`が直接実行されます。 **解説:** * `ts-node`は、TypeScriptファイルをコンパイルせずに直接実行できるツールです。開発中に非常に便利です。 * `net`モジュールは、TCPサーバーを作成するために使用されます。 * `socket.on('data', ...)`で、クライアントから送信されたデータを受信し、処理します。 * `socket.write(...)`で、クライアントにデータを送信します。 **次のステップ:** * MCPプロトコルの詳細を理解し、`socket.on('data', ...)`内で適切なパケット処理を実装します。 * Minecraftクライアントからサーバーに接続し、データの送受信をテストします。 * 必要に応じて、ロギング、エラー処理、設定管理などの機能を追加します。 * より大規模なプロジェクトでは、ビルドツール (webpack, Parcel, etc.) を使用して、コードを最適化し、バンドルすることを検討してください。 **注意点:** * このクイックスタートは、開発の初期段階を迅速に進めるためのものです。 * 本番環境では、ビルドツールを使用してコードを最適化し、難読化することを推奨します。 * MCPプロトコルは複雑であるため、詳細なドキュメントを参照してください。 このクイックスタートが、MCPサーバー実装の第一歩となることを願っています。頑張ってください!

서울시 교통 데이터 MCP 서버

서울시 교통 데이터 MCP 서버

서울시 교통 데이터 MCP 서버 - 실시간 교통 정보, 대중교통, 따릉이 등의 데이터를 제공하는 MCP 서버

Spec-driven Development MCP Server

Spec-driven Development MCP Server

Enables AI-guided spec-driven development workflow that transforms ideas into implementation through structured stages: goal collection, requirements gathering in EARS format, technical design documentation, task planning, and systematic code execution.

MCP Container Tools

MCP Container Tools

An MCP server for managing and monitoring Docker, Docker Compose, and Kubernetes environments alongside Azure Application Insights. It enables advanced log filtering, container lifecycle management, and querying of cloud application traces and metrics.

mcptut1

mcptut1

MCPサーバーとクライアントのチュートリアル

MCP Installer

MCP Installer

MCPサーバーを検索するMCPサーバー

Igloo MCP

Igloo MCP

Enables AI assistants to interact with Snowflake databases through SQL queries, table previews, and metadata operations. Features built-in safety checks that block destructive operations and intelligent error handling optimized for AI workflows.

mcpManager

mcpManager

A desktop app and local MCP gateway that centralizes management of Claude/Codex configurations and provides unified access to Daytona sandbox and Tailscale networking operations through a single proxy entry point.

Deepgram Async MCP Server

Deepgram Async MCP Server

Enables asynchronous transcription of long audio and video files using Deepgram's Speech-to-Text API with features like speaker diarization, sentiment analysis, topic detection, and summarization without timeout issues.

DateTime MCP Server

DateTime MCP Server

Provides tools to get the current date and time in various formats (ISO, Unix timestamp, human-readable, custom) with configurable timezone support.

YNAB MCP

YNAB MCP

A Model Context Protocol server that enables Claude Code to interact with You Need A Budget (YNAB) accounts, providing API access for budget management, transaction tracking, and financial insights through OAuth authentication.