Discover Awesome MCP Servers

Extend your agent with 16,896 capabilities via MCP servers.

All16,896
Oracle MCP Server

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

MCP Server with Qdrant

qdrant + mcp-qdrant-server

Godot Scene Analyzer

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

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

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 on Cloudflare

OpsNow MCP Asset Server

OpsNow MCP Asset Server

Neil Mcp Server Include Mysql

Neil Mcp Server Include Mysql

include: mcp-mysql

ai-scheduler-mcp

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

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

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

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

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.

MCP DNS

MCP DNS

A Model Context Protocol tool that provides DNS querying capabilities for various record types (A, AAAA, MX, TXT, CNAME, NS, etc.) through a standardized MCP interface.

Dedalus MCP Documentation Server

Dedalus MCP Documentation Server

Enables AI-powered querying and management of documentation through markdown file serving, keyword search, and OpenAI-based Q\&A capabilities. Supports document indexing, analysis, and agent handoffs with rate limiting protection.

WeChat Mini Program Dev MCP

WeChat Mini Program Dev MCP

Enables AI assistants to automate WeChat Developer Tools for mini programs, allowing navigation, inspection, and manipulation of pages and components through the miniprogram-automator API.

Bluesky Social MCP

Bluesky Social MCP

Bluesky Social MCP

Youtube2Text

Youtube2Text

A powerful text extraction service that converts YouTube video content into clean, timestampless transcripts for content analysis, research, and processing workflows.

GUARDRAIL: Security Framework for Large Language Model Applications

GUARDRAIL: Security Framework for Large Language Model Applications

GUARDRAIL - MCP Security - Gateway for Unified Access, Resource Delegation, and Risk-Attenuating Information Limits

Azure Image Generation MCP

Azure Image Generation MCP

Enables AI-powered image generation using Azure DALL-E 3 and FLUX models with intelligent automatic model selection. Generates stunning photorealistic or creative images directly within LibreChat through simple text prompts.

ElevenLabs MCP Server

ElevenLabs MCP Server

Official ElevenLabs Model Context Protocol server that enables AI assistants like Claude to interact with Text to Speech and audio processing APIs, allowing them to generate speech, clone voices, transcribe audio, and create soundscapes.

MCP Weather Server

MCP Weather Server

Enables users to get current weather information for any city through a simple JSON-RPC interface. Integrates with OpenWeatherMap API to provide real-time weather data including temperature, conditions, and other meteorological information.

SouthAsia MCP Tool

SouthAsia MCP Tool

Một mẫu (template) để xây dựng các công cụ dựa trên khung Model Control Protocol (MCP), cung cấp một cách có cấu trúc để phát triển và tích hợp các công cụ tùy chỉnh với Cursor.

Aptos Blockchain MCP

Aptos Blockchain MCP

Integrates Aptos blockchain access into AI applications, enabling interaction with tools for native APT operations, custom coin management, and transaction handling.

flowbite-mcp

flowbite-mcp

This MCP server is the official resource of the Flowbite UI framework and enhances development of websites, layouts, and themes using Tailwind CSS

Proxycurl MCP Server

Proxycurl MCP Server

A Node.js-based Model Context Protocol server that exposes Proxycurl's LinkedIn data API, allowing MCP-compatible clients to access LinkedIn profile data, company information, and search for employees.

pixelle-mcp-Image-generation

pixelle-mcp-Image-generation

The AIGC solution based on the MCP protocol seamlessly transforms the ComfyUI workflow into an MCP Tool with zero code, enabling LLMS and ComfyUI to join forces and focus on image generation tasks. qwen-image, flux, and FLUx-KREA can be used for image generation.

Databricks MCP Server

Databricks MCP Server

Enables interaction with Databricks workspaces using On-Behalf-Of authentication to test connectivity, retrieve user information, and perform operations on behalf of authenticated users.

@tiberriver256/docs-to-mcp-cli

@tiberriver256/docs-to-mcp-cli

Một tiện ích CLI để biến tài liệu của bạn thành một máy chủ MCP stdio.

Bash MCP (Master Control Program)

Bash MCP (Master Control Program)

A TypeScript application that allows Claude to safely execute bash commands with security safeguards including whitelisted commands, directories, and comprehensive logging.