Discover Awesome MCP Servers

Extend your agent with 27,002 capabilities via MCP servers.

All27,002
JobApply MCP Server

JobApply MCP Server

A Model Context Protocol server that helps with job applications by analyzing job postings and optimizing resumes and cover letters through document analysis tools.

HydraMCP

HydraMCP

An MCP server that enables users to query, compare, and synthesize responses from multiple local and cloud LLMs simultaneously using existing subscriptions. It provides tools for parallel model evaluation, consensus polling with an LLM-as-judge, and response synthesis across different model providers.

MCP-Wait

MCP-Wait

대기 기능, 진행률 보고, CLI 또는 SSE를 사용하는 HTTP 서버를 지원하는 간단한 MCP 서버. (MCP 서버는 문맥에 따라 의미가 달라질 수 있으므로, 원문을 최대한 살려 번역했습니다.)

Rec-MCP

Rec-MCP

A Model Context Protocol server that enables searching for camping facilities and recreational areas using Recreation.gov's API and Google Maps Geocoding.

Manalink MCP Server

Manalink MCP Server

AI 어시스턴트가 과목, 학년 및 기타 기준에 따라 Manalink 플랫폼에서 튜터를 검색할 수 있도록 하는 모델 컨텍스트 프로토콜 서버 구현.

MCP Server demo

MCP Server demo

이것은 Python을 사용하여 만든 MCP 서버 데모이며, vscode Copilot의 에이전트 모드에서 테스트하기 위해 만들어졌습니다.

Biomarker-Ranges

Biomarker-Ranges

Based on the Morgan Levine PhenoAge clock model, the service calculates biological age through blood biomarkers.

Remote MCP Server on Cloudflare

Remote MCP Server on Cloudflare

A serverless implementation for deploying Model Context Protocol servers on Cloudflare Workers that enables AI models to access custom tools without authentication requirements.

ibge-br-mcp

ibge-br-mcp

This server provides access to IBGE's public APIs, enabling AI assistants to query geographic, demographic, and statistical data from Brazil.

Godot MCP Unified

Godot MCP Unified

Enables complete natural language control of Godot Engine 4.5+ with 76 tools for managing scripts, scenes, nodes, animations, physics, tilemaps, audio, shaders, navigation, particles, UI, lighting, assets, and exports. Integrates with Claude Desktop, VS Code, and Ollama for AI-assisted game development.

MCP Registry Server

MCP Registry Server

Enables searching and retrieving detailed information about MCP servers from the official MCP registry. Provides tools to list servers with filtering options and get comprehensive details about specific servers.

MCP Gemini API Server

MCP Gemini API Server

MCP 프로토콜을 통해 텍스트 생성, 이미지 분석, 유튜브 비디오 분석, 웹 검색 기능을 포함한 Google Gemini AI 기능에 대한 접근을 제공하는 서버.

BossZhipin MCP Server

BossZhipin MCP Server

Enables interaction with the Boss直聘 recruitment platform to search for jobs and send automated greetings to recruiters. It features automatic QR code login and security verification using Playwright for seamless session management.

Simple MCP Server

Simple MCP Server

## 극도로 간단한 코드로 MCP 서버 구축하기 (Python) 다음은 Python을 사용하여 극도로 간단한 MCP (Mesh Configuration Protocol) 서버를 구축하는 예제입니다. 이 코드는 기본적인 연결 수락 및 간단한 응답을 보여줍니다. 실제 MCP 서버는 훨씬 더 복잡하며, 메시지 파싱, 상태 관리, 에러 처리 등을 포함해야 합니다. ```python import socket HOST = '127.0.0.1' # localhost PORT = 7878 # MCP 표준 포트 (변경 가능) with socket.socket(socket.AF_INET, socket.SOCK_STREAM) as s: s.bind((HOST, PORT)) s.listen() print(f"MCP 서버가 {HOST}:{PORT} 에서 시작되었습니다.") conn, addr = s.accept() with conn: print(f"{addr} 에서 연결되었습니다.") while True: data = conn.recv(1024) if not data: break print(f"수신 데이터: {data.decode()}") conn.sendall(b"OK") # 간단한 응답 ``` **설명:** 1. **`import socket`**: 소켓 프로그래밍을 위한 `socket` 모듈을 가져옵니다. 2. **`HOST` 및 `PORT`**: 서버가 바인딩될 호스트 주소와 포트를 정의합니다. `PORT`는 MCP 표준 포트인 7878로 설정되어 있지만 필요에 따라 변경할 수 있습니다. 3. **`socket.socket(...)`**: IPv4 (AF_INET) 및 TCP (SOCK_STREAM) 소켓을 생성합니다. 4. **`s.bind((HOST, PORT))`**: 소켓을 지정된 호스트 주소와 포트에 바인딩합니다. 5. **`s.listen()`**: 들어오는 연결을 수신하기 시작합니다. 6. **`s.accept()`**: 클라이언트 연결을 수락합니다. `conn`은 클라이언트와의 통신을 위한 새로운 소켓 객체이고, `addr`은 클라이언트의 주소입니다. 7. **`conn.recv(1024)`**: 클라이언트로부터 최대 1024바이트의 데이터를 수신합니다. 8. **`if not data: break`**: 클라이언트가 연결을 닫으면 루프를 종료합니다. 9. **`print(f"수신 데이터: {data.decode()}")`**: 수신된 데이터를 디코딩하여 콘솔에 출력합니다. 10. **`conn.sendall(b"OK")`**: 클라이언트에게 "OK"라는 간단한 응답을 보냅니다. **실행 방법:** 1. 위의 코드를 `mcp_server.py`와 같은 파일로 저장합니다. 2. 터미널에서 `python mcp_server.py`를 실행합니다. **테스트 방법:** `netcat` (nc)과 같은 도구를 사용하여 서버에 연결하고 데이터를 보낼 수 있습니다. ```bash nc 127.0.0.1 7878 ``` `netcat`에 데이터를 입력하고 Enter 키를 누르면 서버 콘솔에 해당 데이터가 출력되고 `netcat`은 "OK" 응답을 받게 됩니다. **주의 사항:** * 이 코드는 매우 기본적인 예제이며, 실제 MCP 서버는 훨씬 더 복잡합니다. * 에러 처리, 메시지 파싱, 상태 관리, 보안 등을 고려해야 합니다. * 이 코드는 단일 클라이언트 연결만 처리할 수 있습니다. 여러 클라이언트를 동시에 처리하려면 멀티스레딩 또는 비동기 프로그래밍을 사용해야 합니다. 이 예제가 MCP 서버 구축의 기본 개념을 이해하는 데 도움이 되기를 바랍니다.

StylePilot MCP Server

StylePilot MCP Server

MCP LinkedIn

MCP LinkedIn

An MCP server that enables users to interact with LinkedIn feeds and search for job listings through natural language. It provides tools for retrieving recent feed posts and searching for professional opportunities based on specific keywords and locations.

LocalFS MCP Server

LocalFS MCP Server

Provides sandboxed access to local filesystem operations including directory and file management, content search with glob and regex patterns, and binary file support with configurable safety limits.

UML-MCP: A Diagram Generation Server with MCP Interface

UML-MCP: A Diagram Generation Server with MCP Interface

UML-MCP Server is a UML diagram generation tool based on MCP (Model Context Protocol), which can help users generate various types of UML diagrams through natural language description or directly writing PlantUML and Mermaid and Kroki

SUMO-MCP Server

SUMO-MCP Server

Connects LLMs to Eclipse SUMO traffic simulation, enabling AI agents to automate traffic network generation, demand modeling, signal optimization, simulation execution, and real-time TraCI control through natural language.

readdown-mcp

readdown-mcp

Converts web pages and HTML strings into clean, LLM-optimized Markdown with metadata extraction and token estimation. It uses a lightweight, browserless approach to provide token-efficient output for more effective LLM processing.

shipstatic

shipstatic

MCP server for Shipstatic — deploy and manage static sites from AI agents. Works with Claude Code, Cursor, VS Code Copilot, and any MCP-compatible client.

deployhq-mcp-server

deployhq-mcp-server

DeployHQ MCP Server

YouTube MCP Server

YouTube MCP Server

Enables AI models to interact with YouTube content including video details, transcripts, channel information, playlists, and search functionality through the YouTube Data API.

YouTube Transcript MCP Server

YouTube Transcript MCP Server

Enables AI assistants to fetch and analyze transcripts from YouTube videos using video IDs or URLs, with support for multiple language preferences.

Chrome MCP Server

Chrome MCP Server

Transforms Chrome browser into an AI-controlled automation tool that allows AI assistants like Claude to access browser functionality, enabling complex automation, content analysis, and semantic search while preserving your existing browser environment.

LegalContext MCP Server

LegalContext MCP Server

LegalContext는 오픈 소스 모델 컨텍스트 프로토콜(MCP) 서버로, 법률 회사의 문서 관리 시스템(특히 Clio)과 AI 어시스턴트(Claude Desktop부터 시작) 간에 안전하고 표준화된 브리지를 생성합니다.

Flippa MCP

Flippa MCP

Enables users to search, analyze, and evaluate online business listings on Flippa using AI-powered tools for valuation and market research. It provides detailed metrics, risk assessments, and comparable sales data without requiring an API key or account.

Kommo MCP Server

Kommo MCP Server

Enables integration with Kommo CRM to manage leads, add notes and tasks, update custom fields, and list pipelines. Supports multi-tenant authentication and includes an approval system for bulk operations.

Quick Data for Windows MCP

Quick Data for Windows MCP

A Windows-optimized server providing universal data analytics for JSON and CSV files through over 32 tools including schema discovery and interactive visualizations. It is specifically designed for seamless integration with Claude Desktop on Windows.

Asana MCP Server

Asana MCP Server

An MCP (Multi-Agent Conversation Protocol) Server that enables interaction with the Asana API, auto-generated using AG2's MCP builder.