Discover Awesome MCP Servers

Extend your agent with 24,162 capabilities via MCP servers.

All24,162
PPTX Generator MCP Server

PPTX Generator MCP Server

Generates professional PowerPoint presentations from Markdown with support for code blocks, tables, custom branding, and mixed formatting. Transforms lesson plans and documentation into styled PPTX files with syntax highlighting and customizable themes.

Cars MCP Server

Cars MCP Server

Okay, here's a basic example of how you might set up a simple Minecraft Protocol (MCP) server using Spring AI concepts. Keep in mind that this is a *very* high-level outline. Building a full MCP server is a complex undertaking. This example focuses on how Spring AI could *potentially* be integrated for certain aspects, like handling player commands or generating content. **Disclaimer:** This is a conceptual example. You'll need to adapt it significantly based on your specific needs and the actual Minecraft protocol implementation you choose. Also, Spring AI is primarily designed for AI interactions, not for low-level network protocol handling. The integration here is more about using AI for specific server features. **Conceptual Architecture** 1. **MCP Server Core:** Handles the raw network communication with Minecraft clients, packet parsing, and basic game logic. This part is *not* directly related to Spring AI. You'll need a library or framework for this (e.g., a custom implementation or a library like `minecraft-server-util` or similar). 2. **Command Handling (Potential Spring AI Integration):** Instead of hardcoding command logic, you could use Spring AI to interpret player commands and generate responses. 3. **Content Generation (Potential Spring AI Integration):** You could use Spring AI to generate descriptions of the world, create quests, or even generate simple structures. **Simplified Code Example (Illustrative)** ```java // Dependencies (pom.xml - simplified) // You'll need to add the actual Minecraft protocol library // and Spring AI dependencies. This is just a placeholder. /* <dependencies> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter</artifactId> </dependency> <dependency> <groupId>org.springframework.boot</groupId> <artifactId>spring-boot-starter-web</artifactId> </dependency> <dependency> <groupId>org.springframework.ai</groupId> <artifactId>spring-ai-openai</artifactId> // Or your preferred AI provider <version>0.8.0</version> // Check for the latest version </dependency> <dependency> <groupId>org.springframework.ai</groupId> <artifactId>spring-ai-spring-boot-starter</artifactId> <version>0.8.0</version> // Check for the latest version </dependency> // Minecraft protocol library (replace with actual dependency) // <dependency> ... </dependency> </dependencies> */ import org.springframework.ai.client.AiClient; import org.springframework.beans.factory.annotation.Autowired; import org.springframework.boot.SpringApplication; import org.springframework.boot.autoconfigure.SpringBootApplication; import org.springframework.stereotype.Component; import java.io.IOException; import java.net.ServerSocket; import java.net.Socket; import java.util.concurrent.ExecutorService; import java.util.concurrent.Executors; @SpringBootApplication public class MinecraftServerApplication { public static void main(String[] args) { SpringApplication.run(MinecraftServerApplication.class, args); } } @Component class MinecraftServer { private static final int PORT = 25565; // Default Minecraft port private final ExecutorService executor = Executors.newFixedThreadPool(10); // Thread pool private final CommandHandler commandHandler; @Autowired public MinecraftServer(CommandHandler commandHandler) { this.commandHandler = commandHandler; } public void start() throws IOException { ServerSocket serverSocket = new ServerSocket(PORT); System.out.println("Minecraft server started on port " + PORT); while (true) { Socket clientSocket = serverSocket.accept(); System.out.println("Client connected: " + clientSocket.getInetAddress().getHostAddress()); executor.submit(new ClientHandler(clientSocket, commandHandler)); // Pass commandHandler } } // Start the server after the Spring context is initialized @org.springframework.boot.context.event.EventListener(org.springframework.context.event.ContextRefreshedEvent.class) public void onApplicationEvent(org.springframework.context.event.ContextRefreshedEvent event) { try { start(); } catch (IOException e) { System.err.println("Error starting server: " + e.getMessage()); } } } class ClientHandler implements Runnable { private final Socket clientSocket; private final CommandHandler commandHandler; public ClientHandler(Socket clientSocket, CommandHandler commandHandler) { this.clientSocket = clientSocket; this.commandHandler = commandHandler; } @Override public void run() { try { // **IMPORTANT:** This is where you'd handle the Minecraft protocol. // Read packets from the client, parse them, and respond accordingly. // This example just reads lines from the client (for simplicity). java.io.BufferedReader reader = new java.io.BufferedReader(new java.io.InputStreamReader(clientSocket.getInputStream())); java.io.PrintWriter writer = new java.io.PrintWriter(clientSocket.getOutputStream(), true); String inputLine; while ((inputLine = reader.readLine()) != null) { System.out.println("Received from client: " + inputLine); // **Command Handling using Spring AI** String response = commandHandler.handleCommand(inputLine); writer.println(response); // Send response back to the client } clientSocket.close(); System.out.println("Client disconnected: " + clientSocket.getInetAddress().getHostAddress()); } catch (IOException e) { System.err.println("Error handling client: " + e.getMessage()); } } } @Component class CommandHandler { private final AiClient aiClient; @Autowired public CommandHandler(AiClient aiClient) { this.aiClient = aiClient; } public String handleCommand(String command) { // Use Spring AI to interpret the command and generate a response. // Example: String prompt = "You are a helpful Minecraft server assistant. The player said: " + command + ". Respond in a way that is helpful and appropriate for a Minecraft server."; String response = aiClient.generate(prompt); return response; } } ``` **Explanation and Key Points:** 1. **Dependencies:** You'll need to add the Spring AI dependencies (as shown in the `pom.xml` comment). Crucially, you *also* need a library for handling the Minecraft protocol itself. There isn't a single, universally recommended library; you'll need to research and choose one that suits your needs. 2. **`MinecraftServerApplication`:** A standard Spring Boot application entry point. 3. **`MinecraftServer`:** * Creates a `ServerSocket` to listen for incoming connections on the default Minecraft port (25565). * Uses an `ExecutorService` to handle multiple client connections concurrently. * The `start()` method is called after the Spring context is initialized using `@org.springframework.boot.context.event.EventListener`. * It accepts client connections and creates a `ClientHandler` for each. 4. **`ClientHandler`:** * This is the *most important* part for handling the Minecraft protocol. The example code *only* reads lines from the client. In a real server, you would: * Read raw bytes from the `InputStream`. * Parse the bytes according to the Minecraft protocol specification. * Determine the type of packet received. * Extract the data from the packet. * Perform the appropriate action based on the packet type (e.g., handle player movement, chat messages, block placement, etc.). * Send response packets back to the client. * The `commandHandler.handleCommand(inputLine)` is where the AI integration happens. 5. **`CommandHandler`:** * This class uses Spring AI's `AiClient` to process player commands. * It constructs a prompt that includes the player's command and a description of the AI's role. * It sends the prompt to the AI and returns the generated response. **How to Run:** 1. **Set up Spring AI:** Configure your Spring AI provider (e.g., OpenAI) with your API key in your `application.properties` or `application.yml` file. For example: ```properties spring.ai.openai.api-key=YOUR_OPENAI_API_KEY ``` 2. **Add Minecraft Protocol Library:** Find and add a suitable Minecraft protocol library to your project's dependencies. 3. **Run the Application:** Run the `MinecraftServerApplication` as a standard Spring Boot application. **Important Considerations and Next Steps:** * **Minecraft Protocol:** The biggest challenge is implementing the Minecraft protocol correctly. This is a complex binary protocol. You'll need to study the protocol specification and use a library or write your own code to handle it. * **Security:** Security is critical for a Minecraft server. Implement proper authentication, authorization, and anti-cheat measures. * **Performance:** Optimize your server for performance, especially if you plan to support a large number of players. Consider using asynchronous I/O and efficient data structures. * **Error Handling:** Implement robust error handling to prevent crashes and provide informative error messages. * **World Generation:** You'll need to implement world generation logic. You could potentially use Spring AI to generate interesting terrain features or structures, but this would be a more advanced project. * **Game Logic:** Implement the core game logic, such as player movement, item management, combat, and crafting. * **Plugin API:** Consider creating a plugin API to allow other developers to extend your server's functionality. **Spanish Translation of Key Concepts:** * **Minecraft Protocol (MCP):** Protocolo de Minecraft (MCP) * **Server:** Servidor * **Client:** Cliente * **Packet:** Paquete * **Command:** Comando * **AI (Artificial Intelligence):** IA (Inteligencia Artificial) * **Spring AI:** Spring AI * **Prompt:** Indicación, Instrucción * **Response:** Respuesta * **World Generation:** Generación del Mundo * **Game Logic:** Lógica del Juego * **Authentication:** Autenticación * **Authorization:** Autorización * **Anti-Cheat:** Anti-Trampas * **Plugin API:** API de Plugins This example provides a starting point. Building a functional Minecraft server is a significant project that requires a deep understanding of the Minecraft protocol and server-side programming. Good luck!

mcp-jenkins

mcp-jenkins

La integración de Jenkins del Protocolo de Contexto del Modelo (MCP) es una implementación de código abierto que conecta Jenkins con modelos de lenguaje de IA siguiendo la especificación MCP de Anthropic. Este proyecto permite interacciones de IA seguras y contextuales con las herramientas de Jenkins, manteniendo la privacidad y la seguridad de los datos.

FFmpeg MCP

FFmpeg MCP

Enables video and audio processing through FFmpeg, supporting format conversion, compression, trimming, audio extraction, frame extraction, video merging, and subtitle burning through natural language commands.

mcp-servers

mcp-servers

Here are a few ways to translate "mcp servers on serverless" into Spanish, depending on the context: **Option 1 (Most General):** * **Servidores MCP en un entorno sin servidor** (This is a direct translation and works well if you're talking about MCP servers in a general serverless context.) **Option 2 (More Technical):** * **Servidores MCP en arquitectura sin servidor** (This emphasizes the architectural aspect of serverless.) **Option 3 (If you're talking about deploying MCP servers *using* serverless technologies):** * **Implementación de servidores MCP con tecnologías sin servidor** (This focuses on the act of deploying or implementing the servers.) **Which one is best depends on the specific context of your conversation.** If you can provide more information about what you're trying to say, I can give you a more precise translation.

Reddit MCP Server

Reddit MCP Server

An MCP server that enables AI assistants to access and interact with Reddit content through features like user analysis, post retrieval, subreddit statistics, and authenticated posting capabilities.

GitViz MCP

GitViz MCP

Visualizes Git history and commit logs with before/after animations for operations like merge, rebase, and cherry-pick. Integrates with AI assistants to provide Git analysis tools and smart command suggestions through natural language.

Washington Law MCP Server

Washington Law MCP Server

Provides offline access to Washington State's Revised Code of Washington (RCW) and Washington Administrative Code (WAC) for AI agents. Enables fast retrieval, full-text search, and navigation of all Washington state laws through natural language queries.

SAP BusinessObjects BI MCP Server by CData

SAP BusinessObjects BI MCP Server by CData

This project builds a read-only MCP server. For full read, write, update, delete, and action capabilities and a simplified setup, check out our free CData MCP Server for SAP BusinessObjects BI (beta): https://www.cdata.com/download/download.aspx?sku=GJZK-V&type=beta

Simple MCP Search Server

Simple MCP Search Server

MMA MCP Server

MMA MCP Server

Enables users to search and query information about military service alternative companies in South Korea through the Military Manpower Administration (MMA) API. Supports filtering by service type, industry, company size, location, and recruitment status.

MCP Server for Odoo

MCP Server for Odoo

Enables AI assistants to interact with Odoo ERP systems through natural language, allowing users to search, create, update, and manage business records like customers, products, and invoices across any Odoo instance.

MCP Server on Cloudflare Workers & Azure Functions

MCP Server on Cloudflare Workers & Azure Functions

A deployable MCP server for Cloudflare Workers or Azure Functions that provides example tools (time, echo, math), prompt templates for code assistance, and configuration resources. Enables AI assistants to interact with edge-deployed services through the Model Context Protocol.

Tiger MCP

Tiger MCP

Enables trading and market analysis through Tiger Brokers API integration. Provides real-time market data, portfolio management, order execution, and technical analysis tools with a comprehensive web dashboard for monitoring.

PsyFlow-MCP

PsyFlow-MCP

A lightweight FastMCP server that enables language models to discover, clone, transform, and localize PsyFlow task templates through a streamlined workflow with standardized tools.

Minecraft MCP Server

Minecraft MCP Server

A client library that connects AI agents to Minecraft servers, providing full game control with 30 verified skills for common tasks including movement, combat, crafting, and building.

Commodore 64 Ultimate MCP Server

Commodore 64 Ultimate MCP Server

Enables AI assistants to control Commodore 64 Ultimate hardware via REST API, supporting program execution, memory operations, disk management, audio playback, and device configuration through natural language commands.

UK Bus Departures MCP Server

UK Bus Departures MCP Server

Enables users to get real-time UK bus departure information and validate bus stop ATCO codes by scraping bustimes.org. Provides structured data including service numbers, destinations, scheduled and expected departure times for any UK bus stop.

Sendmail MCP Server

Sendmail MCP Server

Enables AI agents to send emails through your SMTP server using Nodemailer. Supports plain text and HTML emails with automatic logging for audit and debugging.

MCP PDF Server

MCP PDF Server

A Model Context Protocol (MCP) based server that efficiently manages PDF files, allowing AI coding tools like Cursor to read, summarize, and extract information from PDF datasheets to assist embedded development work.

Interzoid Weather City API MCP Server

Interzoid Weather City API MCP Server

An MCP server that provides access to the Interzoid GetWeatherCity API, allowing users to retrieve weather information for specified cities through natural language interactions.

OpenTelemetry MCP Server

OpenTelemetry MCP Server

Enables AI agents to query Prometheus metrics and Loki logs for intelligent alert investigation and troubleshooting. Provides service discovery, metric querying, log searching, and correlation tools to help identify root causes of issues.

Confluence MCP Server

Confluence MCP Server

Enables integration with Atlassian Confluence to browse spaces, search content using CQL, and manage pages directly from MCP-compatible applications. It automatically converts Confluence storage formats into markdown for seamless interaction with AI-driven editors and tools.

Understanding MCP (Model Context Protocol) and GitHub Integration

Understanding MCP (Model Context Protocol) and GitHub Integration

Aquí tienes una guía completa para configurar y usar un servidor MCP con Cursor IDE, incluyendo la integración con GitHub y la configuración de un agente de IA: **Guía Completa para Configurar y Usar un Servidor MCP con Cursor IDE** Esta guía te guiará a través de los pasos necesarios para configurar y utilizar un servidor MCP (Minecraft Protocol) con el IDE Cursor, incluyendo la integración con GitHub y la configuración de un agente de IA. **I. ¿Qué es un Servidor MCP y por qué usarlo con Cursor IDE?** * **Servidor MCP (Minecraft Coder Pack):** Es un conjunto de herramientas que permite la descompilación, desofuscación y modificación del código fuente de Minecraft. Facilita la creación de mods para el juego. * **Cursor IDE:** Es un IDE moderno y potente basado en VS Code, diseñado para la colaboración y el desarrollo asistido por IA. * **Beneficios de usar MCP con Cursor IDE:** * **Desarrollo de Mods Simplificado:** MCP proporciona el código fuente desofuscado de Minecraft, lo que facilita la comprensión y modificación del juego. * **Entorno de Desarrollo Robusto:** Cursor IDE ofrece características como autocompletado, depuración y control de versiones, mejorando la eficiencia del desarrollo. * **Colaboración Mejorada:** Cursor IDE facilita la colaboración con otros desarrolladores a través de funciones integradas de control de versiones y compartición de código. * **Asistencia de IA:** Cursor IDE integra agentes de IA que pueden ayudarte a escribir código, depurar errores y comprender el código existente. **II. Requisitos Previos** * **Java Development Kit (JDK):** Necesitas tener instalado el JDK (versión 8 o superior) en tu sistema. Puedes descargarlo desde el sitio web de Oracle o utilizar una distribución OpenJDK. * **Gradle:** MCP utiliza Gradle como sistema de construcción. Asegúrate de tener Gradle instalado y configurado correctamente. * **Cursor IDE:** Descarga e instala Cursor IDE desde su sitio web oficial. * **Cuenta de GitHub (Opcional):** Si deseas integrar tu proyecto con GitHub para el control de versiones y la colaboración, necesitarás una cuenta de GitHub. **III. Configuración del Entorno MCP** 1. **Descarga MCP:** * Ve al sitio web oficial de MCP (generalmente en un foro de Minecraft o un repositorio de GitHub). * Descarga la versión de MCP correspondiente a la versión de Minecraft que deseas modificar. 2. **Extracción de MCP:** * Extrae el archivo ZIP de MCP en una carpeta de tu elección. Esta carpeta será tu directorio de trabajo de MCP. 3. **Configuración de `build.gradle`:** * Abre el archivo `build.gradle` en el directorio de MCP con un editor de texto. * Asegúrate de que las dependencias y configuraciones sean correctas para la versión de Minecraft que estás utilizando. Presta especial atención a las versiones de Minecraft Forge y las dependencias de Gradle. * **Ejemplo (puede variar según la versión de MCP):** ```gradle buildscript { repositories { mavenCentral() maven { name = "forge" url = "https://maven.minecraftforge.net/" } } dependencies { classpath 'net.minecraftforge.gradle:ForgeGradle:5.1.+' // Ajusta la versión } } apply plugin: 'net.minecraftforge.gradle' version = "1.0" group = "com.example" // Cambia esto a tu grupo minecraft { version = "1.16.5" // Ajusta la versión de Minecraft runDir = "run" mappings = "stable_39" // Ajusta las mappings } dependencies { // Dependencias de tu mod aquí } jar { manifest { attributes([ "Specification-Title": "My Mod", "Specification-Vendor": "Your Name", "Specification-Version": "1", "Implementation-Title": project.name, "Implementation-Version": project.version, "Implementation-Vendor": "Your Name", "Implementation-Timestamp": new Date().format("yyyy-MM-dd'T'HH:mm:ssZ") ]) } } ``` 4. **Ejecución de las Tareas de MCP:** * Abre una terminal o línea de comandos en el directorio de MCP. * Ejecuta las siguientes tareas de Gradle (en orden): * `gradlew setupDecompWorkspace` (Configura el espacio de trabajo de decompilación) * `gradlew eclipse` (Genera los archivos de proyecto para Eclipse - aunque uses Cursor, esto ayuda a la estructura) * `gradlew build` (Compila el proyecto) * **Nota:** La primera ejecución de estas tareas puede tardar bastante tiempo, ya que Gradle descargará las dependencias necesarias. **IV. Configuración de Cursor IDE** 1. **Abre el Proyecto en Cursor IDE:** * Abre Cursor IDE. * Selecciona "File" -> "Open Folder" y navega hasta el directorio de MCP. 2. **Configuración del SDK de Java:** * Cursor IDE debería detectar automáticamente el JDK instalado. Si no lo hace, puedes configurarlo manualmente en las preferencias de Cursor IDE. 3. **Exploración del Código Fuente:** * Una vez que el proyecto se haya cargado, podrás explorar el código fuente de Minecraft en el panel del explorador de archivos. **V. Integración con GitHub (Opcional)** 1. **Inicializa un Repositorio Git:** * Abre la terminal integrada de Cursor IDE (View -> Terminal). * Navega hasta el directorio de MCP. * Ejecuta el comando `git init` para inicializar un nuevo repositorio Git. 2. **Crea un Repositorio en GitHub:** * Ve a GitHub y crea un nuevo repositorio para tu proyecto. 3. **Conecta el Repositorio Local con el Repositorio Remoto:** * En la terminal de Cursor IDE, ejecuta los siguientes comandos: * `git add .` (Agrega todos los archivos al área de preparación) * `git commit -m "Initial commit"` (Realiza el primer commit) * `git remote add origin <URL_DEL_REPOSITORIO_GITHUB>` (Reemplaza `<URL_DEL_REPOSITORIO_GITHUB>` con la URL de tu repositorio en GitHub) * `git push -u origin main` (Sube los cambios al repositorio remoto) 4. **Uso de Control de Versiones:** * Utiliza las funciones de control de versiones integradas de Cursor IDE para realizar commits, crear ramas y fusionar cambios. **VI. Configuración del Agente de IA en Cursor IDE** Cursor IDE integra agentes de IA que pueden ayudarte con el desarrollo de mods. La configuración específica puede variar según la versión de Cursor IDE, pero generalmente implica: 1. **Activación del Agente de IA:** * Asegúrate de que el agente de IA esté activado en las preferencias de Cursor IDE. Busca opciones como "AI Assistant" o "Code Completion". 2. **Configuración de la Clave API (si es necesario):** * Algunos agentes de IA requieren una clave API para acceder a sus servicios. Si es el caso, obtén una clave API del proveedor del agente de IA y configúrala en las preferencias de Cursor IDE. 3. **Uso del Agente de IA:** * El agente de IA puede ayudarte con: * **Autocompletado de Código:** Sugiere código mientras escribes. * **Generación de Código:** Genera fragmentos de código basados en tus comentarios o descripciones. * **Depuración:** Ayuda a identificar y corregir errores en tu código. * **Explicación de Código:** Explica el funcionamiento del código existente. * **Refactorización:** Sugiere mejoras en la estructura y legibilidad de tu código. * Experimenta con las diferentes funciones del agente de IA para ver cómo puede ayudarte en tu flujo de trabajo de desarrollo. **VII. Desarrollo de Mods** 1. **Comprende la Estructura del Código Fuente de Minecraft:** * Familiarízate con las clases y métodos principales del código fuente de Minecraft. * Utiliza el agente de IA de Cursor IDE para ayudarte a comprender el código existente. 2. **Crea Nuevas Clases y Modifica las Existentes:** * Crea nuevas clases para implementar la funcionalidad de tu mod. * Modifica las clases existentes para alterar el comportamiento del juego. 3. **Utiliza las APIs de Minecraft Forge:** * Minecraft Forge proporciona una API que facilita la creación de mods. * Utiliza las APIs de Forge para registrar nuevos bloques, elementos, entidades y otros elementos del juego. 4. **Prueba tu Mod:** * Ejecuta Minecraft con tu mod instalado para probar su funcionalidad. * Utiliza las herramientas de depuración de Cursor IDE para identificar y corregir errores. **VIII. Consejos y Trucos** * **Documentación:** Consulta la documentación de MCP, Minecraft Forge y Cursor IDE para obtener más información sobre las herramientas y APIs disponibles. * **Comunidad:** Únete a la comunidad de desarrolladores de mods de Minecraft para obtener ayuda y compartir tus conocimientos. * **Ejemplos:** Busca ejemplos de mods existentes para aprender de otros desarrolladores. * **Experimentación:** No tengas miedo de experimentar y probar cosas nuevas. **IX. Resolución de Problemas Comunes** * **Errores de Compilación:** Verifica que las dependencias y configuraciones en tu archivo `build.gradle` sean correctas. * **Errores de Ejecución:** Revisa los registros del juego para identificar la causa del error. * **Problemas con el Agente de IA:** Asegúrate de que el agente de IA esté activado y configurado correctamente en las preferencias de Cursor IDE. Esta guía proporciona una base sólida para configurar y utilizar un servidor MCP con Cursor IDE. A medida que ganes experiencia, podrás explorar funciones más avanzadas y personalizar tu entorno de desarrollo para satisfacer tus necesidades específicas. ¡Buena suerte con el desarrollo de tus mods!

Gmail AutoAuth MCP Server

Gmail AutoAuth MCP Server

Enables AI assistants to manage Gmail through natural language interactions, supporting email operations (send, read, search, draft), comprehensive attachment handling (send, receive, download), label management, filters, and batch operations with automatic OAuth2 authentication.

Remote MCP Server (Authless)

Remote MCP Server (Authless)

A template for deploying MCP servers on Cloudflare Workers without authentication. Provides a foundation for creating custom tools accessible via Server-Sent Events from both web-based and desktop MCP clients.

🦉 OWL x WhatsApp MCP Server Integration

🦉 OWL x WhatsApp MCP Server Integration

Chroma MCP Server

Chroma MCP Server

Here are a few ways to translate that, depending on the nuance you want to convey: **Option 1 (Most Direct):** > Servidor MCP para la integración de ChromaDB en Cursor con modelos de IA compatibles con MCP. **Option 2 (Slightly more descriptive, emphasizing the purpose):** > Servidor MCP para integrar ChromaDB en Cursor, utilizando modelos de IA que sean compatibles con MCP. **Option 3 (Focus on the compatibility aspect):** > Servidor MCP para la integración de ChromaDB en Cursor, diseñado para funcionar con modelos de IA compatibles con MCP. **Explanation of Choices:** * **MCP:** It's likely best to leave "MCP" as is, assuming it's an acronym or proper noun. If you know what it stands for, you *could* translate it, but without context, it's safer to keep it in English. * **ChromaDB:** Also best left as is, as it's a proper noun (likely a database name). * **Cursor:** Same as above. * **Integración:** The standard translation for "integration." * **Modelos de IA:** "AI models" translates directly to "modelos de IA" (modelos de inteligencia artificial). * **Compatibles con MCP:** "Compatible with MCP" translates directly to "compatibles con MCP." The best option depends on the specific context and what you want to emphasize. If you want a simple, direct translation, Option 1 is fine. If you want to clarify the purpose or compatibility, Option 2 or 3 might be better.

Datadog MCP Server

Datadog MCP Server

Enables integration with Datadog APIs to monitor and retrieve information about monitors, metrics, dashboards, logs, events, and incidents through the Model Context Protocol.

ResembleMCP

ResembleMCP

Desafío de Implementación del Servidor MCP de Resemble AI