Discover Awesome MCP Servers
Extend your agent with 13,514 capabilities via MCP servers.
- All13,514
- 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

MySQL MCP Server
A Message Control Protocol server that provides an interface for managing and querying departmental budget information through a MySQL database.
Nocodb MCP Server

amazon-ads-mcp-server
amazon-ads-mcp-server
Mcp Pallete
Un servidor MCP de juguete sencillo que puede obtener los colores de una imagen y crear paletas PNG a partir de ellos.
Jotai MCP Server
Servidor MCP de Jotai

mcp-test-server
A lightweight MCP test server for verifying client connectivity, providing tools, resources, and prompts for integration.

Real Estate Investment MCP Server
An MCP server that connects to a SQLite database of Zillow real estate data, enabling users to explore property values, rent indexes, and forecasts through a chat interface to make informed investment decisions.
Agent Care
Un servidor MCP que proporciona herramientas de atención médica para interactuar con datos FHIR y recursos médicos en HCEs (Historias Clínicas Electrónicas) como Cerner y Epic.
MCP Code Checker
Servidor MCP que proporciona verificaciones de calidad del código (pylint y pytest) con indicaciones inteligentes y compatibles con LLM para análisis y correcciones. Permite a Claude y otros asistentes de IA analizar tu código y sugerir mejoras.

MCP SQL Agent
An AI-powered SQLite assistant that converts natural language to SQL queries with full schema awareness, enabling users to interact with databases using conversational language.
EVM MCP Server
Espejo de

Roblox Studio MCP Server
An AI-powered server that provides access to Roblox Studio data through a plugin architecture, enabling AI tools to interact with file systems, studio context, properties, and project structure.

svelte-llm
Svelte and SvelteKit developer odcumentation

Real-Time Bidding MCP Server
An MCP (Multi-Agent Conversation Protocol) Server that provides access to Google's Real-Time Bidding API, enabling programmatic interactions with RTB functionalities through natural language.

MCP Todo.txt Integration
A server implementation that enables LLMs to programmatically manage tasks in Todo.txt files using the Model Context Protocol (MCP), supporting operations like adding, completing, deleting, listing, searching, and filtering tasks.

JSer.info MCP Server
A Model Context Protocol server that provides search and retrieval capabilities for JSer.info's JavaScript resource database, enabling access to items, posts, product information, and timeline data through various specialized tools.
MCP
Okay, here's a breakdown of how you might configure an MCP (Management Console Program, assuming that's what you mean) server to view company information and stock prices using the Claude API. This is a conceptual outline, as the specific implementation will depend heavily on the MCP server software you're using and the capabilities it offers. **High-Level Overview** The core idea is to: 1. **Get an API Key for Claude:** You'll need an account with Anthropic (the creators of Claude) and obtain an API key. This key is essential for authenticating your requests to the Claude API. 2. **Develop a Script/Module:** Create a script (likely in Python, Node.js, or a similar language) that uses the Claude API to fetch company information and stock prices. This script will take company names or stock tickers as input. 3. **Integrate the Script with your MCP Server:** Configure your MCP server to execute this script when a user requests company information or stock prices. This might involve creating a custom command, a plugin, or using the server's scripting capabilities. 4. **Display the Results:** Format the data returned by the script and display it within the MCP server's interface. **Detailed Steps and Considerations** 1. **Obtain a Claude API Key:** * Go to the Anthropic website ([https://www.anthropic.com/](https://www.anthropic.com/)) and sign up for an account. * Follow their instructions to obtain an API key. Keep this key secret and secure. Do *not* hardcode it directly into your script. Use environment variables or a secure configuration file. 2. **Choose a Programming Language and Install the Claude SDK (if available):** * Python is a popular choice for interacting with APIs. * Check if Anthropic provides an official SDK for your chosen language. If so, install it using `pip install anthropic` (for Python) or the equivalent for your language. If there's no official SDK, you'll use the `requests` library (in Python) or a similar HTTP client to make API calls. 3. **Write the Script to Fetch Company Information and Stock Prices:** ```python import os import requests import json # Replace with your actual API key (ideally from an environment variable) CLAUDE_API_KEY = os.environ.get("CLAUDE_API_KEY") if not CLAUDE_API_KEY: print("Error: CLAUDE_API_KEY environment variable not set.") exit(1) def get_company_info(company_name): """Fetches company information using the Claude API.""" prompt = f"Tell me about {company_name}. Include a brief description of what they do, their industry, and their headquarters location." try: response = requests.post( "https://api.anthropic.com/v1/messages", # Replace with the correct Claude API endpoint headers={ "Content-Type": "application/json", "x-api-key": CLAUDE_API_KEY, "Anthropic-Version": "2023-06-01" # Or the latest version }, json={ "model": "claude-v1.3", # Or the model you want to use "max_tokens_to_sample": 500, "messages": [{"role": "user", "content": prompt}] } ) response.raise_for_status() # Raise HTTPError for bad responses (4xx or 5xx) data = response.json() return data["content"][0]["text"] # Extract the response text except requests.exceptions.RequestException as e: return f"Error fetching company info: {e}" except (KeyError, IndexError) as e: return f"Error parsing Claude response: {e}" def get_stock_price(ticker_symbol): """Fetches stock price using a different API (e.g., Alpha Vantage, IEX Cloud).""" # You'll need to sign up for an API key with a stock data provider. # This is just an example using Alpha Vantage (replace with your chosen provider). ALPHA_VANTAGE_API_KEY = os.environ.get("ALPHA_VANTAGE_API_KEY") if not ALPHA_VANTAGE_API_KEY: return "Error: ALPHA_VANTAGE_API_KEY environment variable not set." url = f"https://www.alphavantage.co/query?function=GLOBAL_QUOTE&symbol={ticker_symbol}&apikey={ALPHA_VANTAGE_API_KEY}" try: response = requests.get(url) response.raise_for_status() data = response.json() if "Global Quote" in data and data["Global Quote"]: price = data["Global Quote"]["05. price"] return f"The current price of {ticker_symbol} is ${price}" else: return f"Could not retrieve stock price for {ticker_symbol}." except requests.exceptions.RequestException as e: return f"Error fetching stock price: {e}" except (KeyError, IndexError) as e: return f"Error parsing Alpha Vantage response: {e}" if __name__ == "__main__": company = input("Enter a company name: ") company_info = get_company_info(company) print(f"Company Information:\n{company_info}\n") ticker = input("Enter a stock ticker symbol: ") stock_price = get_stock_price(ticker) print(f"Stock Price:\n{stock_price}") ``` * **Important Notes:** * **Error Handling:** The code includes basic error handling (using `try...except`). Improve this to handle different API errors gracefully. * **API Rate Limits:** Be aware of the API rate limits for both Claude and your stock data provider. Implement appropriate delays or caching to avoid exceeding these limits. * **API Endpoint:** Double-check the correct Claude API endpoint in the Anthropic documentation. The example uses `https://api.anthropic.com/v1/messages`, but this might change. * **Model Selection:** Choose the appropriate Claude model (e.g., `claude-v1.3`, `claude-v2`) based on your needs and the Anthropic documentation. * **Prompt Engineering:** The `prompt` is crucial. Experiment with different prompts to get the best results from Claude. Be specific about the information you want. * **Stock Data API:** The example uses Alpha Vantage. You can use other stock data providers like IEX Cloud, Finnhub, or Polygon.io. You'll need to sign up for an API key with your chosen provider. * **Security:** Never hardcode your API keys directly into the script. Use environment variables or a secure configuration file. 4. **Integrate the Script with your MCP Server:** * This is the most MCP-server-specific part. Consult your MCP server's documentation for how to: * **Execute External Scripts:** Most MCP servers have a way to run external scripts or programs. * **Create Custom Commands:** You might be able to create a custom command that takes a company name or ticker as input and then executes your script. * **Develop Plugins/Modules:** Some MCP servers allow you to develop plugins or modules to extend their functionality. This would be the most robust approach. * **Pass Arguments:** Make sure you can pass the company name or ticker symbol from the MCP server to your script as an argument. You can use `sys.argv` in Python to access command-line arguments. * **Example (Conceptual):** Let's say your MCP server has a command called `get_info`. You might configure it so that when a user types: ``` get_info company=AcmeCorp ``` The MCP server executes your Python script with `AcmeCorp` as an argument. Your script would then retrieve the company information and return it to the MCP server. 5. **Display the Results in the MCP Server:** * Your script needs to return the company information and stock price in a format that the MCP server can understand and display. This might be plain text, JSON, or some other format. * The MCP server will then need to format and display the data in its user interface. Consult your MCP server's documentation for how to customize the display of command output or plugin data. **Example MCP Server Integration (Conceptual - Python & Hypothetical MCP Server)** ```python # This is a simplified example. The actual implementation will depend on your MCP server. import sys import json from your_script import get_company_info, get_stock_price # Import your functions def main(): if len(sys.argv) < 2: print("Usage: get_info company=<company_name> or get_info ticker=<ticker_symbol>") return args = {} for arg in sys.argv[1:]: try: key, value = arg.split("=", 1) args[key] = value except ValueError: print(f"Invalid argument: {arg}") return if "company" in args: company_name = args["company"] company_info = get_company_info(company_name) print(json.dumps({"type": "company_info", "data": company_info})) # Return JSON elif "ticker" in args: ticker_symbol = args["ticker"] stock_price = get_stock_price(ticker_symbol) print(json.dumps({"type": "stock_price", "data": stock_price})) # Return JSON else: print("Invalid arguments. Use company=<company_name> or ticker=<ticker_symbol>") if __name__ == "__main__": main() ``` In this example: * The script takes arguments from the command line (e.g., `company=AcmeCorp`). * It calls your `get_company_info` or `get_stock_price` functions. * It returns the results as a JSON string. This makes it easier for the MCP server to parse the data. * The MCP server would need to be configured to execute this script and parse the JSON output. **Important Considerations:** * **Security:** Protect your API keys. Use environment variables or secure configuration files. Sanitize user input to prevent injection attacks. * **Error Handling:** Implement robust error handling to catch API errors, network errors, and other potential problems. * **Rate Limiting:** Be mindful of API rate limits and implement appropriate delays or caching. * **Data Accuracy:** The accuracy of the information depends on the quality of the data sources (Claude and your stock data provider). Verify the information before making any decisions based on it. * **Cost:** Be aware of the costs associated with using the Claude API and your stock data provider's API. Monitor your usage to avoid unexpected charges. * **Terms of Service:** Carefully review the terms of service for both Claude and your stock data provider to ensure that your use case is permitted. **In Summary** This is a complex integration that requires a good understanding of your MCP server, the Claude API, and a programming language like Python. Start with a simple script to fetch company information, then gradually integrate it with your MCP server and add more features. Remember to consult the documentation for your MCP server and the Claude API for the most accurate and up-to-date information. Good luck!

MCP + DeepSeek AI Integration Server
A Node.js-based FastMCP protocol server that integrates DeepSeek AI capabilities for intelligent conversations and code analysis, providing tool invocation abilities through the MCP protocol.

Karakeep MCP server
Search and add bookmarks
MySQL Database Access Server
Un servidor de Protocolo de Contexto de Modelo que proporciona acceso de solo lectura a bases de datos MySQL, permitiendo a los LLM inspeccionar esquemas de bases de datos y ejecutar consultas de solo lectura.

Google Patents MCP Server
Un servidor de Protocolo de Contexto de Modelo que permite la búsqueda de información de Patentes de Google a través de la API de Patentes de Google de SerpApi, permitiendo a los usuarios consultar datos de patentes con varios filtros y opciones de clasificación.

Linkedin-Profile-Analyzer
Un potente analizador de perfiles de LinkedIn que se integra perfectamente con Claude AI para obtener y analizar perfiles públicos de LinkedIn, permitiendo a los usuarios extraer, buscar y analizar datos de publicaciones a través de la API de datos de LinkedIn de RapidAPI.

Tavily Web Search MCP Server
Enables web search capabilities through the Tavily API via the Model Context Protocol. Allows users to perform web searches and retrieve information from the internet through natural language queries.
ui-builder
That phrase is a bit ambiguous. To give you the best translation, I need a little more context. Here are a few possibilities, depending on what you mean by "MCP server": **Possibility 1: If "MCP server" refers to a server related to Minecraft (Most Common):** * **Translation:** Servidor MCP para construir la interfaz de usuario. **Explanation:** This assumes you're talking about a server that uses the Minecraft Coder Pack (MCP) to help build a user interface, perhaps for a mod or a custom application related to Minecraft. **Possibility 2: If "MCP server" refers to a server using a specific protocol or technology called "MCP" (Less Common):** * **Translation:** Servidor MCP para desarrollar la interfaz de usuario. **Explanation:** This is a more general translation, assuming "MCP" is a specific technology or protocol. "Desarrollar" (to develop) might be a better fit than "construir" (to build) in this case. **Possibility 3: If "MCP" is an acronym for something else entirely (Least Common):** * **Translation:** I need more information about what "MCP" stands for to provide an accurate translation. **To help me give you the best translation, please tell me:** * **What does "MCP" stand for?** * **What kind of UI (user interface) are you building?** * **What is the purpose of the server?** With more information, I can provide a more accurate and helpful translation.

Context7 MCP
A Model Context Protocol server that fetches up-to-date, version-specific documentation and code examples from libraries directly into LLM prompts, helping developers get accurate answers without outdated or hallucinated information.

KOI-MCP Integration
A bridging framework that integrates Knowledge Organization Infrastructure (KOI) with Model Context Protocol (MCP), enabling autonomous agents to exchange personality traits and expose capabilities as standardized tools.
mcp-server
MCP doesn't have a direct translation into Spanish as it's an abbreviation. To translate it, you need to know what it stands for. Here are a few possibilities and their Spanish translations: * **MCP (Master Control Program):** Programa de Control Maestro * **MCP (Microsoft Certified Professional):** Profesional Certificado de Microsoft * **MCP (Metacarpophalangeal joint):** Articulación metacarpofalángica Please provide more context so I can give you the most accurate translation.
RAG-MCP Pipeline Research
Un repositorio de aprendizaje que explora la Generación Aumentada por Recuperación (RAG) y la integración de servidores de Procesamiento Multi-Nube (MCP) utilizando modelos gratuitos y de código abierto.
my-docs-mcp-server
Un servidor MCP ligero que indexa y busca archivos Markdown en un directorio especificado, proporcionando búsqueda de texto completo y recuperación de archivos a través del Protocolo de Contexto de Modelo.
Listmonk MCP Server
El servidor Listmonk-MCP se utiliza como servidor MCP para usar tu servidor Listmonk.