Discover Awesome MCP Servers
Extend your agent with 16,900 capabilities via MCP servers.
- All16,900
- Developer Tools3,867
- Search1,714
- Research & Data1,557
- AI Integration Systems229
- Cloud Platforms219
- Data & App Analysis181
- Database Interaction177
- Remote Shell Execution165
- Browser Automation147
- Databases145
- Communication137
- AI Content Generation127
- OS Automation120
- Programming Docs Access109
- Content Fetching108
- Note Taking97
- File Systems96
- Version Control93
- Finance91
- Knowledge & Memory90
- Monitoring79
- Security71
- Image & Video Processing69
- Digital Note Management66
- AI Memory Systems62
- Advanced AI Reasoning59
- Git Management Tools58
- Cloud Storage51
- Entertainment & Media43
- Virtualization42
- Location Services35
- Web Automation & Stealth32
- Media Content Processing32
- Calendar Management26
- Ecommerce & Retail18
- Speech Processing18
- Customer Data Platforms16
- Travel & Transportation14
- Education & Learning Tools13
- Home Automation & IoT13
- Web Search Integration12
- Health & Wellness10
- Customer Support10
- Marketing9
- Games & Gamification8
- Google Cloud Integrations7
- Art & Culture4
- Language Translation3
- Legal & Compliance2
Tracxn MCP Server
A Model Context Protocol server that wraps the Tracxn REST API, providing a standardized interface for LLMs to access and interact with Tracxn company data.
ThinkingCap
Multi-agent research server that runs multiple LLM providers in parallel with web search capabilities, synthesizing their responses into comprehensive answers for complex queries.
TongXiao Common Search MCP Server
A Model Context Protocol server that provides enhanced real-time search capabilities by integrating with Alibaba Cloud IQS APIs to deliver clean, accurate results from multiple data sources.
MCP CONNECT 4
MCP for connect 4
Gmail MCP Server
An integration server that allows Claude Desktop to securely access and process Gmail content while maintaining proper context management and privacy controls.
Remote MCP Server on Cloudflare
A template for deploying MCP servers on Cloudflare Workers with OAuth authentication, enabling remote access to MCP tools via SSE transport from Claude Desktop and other MCP clients.
Poker Task Management MCP
Enables AI assistants to manage tasks through YAML-based storage with subtask suggestions, status updates, and Mermaid Gantt chart generation. Supports hierarchical task structures with attributes like dependencies, milestones, and parallel execution.
POEditor MCP Server
Enables interaction with POEditor's translation management API to create terms, add translations, and manage multilingual content. Supports operations like adding translations, updating existing ones, and listing terms and languages for translation projects.
Oura Ring MCP Server
A Model Context Protocol server that provides access to Oura Ring health and fitness data through the Oura API v2, enabling retrieval of sleep, activity, readiness, and other health metrics.
MCP Agent TypeScript Port
MCP 에이전트 프레임워크의 TypeScript 구현체로, 고급 워크플로우 관리, 로깅, 실행 기능을 통해 컨텍스트 인식 에이전트를 구축하기 위한 도구를 제공합니다.
RPG Ledger MCP Server
Enables AI assistants to act as RPG Game Masters by managing campaign state including characters, inventory, quests, and logs through MCP tools. Supports campaign mutations and provides both MCP and HTTP API access to RPG session data.
Kali MCP Server
Enables LLMs to execute Kali Linux security tools like nmap, sqlmap, and hydra in a secure, sandboxed environment. Provides both MCP and HTTP API interfaces for penetration testing and security assessment tasks.
GitLab MCP Server
자연어를 통해 GitLab 계정과 상호 작용하여 저장소, 병합 요청, 코드 검토, CI/CD 파이프라인을 관리할 수 있도록 하는 모델 컨텍스트 프로토콜 서버.
Guardian
Manage / Proxy / Secure your MCP Servers
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 프로토콜을 통해 텍스트 생성, 이미지 분석, 유튜브 비디오 분석, 웹 검색 기능을 포함한 Google Gemini AI 기능에 대한 접근을 제공하는 서버.
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 서버 구축의 기본 개념을 이해하는 데 도움이 되기를 바랍니다.
octodet-elasticsearch-mcp
Read/write Elasticsearch mcp server with many tools
Crawl4AI MCP Server
HubSpot MCP
Provides comprehensive access to HubSpot CRM data and operations, enabling management of contacts, companies, deals, engagements, and associations through a standardized interface with type-safe validation.
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
Multi-Tenant PostgreSQL MCP Server
Enables read-only access to PostgreSQL databases with multi-tenant support, allowing users to query data, explore schemas, inspect table structures, and view function definitions across different tenant schemas safely.
Security Scanner MCP Server
Enables comprehensive security scanning of code repositories to detect secrets, vulnerabilities, dependency issues, and configuration problems. Provides real-time security checks and best practice recommendations to help developers identify and prevent security issues.
MCP Server : Sum Numbers
MCP server exemple
OrdiscanMCP
An HTTP server implementation that provides direct access to the Ordiscan API with 29 integrated tools for Bitcoin ordinals, inscriptions, runes, BRC-20 tokens, and rare sat data.
Java Testing Agent
Automates Java Maven testing workflows with decision table-based test generation, security vulnerability scanning, JaCoCo coverage analysis, and Git automation.
MCPServer
MCP Doc Server
A document-based MCP server that supports keyword searching and content retrieval from official website documentation.
dartpoint-mcp
MCP Server for public disclosure information of Korean companies, powered by the dartpoint.ai API.
Termux Notification List MCP Server
Enables AI agents to monitor and read Android notifications in real-time via Termux. Provides access to current notifications with filtering capabilities and real-time streaming of new notifications as they arrive.