Discover Awesome MCP Servers
Extend your agent with 26,794 capabilities via MCP servers.
- All26,794
- 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
RS.ge Waybill MCP Server
Enables natural language queries for Georgian tax system waybills through the RS.ge SOAP API. Supports waybill retrieval by date range, company TIN lookups, and access to tax system dictionaries.
Image Generator
I can't directly generate and return an image using Together.ai (or any other service) within this text-based environment. I am a language model, not an image generation tool. However, I can provide you with the information you need to do it yourself. Here's what you'd typically need to do: 1. **Access Together.ai's API:** You'll need to sign up for an account on Together.ai and obtain an API key. This key is how you authenticate your requests. 2. **Use their API documentation:** Together.ai will have documentation on how to use their image generation API. This documentation will tell you: * **The endpoint (URL) to send your request to.** * **The required parameters:** This will almost certainly include a text prompt (the description of the image you want to generate). It might also include parameters for image size, style, number of images, etc. * **The format of the request (usually JSON).** * **The format of the response:** This will likely include a URL or data representing the generated image. 3. **Write code to make the API request:** You'll need to use a programming language (like Python) and a library that can make HTTP requests (like `requests` in Python) to send the request to Together.ai's API. 4. **Process the response:** Once you get the response from Together.ai, you'll need to parse it to extract the image data or URL. 5. **Display or save the image:** Finally, you can display the image in your application or save it to a file. **Example (Conceptual Python Code - Requires Together.ai API Key and Installation of `requests`):** ```python import requests import json # Replace with your actual Together.ai API key API_KEY = "YOUR_TOGETHERAI_API_KEY" def generate_image(prompt): """Generates an image using Together.ai based on the given prompt.""" url = "THE_TOGETHERAI_IMAGE_GENERATION_ENDPOINT" # Replace with the actual endpoint headers = { "Authorization": f"Bearer {API_KEY}", "Content-Type": "application/json" } data = { "prompt": prompt, "width": 512, # Example: Image width "height": 512 # Example: Image height # Add other parameters as needed based on Together.ai's documentation } try: response = requests.post(url, headers=headers, data=json.dumps(data)) response.raise_for_status() # Raise an exception for bad status codes (4xx or 5xx) response_json = response.json() # Assuming the response contains a URL to the image image_url = response_json.get("image_url") # Adjust based on the actual response structure if image_url: print(f"Image URL: {image_url}") # You can then download the image using requests.get(image_url) # and save it to a file. Or display it in a GUI. return image_url # Or return the image data itself if that's what the API provides else: print("Error: Image URL not found in the response.") return None except requests.exceptions.RequestException as e: print(f"Error making API request: {e}") return None except json.JSONDecodeError: print("Error: Could not decode JSON response.") return None # Example usage: prompt = "A futuristic cityscape at sunset" image_url = generate_image(prompt) if image_url: print("Image generated successfully!") # Further processing of the image (download, display, etc.) else: print("Image generation failed.") ``` **Important Considerations:** * **API Documentation is Key:** The most important thing is to carefully read and understand Together.ai's API documentation. The code above is just a general example; you'll need to adapt it to their specific requirements. * **Error Handling:** The example includes basic error handling, but you should add more robust error handling to catch potential issues like network problems, invalid API keys, or incorrect parameters. * **Rate Limits:** Be aware of Together.ai's rate limits (how many requests you can make per minute/hour). You might need to implement logic to handle rate limiting. * **Cost:** Using image generation APIs often incurs costs. Understand Together.ai's pricing model before you start using the API extensively. **Translation to Spanish (of the explanation, not the code):** No puedo generar y devolver directamente una imagen usando Together.ai (o cualquier otro servicio) dentro de este entorno basado en texto. Soy un modelo de lenguaje, no una herramienta de generación de imágenes. Sin embargo, puedo proporcionarte la información que necesitas para hacerlo tú mismo. Esto es lo que normalmente necesitarías hacer: 1. **Acceder a la API de Together.ai:** Necesitarás registrarte para obtener una cuenta en Together.ai y obtener una clave API. Esta clave es cómo autenticas tus solicitudes. 2. **Usar su documentación de la API:** Together.ai tendrá documentación sobre cómo usar su API de generación de imágenes. Esta documentación te dirá: * **El endpoint (URL) al que enviar tu solicitud.** * **Los parámetros requeridos:** Esto casi seguro que incluirá un prompt de texto (la descripción de la imagen que quieres generar). También podría incluir parámetros para el tamaño de la imagen, el estilo, el número de imágenes, etc. * **El formato de la solicitud (normalmente JSON).** * **El formato de la respuesta:** Esto probablemente incluirá una URL o datos que representen la imagen generada. 3. **Escribir código para hacer la solicitud a la API:** Necesitarás usar un lenguaje de programación (como Python) y una biblioteca que pueda hacer solicitudes HTTP (como `requests` en Python) para enviar la solicitud a la API de Together.ai. 4. **Procesar la respuesta:** Una vez que obtengas la respuesta de Together.ai, necesitarás analizarla para extraer los datos de la imagen o la URL. 5. **Mostrar o guardar la imagen:** Finalmente, puedes mostrar la imagen en tu aplicación o guardarla en un archivo. **Consideraciones importantes:** * **La documentación de la API es clave:** Lo más importante es leer y comprender cuidadosamente la documentación de la API de Together.ai. El código anterior es solo un ejemplo general; necesitarás adaptarlo a sus requisitos específicos. * **Manejo de errores:** El ejemplo incluye un manejo básico de errores, pero debes agregar un manejo de errores más robusto para detectar posibles problemas como problemas de red, claves API no válidas o parámetros incorrectos. * **Límites de velocidad:** Ten en cuenta los límites de velocidad de Together.ai (cuántas solicitudes puedes hacer por minuto/hora). Es posible que debas implementar lógica para manejar la limitación de velocidad. * **Costo:** El uso de las API de generación de imágenes a menudo incurre en costos. Comprende el modelo de precios de Together.ai antes de comenzar a usar la API extensivamente.
Postgres MCP Pro
An open-source MCP server that provides AI agents with advanced PostgreSQL capabilities including index tuning, query plan optimization, and comprehensive database health analysis. It supports safe SQL execution through configurable access modes and offers both stdio and SSE transport options for various development environments.
claude-database-tools
A SQL Server CLI and MCP server for Claude Code that supports standard SQL Server authentication for database interaction and management. It enables users to perform schema exploration, execute queries, and manage data records with built-in SQL injection prevention.
Weather MCP Server
Provides current weather conditions, multi-day forecasts, and location search capabilities through integration with weather APIs, enabling natural language weather queries and comparisons.
Imagine if you could turn an LLM into a simulator
Servidor MCP de AgentTorch - Imagina si tus modelos pudieran simular
ed-mcp
An ed(1)-inspired MCP server that provides a single-character command protocol for managing Git repositories, GitHub actions, and Fravia web searches. It is optimized to minimize LLM token usage while performing version control and search tasks through concise POSIX shell scripts.
Dingo MCP Server
Dingo MCP Server
Gmail MCP Server by CData
Gmail MCP Server by CData
Pine Script v6 MCP Server
Provides accurate Pine Script v6 coding assistance through search, completion, and reference lookup tools using a comprehensive Japanese manual database. Enables developers to quickly find functions, constants, annotations, and API specifications for TradingView Pine Script development.
Self MCP Server
Enables AI assistants to interact with Self, a self-awareness framework that connects daily actions to personal values, missions, and goals. Supports tracking foundations, intentions, projects, obstacles, and daily reflections through natural language.
Gmail MCP Server
Este repositorio muestra cómo se puede conectar una cuenta de Gmail a LLMs usando MCP.
Agentify MCP Server
Enables real-time tracking of AI task starts and completions with integrated webhook notifications for monitoring activity. It allows users to log progress and send task-related event data to external services via configurable webhook URLs.
Zendesk MCP Server by CData
Zendesk MCP Server by CData
Radius MCP Server
Enables AI agents to authenticate users, manage calendar events, create meetings, and maintain persistent API sessions for seamless integration with Russian business platforms. Provides comprehensive business productivity capabilities including session management, password operations, and cross-user calendar coordination.
Karenina MCP
Enables natural language querying of Karenina benchmark verification results stored in SQLite databases, allowing AI assistants to explore and analyze model performance data without writing SQL manually.
Openfort Model Context Protocol (MCP) Server
A plug-and-play solution that enhances AI assistants by enabling them to create projects, manage configurations, and interact with Openfort's wallet infrastructure through 42 specialized tools.
MCP Server Code Execution Mode
Executes Python code in isolated rootless containers while proxying MCP server tools, reducing context overhead by 95%+ and enabling complex multi-tool workflows through sandboxed code execution.
OHIP MCP Server
A universal gateway for the Oracle Hospitality Interface Platform (OHIP) that enables AI assistants to execute authenticated API requests for hotel management tasks like reservations and inventory. It features automated OAuth 2.0 token management and secure credential handling for seamless integration with Oracle Hospitality services.
Wren
Mews MCP
This MCP server provides comprehensive access to the Mews hospitality platform API, covering customer and company management, reservation operations, financial transactions, account management, configuration settings, and services inventory. It implements the core functionality needed for hospitalit
DateTime MCP Server
Provides LLMs with current date and time information across any timezone, with configurable defaults and support for IANA timezone identifiers.
Ant Design MCP Server
Provides access to Ant Design component library documentation and information for automated code generation. Enables searching components by category or keyword, retrieving component props, examples, API documentation, and available icons.
TurboPentest
MCP server for TurboPentest — run AI-powered penetration tests and review findings from your coding assistant.
MCP-IQWiki
A Model Context Protocol server that allows AI assistants and applications to access IQ.wiki data, enabling retrieval of specific wikis, user-created wikis, user-edited wikis, and detailed wiki activities.
Agricultural AI MCP Server
Provides real-time crop price data from Indian government sources and agricultural web search capabilities. Enables AI chatbots to access comprehensive agricultural market information and news for farming-related queries.
GitLab MCP Server
Connects AI assistants to GitLab projects, enabling natural language queries for merge requests, code reviews, test results, pipelines, and discussions. Supports viewing MR details, responding to comments, and analyzing CI/CD job logs.
SSH Linux Control
Enables remote Linux VM management via SSH with automatic safety checks for destructive commands, supporting password authentication and sudo operations.
gmail-mcp
A minimal MCP server that enables Claude to search, read, and manage Gmail messages and threads using official Google API libraries. It supports actions like sending emails, creating drafts, replying to threads, and managing labels through secure OAuth2 authentication.
Wireshark MCP Server
Provides AI assistants with direct access to Wireshark network analysis capabilities, enabling AI-powered network troubleshooting, packet analysis, and network monitoring through a secure interface.