Discover Awesome MCP Servers

Extend your agent with 28,366 capabilities via MCP servers.

All28,366
Rope MCP

Rope MCP

A Model Context Protocol server that exposes Python Rope refactoring capabilities to Claude Code, enabling safe symbol renaming, method extraction, code analysis, and more.

buildkite-mcp-server

buildkite-mcp-server

이것은 빌드카이트용 mcp 서버입니다.

Managed Service for Microsoft Active Directory API Server

Managed Service for Microsoft Active Directory API Server

An MCP (Multi-Agent Conversation Protocol) server that enables interaction with Google's Managed Service for Microsoft Active Directory through its OpenAPI, allowing users to manage identity resources through natural language.

Crunchbase MCP Server

Crunchbase MCP Server

AI 어시스턴트를 위한 Crunchbase 데이터 접근을 제공하는 모델 컨텍스트 프로토콜 (MCP) 서버입니다. 이 서버를 통해 AI 어시스턴트는 Crunchbase에서 회사 검색, 회사 상세 정보, 투자 정보, 인수 합병 정보, 그리고 인물 데이터를 얻을 수 있습니다.

Mcp Server Docker

Mcp Server Docker

## Docker를 사용하여 Minecraft (MCP) 서버를 만드는 예시 다음은 Docker를 사용하여 Minecraft (MCP) 서버를 만드는 간단한 예시입니다. 이 예시는 기본적인 설정만 포함하며, 필요에 따라 설정을 변경해야 할 수 있습니다. **1. Dockerfile 생성:** 먼저, Dockerfile을 생성합니다. 이 파일은 Docker 이미지를 빌드하는 데 사용되는 명령어들을 포함합니다. ```dockerfile FROM openjdk:17-slim # Minecraft 서버 파일 다운로드 (원하는 버전으로 변경) ARG MINECRAFT_VERSION=1.20.4 RUN wget https://piston-data.mojang.com/v1/objects/8f3dd283551f30656562e643b1a2145182c5a63a/server.jar -O minecraft_server.jar # 서버 설정 파일 (eula.txt) 생성 RUN echo "eula=true" > eula.txt # 포트 설정 (Minecraft 기본 포트) EXPOSE 25565 # 볼륨 설정 (데이터 저장) VOLUME /data # 서버 실행 명령어 ENTRYPOINT ["java", "-Xmx2G", "-Xms2G", "-jar", "minecraft_server.jar", "nogui"] ``` **설명:** * `FROM openjdk:17-slim`: Java 17을 기반으로 하는 Docker 이미지를 사용합니다. Minecraft 서버는 Java가 필요합니다. * `ARG MINECRAFT_VERSION=1.20.4`: Minecraft 서버 버전을 지정합니다. 원하는 버전으로 변경하십시오. * `RUN wget ...`: Minecraft 서버 파일을 다운로드합니다. 위 URL은 예시이며, Minecraft 공식 웹사이트에서 최신 버전의 다운로드 링크를 확인하십시오. * `RUN echo "eula=true" > eula.txt`: Minecraft EULA (End User License Agreement)에 동의합니다. 서버를 실행하기 전에 EULA를 읽고 동의해야 합니다. * `EXPOSE 25565`: Minecraft 서버의 기본 포트인 25565를 Docker 컨테이너 외부로 노출합니다. * `VOLUME /data`: `/data` 디렉토리를 볼륨으로 설정합니다. 이 디렉토리는 Minecraft 서버 데이터 (월드, 설정 등)를 저장하는 데 사용됩니다. * `ENTRYPOINT ["java", "-Xmx2G", "-Xms2G", "-jar", "minecraft_server.jar", "nogui"]`: Minecraft 서버를 실행하는 명령어입니다. `-Xmx2G`와 `-Xms2G`는 각각 최대 및 최소 메모리 할당량을 2GB로 설정합니다. `nogui`는 GUI 없이 서버를 실행합니다. **2. Docker 이미지 빌드:** Dockerfile이 있는 디렉토리에서 다음 명령어를 실행하여 Docker 이미지를 빌드합니다. ```bash docker build -t minecraft-server . ``` **설명:** * `docker build`: Docker 이미지를 빌드하는 명령어입니다. * `-t minecraft-server`: 이미지에 `minecraft-server`라는 태그를 지정합니다. * `.`: 현재 디렉토리를 빌드 컨텍스트로 사용합니다. **3. Docker 컨테이너 실행:** 다음 명령어를 실행하여 Docker 컨테이너를 실행합니다. ```bash docker run -d -p 25565:25565 -v minecraft_data:/data minecraft-server ``` **설명:** * `docker run`: Docker 컨테이너를 실행하는 명령어입니다. * `-d`: 백그라운드에서 컨테이너를 실행합니다. * `-p 25565:25565`: 호스트 시스템의 25565 포트를 컨테이너의 25565 포트에 매핑합니다. * `-v minecraft_data:/data`: `minecraft_data`라는 이름의 Docker 볼륨을 컨테이너의 `/data` 디렉토리에 마운트합니다. 이렇게 하면 서버 데이터가 컨테이너가 삭제되어도 유지됩니다. * `minecraft-server`: 실행할 Docker 이미지의 이름입니다. **4. 서버 접속:** 이제 Minecraft 클라이언트를 사용하여 서버에 접속할 수 있습니다. 서버 주소는 Docker 컨테이너가 실행되는 호스트 시스템의 IP 주소 또는 도메인 이름입니다. **주의 사항:** * 이 예시는 기본적인 설정만 포함하며, 필요에 따라 설정을 변경해야 할 수 있습니다. * Minecraft 서버의 성능은 호스트 시스템의 리소스에 따라 달라집니다. * Docker 볼륨을 사용하여 서버 데이터를 저장하는 것이 좋습니다. 이렇게 하면 컨테이너가 삭제되어도 데이터가 유지됩니다. * Minecraft 서버의 보안을 위해 방화벽 설정을 확인하십시오. 이 예시가 Docker를 사용하여 Minecraft 서버를 만드는 데 도움이 되기를 바랍니다.

CNCjs MCP Server

CNCjs MCP Server

Bridges Claude Code to CNCjs to enable remote control and monitoring of GRBL-based CNC machines. It provides a comprehensive toolset for managing G-code jobs, machine movement, and safety operations through natural language.

mcp-bitbake

mcp-bitbake

A deterministic MCP server for BitBake and Yocto that allows users to search, scan, and parse recipe files. It enables the extraction of raw variable assignments from .bb and .bbappend files without performing variable evaluation.

ASUS Merlin Router MCP Server

ASUS Merlin Router MCP Server

Enables management of ASUS routers running Asuswrt-Merlin firmware via SSH/SCP. Supports system monitoring, device management, WiFi control, service restarts, NVRAM operations, file transfers, VPN management, and custom command execution.

MCP HTTP TAVILY DATE OAUTH

MCP HTTP TAVILY DATE OAUTH

Enables web searches using TAVILY API with fallback to DuckDuckGo, datetime queries, and optional Ollama AI processing. Features HTTP transport with OAuth2 authentication for secure access to search capabilities.

MCP-CLIO

MCP-CLIO

Exposes Creatio CLI (CLIO) commands as tools for AI agents to manage Creatio environments. It enables users to perform environment health checks, restart web applications, and execute raw CLI commands through a stateless HTTP transport.

MCP Relay Server

MCP Relay Server

Exposes provider-specific tools and relays HTTP requests to configured providers like Supabase, Vercel, and Context7, enabling interaction with multiple external APIs through a unified MCP interface with configurable authentication and access controls.

eve-online-mcp

eve-online-mcp

このMCPサーバーは、EVE Onlineのマーケットデータにアクセスするためのインターフェースを提供します。ESI(EVE Swagger Interface)APIを使用して、リアルタイムの市場データを取得できます。

signet

signet

Open-source MCP server that exposes Signet cryptographic tools over stdio. It provides tools to generate Ed25519 keypairs, sign MCP actions, verify Signet receipts, and compute canonical content hashes for AI agent audit and accountability workflows.

MCP Browser Screenshot Server

MCP Browser Screenshot Server

Enables AI assistants to capture screenshots of web pages using automated browser sessions. Supports full-page and element-specific screenshots, device simulation, and JavaScript execution for comprehensive web testing and monitoring.

Visum Thinker MCP Server

Visum Thinker MCP Server

Provides structured sequential thinking capabilities for AI assistants to break down complex problems into manageable steps, revise thoughts, and explore alternative reasoning paths.

Awels PDF Processing Server

Awels PDF Processing Server

Enables conversion of PDF files to Markdown format with optional image extraction using docling. Supports batch processing of multiple PDFs with structured output including metadata and processing statistics.

Prompt for User Input MCP Server

Prompt for User Input MCP Server

Enables AI models to interactively prompt users for input or clarification directly through their code editor. It facilitates real-time communication between assistants and users during development tasks.

Apple Notes MCP Server

Apple Notes MCP Server

Reading and writing Apple Notes with native Markdown conversion

Claude Parallel Tasks MCP Server

Claude Parallel Tasks MCP Server

Enables running multiple Claude prompts simultaneously in parallel with support for file contexts and output redirection to individual files.

RAG-MCP Server

RAG-MCP Server

A server that integrates Retrieval-Augmented Generation (RAG) with the Model Control Protocol (MCP) to provide web search capabilities and document analysis for AI assistants.

Microsoft 365 MCP Server

Microsoft 365 MCP Server

Provides Claude Desktop and Claude Code with access to Microsoft 365 email and calendar services via the Microsoft Graph API. It enables users to manage emails, search folders, schedule calendar events, and check availability through natural language commands.

Hello World MCP Server

Hello World MCP Server

A simple Model Context Protocol server that demonstrates basic functionality with greeting tools, allowing Claude to say hello and generate custom greetings with different styles and timestamps.

Airtable OAuth MCP Server

Airtable OAuth MCP Server

A production-ready Model Context Protocol server that enables AI assistants and applications to interact with Airtable bases through a standardized interface with secure OAuth 2.0 authentication.

AnythingLLM MCP Server

AnythingLLM MCP Server

Enables seamless integration with AnythingLLM instances, providing complete workspace management, chat operations, document handling, user administration, and AI agent configuration through natural language.

PlanningCopilot

PlanningCopilot

A tool-augmented LLM system for the full PDDL planning pipeline, improving reliability without domain-specific training.

mcp-todo

mcp-todo

An MCP server that integrates with the mcp-todo app to manage tasks and memos through natural language. It allows users to list, create, update, and delete todos and notes using a Workspace ID.

MCP Learning Demo

MCP Learning Demo

A hands-on demonstration project that teaches the Model Context Protocol (MCP) through Python code, allowing users to understand how AI models interact with their context through a provider-agent architecture.

Kiln

Kiln

Open-source MCP server that lets AI agents control 3D printers. 353 tools for OctoPrint, Moonraker, Bambu Lab, Prusa Link, and Elegoo — search model marketplaces, generate 3D models from text, slice STL files, queue prints, monitor with camera vision, and manage multi-printer fleets. Install via pip install kiln3d.

Notion Page Viewer

Notion Page Viewer

Enables viewing and browsing Notion page content through a web interface with multiple display modes, supporting various block types including text, images, toggles, and child pages.

Empresa Gemini MCP

Empresa Gemini MCP

An MCP server that integrates Google Gemini with corporate management APIs to handle employees, clients, and suppliers through natural language. It enables dynamic data retrieval, record creation, and secure document listing without including sensitive data in the initial prompt.