Discover Awesome MCP Servers
Extend your agent with 16,892 capabilities via MCP servers.
- All16,892
- 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
ai-scheduler-mcp
Tôi hiểu rồi. Bạn muốn tôi dịch đoạn văn sau sang tiếng Việt: "google tasks apiとgoogle calendar apiを利用したスケジューリング用のsse対応のmcp server" **Bản dịch:** "Máy chủ MCP hỗ trợ SSE để lên lịch, sử dụng Google Tasks API và Google Calendar API." **Giải thích thêm:** * **google tasks apiとgoogle calendar apiを利用した:** Sử dụng Google Tasks API và Google Calendar API * **スケジューリング用の:** Để lên lịch * **sse対応の:** Hỗ trợ SSE (Server-Sent Events) * **mcp server:** Máy chủ MCP (Microservices Communication Platform - Nền tảng giao tiếp Microservices) Hy vọng bản dịch này hữu ích!
MCPLab
Dưới đây là một số ví dụ, code, thiết kế và hướng dẫn về MCP (Model Context Protocol) server-client: **Lưu ý quan trọng:** MCP (Model Context Protocol) không phải là một giao thức phổ biến hoặc được sử dụng rộng rãi. Có thể bạn đang đề cập đến một giao thức tùy chỉnh hoặc một giao thức cụ thể trong một ngữ cảnh hẹp. Do đó, thông tin tôi cung cấp có thể không hoàn toàn chính xác hoặc đầy đủ. **Giả định:** Tôi sẽ giả định rằng MCP là một giao thức tùy chỉnh được thiết kế để truyền tải dữ liệu mô hình (model data) giữa một máy chủ (server) và một máy khách (client). **1. Thiết kế tổng quan:** * **Mục tiêu:** Cho phép máy khách yêu cầu và nhận dữ liệu mô hình từ máy chủ. * **Kiến trúc:** Mô hình client-server. * **Giao thức:** Có thể dựa trên TCP hoặc UDP. TCP thường được ưu tiên hơn vì đảm bảo độ tin cậy. * **Định dạng dữ liệu:** Có thể sử dụng JSON, XML, Protocol Buffers, hoặc một định dạng tùy chỉnh. JSON thường được sử dụng vì tính đơn giản và dễ đọc. **2. Ví dụ về tin nhắn MCP (sử dụng JSON):** * **Yêu cầu từ máy khách (Client Request):** ```json { "type": "request", "model_name": "product", "model_id": 123, "fields": ["name", "price", "description"] } ``` * `type`: Loại tin nhắn (request). * `model_name`: Tên của mô hình (ví dụ: "product"). * `model_id`: ID của mô hình cụ thể. * `fields`: Danh sách các trường cần lấy. * **Phản hồi từ máy chủ (Server Response):** ```json { "type": "response", "model_name": "product", "model_id": 123, "data": { "name": "Awesome Product", "price": 99.99, "description": "A fantastic product for everyone." }, "status": "success" } ``` * `type`: Loại tin nhắn (response). * `model_name`: Tên của mô hình. * `model_id`: ID của mô hình. * `data`: Dữ liệu của mô hình. * `status`: Trạng thái của yêu cầu (ví dụ: "success", "error"). * **Thông báo lỗi (Error Message):** ```json { "type": "error", "message": "Model not found." } ``` **3. Ví dụ code (Python):** **Server (sử dụng TCP):** ```python import socket import json HOST = '127.0.0.1' # Standard loopback interface address (localhost) PORT = 65432 # Port to listen on (non-privileged ports are > 1023) # Giả sử chúng ta có một hàm để lấy dữ liệu mô hình def get_model_data(model_name, model_id, fields): # Đây chỉ là một ví dụ đơn giản if model_name == "product" and model_id == 123: data = { "name": "Awesome Product", "price": 99.99, "description": "A fantastic product for everyone." } return {field: data.get(field) for field in fields} else: return None with socket.socket(socket.AF_INET, socket.SOCK_STREAM) as s: s.bind((HOST, PORT)) s.listen() conn, addr = s.accept() with conn: print('Connected by', addr) while True: data = conn.recv(1024) if not data: break try: request = json.loads(data.decode()) if request["type"] == "request": model_data = get_model_data(request["model_name"], request["model_id"], request["fields"]) if model_data: response = { "type": "response", "model_name": request["model_name"], "model_id": request["model_id"], "data": model_data, "status": "success" } conn.sendall(json.dumps(response).encode()) else: error_response = { "type": "error", "message": "Model not found." } conn.sendall(json.dumps(error_response).encode()) else: error_response = { "type": "error", "message": "Invalid request type." } conn.sendall(json.dumps(error_response).encode()) except json.JSONDecodeError: error_response = { "type": "error", "message": "Invalid JSON format." } conn.sendall(json.dumps(error_response).encode()) ``` **Client (sử dụng TCP):** ```python import socket import json HOST = '127.0.0.1' # The server's hostname or IP address PORT = 65432 # The port used by the server with socket.socket(socket.AF_INET, socket.SOCK_STREAM) as s: s.connect((HOST, PORT)) request = { "type": "request", "model_name": "product", "model_id": 123, "fields": ["name", "price", "description"] } s.sendall(json.dumps(request).encode()) data = s.recv(1024) print('Received', repr(data)) try: response = json.loads(data.decode()) print(response) except json.JSONDecodeError: print("Invalid JSON response.") ``` **4. Các bước triển khai:** 1. **Định nghĩa giao thức:** Xác định các loại tin nhắn, định dạng dữ liệu và quy tắc giao tiếp. 2. **Triển khai máy chủ:** Viết code máy chủ để lắng nghe các yêu cầu, xử lý chúng và gửi phản hồi. 3. **Triển khai máy khách:** Viết code máy khách để gửi yêu cầu và xử lý phản hồi. 4. **Kiểm tra:** Kiểm tra kỹ lưỡng để đảm bảo giao thức hoạt động chính xác. **5. Các cân nhắc thiết kế:** * **Bảo mật:** Nếu dữ liệu nhạy cảm, hãy sử dụng mã hóa (ví dụ: TLS/SSL). * **Xử lý lỗi:** Xử lý các lỗi một cách duyên dáng và cung cấp thông tin lỗi hữu ích. * **Khả năng mở rộng:** Thiết kế giao thức để có thể mở rộng trong tương lai. * **Hiệu suất:** Tối ưu hóa giao thức để có hiệu suất tốt. * **Phiên bản:** Sử dụng phiên bản giao thức để đảm bảo khả năng tương thích ngược. **6. Hướng dẫn và tài liệu:** Vì MCP không phải là một giao thức tiêu chuẩn, bạn có thể không tìm thấy nhiều hướng dẫn hoặc tài liệu trực tuyến. Tuy nhiên, bạn có thể tìm thấy thông tin hữu ích về các giao thức client-server nói chung, TCP/IP, và các định dạng dữ liệu như JSON và Protocol Buffers. **Quan trọng:** * Hãy nhớ rằng đây chỉ là một ví dụ đơn giản. Bạn có thể cần điều chỉnh nó để phù hợp với nhu cầu cụ thể của mình. * Hãy cẩn thận khi xử lý dữ liệu từ máy khách, đặc biệt là nếu bạn đang sử dụng nó để truy cập cơ sở dữ liệu hoặc các tài nguyên khác. * Luôn luôn kiểm tra và xác thực dữ liệu đầu vào để ngăn chặn các cuộc tấn công bảo mật. Nếu bạn có thể cung cấp thêm thông tin về MCP (ví dụ: nó được sử dụng ở đâu, ai đã tạo ra nó), tôi có thể cung cấp thông tin chính xác và hữu ích hơn.
Water Bar Email MCP Server
Enables sending branded wellness booking confirmation emails through Resend integration. Supports multiple email flows including AOI experience bookings with AI-suggested drink pairings and timeline layouts.
lafe-blog MCP Server
Enables creating and managing text notes with a simple note-taking system. Provides tools to create notes, access them via URIs, and generate summaries of all stored notes.
NCP MCP Server
Enables conversational management of Naver Cloud Platform infrastructure through Claude Desktop, allowing users to create, query, and manage cloud resources like servers, VPCs, load balancers, and databases using natural language.
Weather MCP Server
Anki MCP Server
A Model Context Protocol server that bridges Claude AI with Anki flashcard app, allowing users to create and manage flashcards using natural language commands.
MCP File Operations Server
Enables secure file management operations within a documents folder, including reading, writing, listing, deleting files and creating directories. Supports all file types with path validation to prevent access outside the designated documents directory.
XHS MCP
Enables interaction with Xiaohongshu (Little Red Book) platform through automated browser operations. Supports authentication, content publishing, search, discovery, and commenting using Puppeteer-based automation.
QGISMCP
Một máy chủ Giao thức Bối cảnh Mô hình (Model Context Protocol) kết nối Claude AI với QGIS, cho phép tương tác trực tiếp với phần mềm GIS để tạo dự án, thao tác lớp, thực thi mã và xử lý các thuật toán thông qua các lệnh bằng ngôn ngữ tự nhiên.
MCP Echo Env
Echoes environment variables (PWD and WORKSPACE_SLUG) to verify that MCP clients properly propagate workspace context to server processes.
Godot Scene Analyzer
Analyzes Godot game projects to enforce ECS architecture patterns, automatically detecting when scene scripts contain game logic that should be in the ECS layer and validating separation between presentation and logic code.
Stochastic Thinking MCP Server
Provides advanced probabilistic decision-making algorithms including MDPs, MCTS, Multi-Armed Bandits, Bayesian Optimization, and Hidden Markov Models to help AI assistants explore alternative solutions and optimize long-term decisions.
Netlify Express MCP Server
A basic serverless MCP implementation using Netlify Functions and Express. Demonstrates how to deploy and run Model Context Protocol servers in a serverless environment with proper routing configuration.
Remote MCP Server on Cloudflare
Remote MCP Server (Authless)
Deploys a Model Context Protocol server on Cloudflare Workers without authentication requirements, allowing you to create and expose custom AI tools to clients like Claude Desktop or Cloudflare AI Playground.
MCP Server MySQL
Enables LLMs to interact with MySQL databases through standardized protocol, supporting database management, table operations, data queries, and modifications with configurable permission controls.
MCP Server Directory
Khám phá và chia sẻ các Máy chủ Giao thức Bối cảnh Mô hình (Model Context Protocol Servers) cho các ứng dụng, phát triển và tích hợp AI.
mcp-server-twse
WarpGBM MCP Service
Provides GPU-accelerated gradient boosting model training and inference through a cloud service. Enables AI agents to train models on NVIDIA A10G GPUs and get fast cached predictions with portable model artifacts.
Oracle MCP Server
Triển khai máy chủ Giao thức Ngữ cảnh Mô hình (MCP) cho các hoạt động cơ sở dữ liệu Oracle.
MCP Server with Qdrant
qdrant + mcp-qdrant-server
mcp-micromanage
Một Công Cụ Quản Lý Chi Tiết cho Quy Trình Phát Triển: Giúp lập trình viên lên kế hoạch, theo dõi và trực quan hóa các tác vụ phát triển tuần tự với độ chi tiết đến từng commit. Tính năng trực quan hóa tương tác, theo dõi trạng thái tự động và quản lý quy trình làm việc có cấu trúc.
Service Health MCP Server
A professional-grade MCP server that enables AI assistants to monitor web services, APIs, and HTTP endpoints with enterprise-level security.
WaPulse WhatsApp MCP Server
A Model Context Protocol server that integrates with WaPulse WhatsApp Web API, enabling users to send messages, manage groups, handle files, and perform various WhatsApp operations programmatically.
gqai
gqai
Remote MCP Server on Cloudflare
MCP Observer Server
A file monitoring server that tracks filesystem events and provides real-time notifications to AI assistants, enabling them to automatically respond to file changes without manual updates.
Adobe Commerce MCP Server by CData
This read-only MCP Server allows you to connect to Adobe Commerce data from Claude Desktop through CData JDBC Drivers. Free (beta) read/write servers available at https://www.cdata.com/solutions/mcp
Modular Search MCP
A VS Code extension that integrates DuckDuckGo web search capabilities with GitHub Copilot Chat through a Model Context Protocol server.