Discover Awesome MCP Servers
Extend your agent with 26,715 capabilities via MCP servers.
- All26,715
- 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
MCP Store Greeting Server
Provides personalized store greetings combined with real-time weather information based on store location. Includes an admin web interface for managing stores with address autocomplete and map-based location selection.
AGR MCP Server
Enables querying genomics data from the Alliance of Genome Resources across model organisms including human, mouse, rat, zebrafish, fly, worm, yeast, and xenopus. Supports gene searches, disease associations, expression data, orthologs, phenotypes, and molecular interactions through natural language.
amazon-ads-mcp-server
amazon-ads-mcp-server
Personal Knowledge MCP Server
Indexes local and enterprise documents to provide a unified personal knowledge base for AI clients via the Model Context Protocol. It supports full-text search across various file formats and integrates with platforms like Feishu and WeChat Work.
Log MCP Server
Enables AI assistants to automatically inspect and analyze application runtime log files for debugging and troubleshooting. Supports monitoring multiple log directories simultaneously with tools for listing, reading, searching, and paginating through log files.
Entscheidsuche MCP Server
Provides access to Swiss court decisions through the entscheidsuche.ch API, enabling search, retrieval, and analysis of legal documents across different cantons and courts using natural language queries.
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.
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.
Dental Clinic Loan Verification MCP Server
Enables automated dental clinic loan verification by combining rule-based ID validation with LLM-powered document analysis and fraud detection. It supports provider-agnostic vision and reasoning tools to assess document consistency, verify credentials like PAN and GST, and generate comprehensive risk narratives.
Plane MCP Server
A Model Context Protocol (MCP) server that enables LLMs to interact with Plane.so, allowing them to manage projects and issues through Plane's API. Using this server, LLMs like Claude can directly interact with your project management workflows while maintaining user control and security.
MCP
I understand you want to configure an MCP (likely referring to a Microsoft Cloud Partner Program or a similar partner program) server to view company information and stock prices using Claude (an AI assistant developed by Anthropic). Here's a breakdown of how you might approach this, along with considerations and potential limitations: **Understanding the Challenge** * **MCP Server Functionality:** MCP servers typically handle partner program management, access to resources, and potentially some reporting. They are *not* designed for real-time data retrieval or AI integration. * **Claude's Role:** Claude is an AI assistant that excels at natural language processing, information retrieval, and content generation. It doesn't directly interact with servers in the same way a traditional application would. * **Bridging the Gap:** You need a way to connect the MCP server (or data accessible through it) to Claude. This will likely involve an intermediary application or service. **Possible Approaches** Here are a few ways you could achieve this, ranked by complexity and feasibility: **1. API Integration (Most Likely and Recommended)** * **Concept:** Use an API (Application Programming Interface) to retrieve company information and stock prices from external sources. Then, create a script or application that uses the Claude API to process this data and present it in a user-friendly way. * **Steps:** 1. **Identify Data Sources:** * **Company Information:** Use APIs like the Crunchbase API, Clearbit API, or the Dun & Bradstreet API. These often require subscriptions. * **Stock Prices:** Use APIs like the Alpha Vantage API, IEX Cloud API, or the Finnhub API. Many offer free tiers for limited usage. 2. **Develop an Intermediary Application (e.g., Python script, web app):** * This application will: * Authenticate with the chosen company information and stock price APIs. * Retrieve the necessary data based on user input (e.g., company name, stock ticker). * Format the data in a way that's suitable for Claude. 3. **Integrate with the Claude API:** * Use the Claude API (likely through a Python library or similar) to send the formatted data to Claude. * Craft a prompt for Claude that instructs it to analyze the data and present it in a desired format (e.g., a summary, a comparison, a risk assessment). 4. **Connect to MCP Server (Indirectly):** * The intermediary application can be hosted on a separate server or cloud platform. * If the MCP server has reporting capabilities, you *might* be able to integrate the results from the intermediary application into a report. This depends heavily on the MCP server's features. More likely, you'll access the intermediary application separately. * **Example (Python with Alpha Vantage and Claude):** ```python import requests import anthropic # Assuming you have the Anthropic Python library # Alpha Vantage API Key (replace with your actual key) ALPHA_VANTAGE_API_KEY = "YOUR_ALPHA_VANTAGE_API_KEY" # Claude API Key (replace with your actual key) CLAUDE_API_KEY = "YOUR_CLAUDE_API_KEY" def get_stock_price(ticker): url = f"https://www.alphavantage.co/query?function=GLOBAL_QUOTE&symbol={ticker}&apikey={ALPHA_VANTAGE_API_KEY}" response = requests.get(url) data = response.json() if "Global Quote" in data: return data["Global Quote"]["05. price"] else: return None def get_company_info(company_name): # Replace with your chosen company info API and logic # This is a placeholder - you'll need to implement the actual API call # and data parsing. For example, using Crunchbase: # url = f"https://api.crunchbase.com/v4/entities/organizations?query={company_name}&user_key={CRUNCHBASE_API_KEY}" # response = requests.get(url) # data = response.json() # return data # You'll need to extract relevant info return f"Placeholder: Company info for {company_name}" def generate_claude_response(company_name, stock_price, company_info): prompt = f""" You are an AI assistant providing financial analysis. Here is information about {company_name}: Company Information: {company_info} Current Stock Price: {stock_price} Please provide a brief summary of this information and potential investment considerations. """ client = anthropic.Anthropic(api_key=CLAUDE_API_KEY) completion = client.completions.create( model="claude-v1.3", # Or your preferred Claude model prompt=f"{anthropic.HUMAN_PROMPT} {prompt}{anthropic.AI_PROMPT}", max_tokens_to_sample=200, ) return completion.completion if __name__ == "__main__": company_name = input("Enter company name: ") ticker = input("Enter stock ticker: ") stock_price = get_stock_price(ticker) company_info = get_company_info(company_name) if stock_price and company_info: claude_response = generate_claude_response(company_name, stock_price, company_info) print(claude_response) else: print("Could not retrieve data. Check company name and ticker.") ``` * **Pros:** Most flexible, allows for customized data retrieval and analysis. * **Cons:** Requires programming skills, API subscriptions may be necessary. **2. Zapier/IFTTT (Less Powerful, but Easier)** * **Concept:** Use a no-code automation platform like Zapier or IFTTT to connect data sources to Claude. * **Steps:** 1. **Identify Triggers:** Determine what event will trigger the data retrieval (e.g., a new entry in a spreadsheet, a scheduled time). 2. **Connect to Data Sources:** Use Zapier/IFTTT connectors to access company information and stock price APIs. These platforms often have pre-built integrations. 3. **Connect to Claude:** Zapier and IFTTT *might* have direct integrations with Claude (check their app directories). If not, you might need to use a "Webhook" action to send data to a custom endpoint that then interacts with the Claude API. 4. **Configure the Action:** Set up the action to send the retrieved data to Claude and specify the prompt. * **Pros:** Easier to set up than API integration, no coding required (mostly). * **Cons:** Less flexible, limited control over data formatting, potential limitations on API usage. Direct Claude integrations in Zapier/IFTTT are not guaranteed. **3. Manual Data Entry (Simplest, Least Scalable)** * **Concept:** Manually gather company information and stock prices and then paste them into a prompt for Claude. * **Steps:** 1. Find the data from your preferred sources (e.g., Google Finance, company websites). 2. Craft a prompt for Claude that includes the data. 3. Submit the prompt to Claude and review the response. * **Pros:** No technical skills required, good for one-off analyses. * **Cons:** Time-consuming, prone to errors, not scalable. **Important Considerations** * **API Keys:** Protect your API keys! Do not hardcode them directly into your code. Use environment variables or a secure configuration management system. * **API Rate Limits:** Be aware of the rate limits of the APIs you use. Implement error handling and retry mechanisms to avoid being blocked. * **Data Accuracy:** Verify the accuracy of the data from the APIs. Different APIs may have different data sources and update frequencies. * **Claude API Costs:** The Claude API has usage-based pricing. Be mindful of your usage to avoid unexpected costs. * **MCP Server Security:** If you are integrating with the MCP server in any way, ensure that you are following all security best practices. Do not expose sensitive data. * **Data Privacy:** Be aware of data privacy regulations (e.g., GDPR, CCPA) and ensure that you are handling data responsibly. **Korean Translation of Key Terms** * **Company Information:** 회사 정보 (Hoesa jeongbo) * **Stock Price:** 주가 (Juga) * **API (Application Programming Interface):** API (애플리케이션 프로그래밍 인터페이스) (API (aepeullikeisyeon peurogeuraeming inteopeiseu)) * **MCP Server:** MCP 서버 (MCP seobeo) * **Claude:** 클로드 (Keullodeu) * **Data:** 데이터 (Deiteo) * **Integration:** 통합 (Tonghap) * **Prompt:** 프롬프트 (Peurompeuteu) * **Authentication:** 인증 (Injeung) * **Rate Limit:** 속도 제한 (Sokdo jehan) * **Security:** 보안 (Boan) * **Data Privacy:** 데이터 개인 정보 보호 (Deiteo gaein jeongbo boho) **In summary, the API integration approach is the most likely to provide the functionality you're looking for. Start by identifying your data sources, developing an intermediary application, and then integrating with the Claude API. Remember to prioritize security and data privacy.**
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.
Memobird MCP Server
Enables interaction with Memobird thermal printers to print text, HTML, web pages, and images directly from MCP-enabled clients. It includes tools for device binding, image conversion, and monitoring print job status.
Weather MCP Server
Enables AI assistants to access real-time US weather forecasts and alerts through the National Weather Service API.
Karakeep MCP server
Search and add bookmarks
MySQL Database Access Server
읽기 전용으로 MySQL 데이터베이스에 접근하여 LLM이 데이터베이스 스키마를 검사하고 읽기 전용 쿼리를 실행할 수 있도록 하는 모델 컨텍스트 프로토콜 서버.
Google Analytics MCP Server
Enables interaction with Google Analytics APIs to fetch reports, manage properties, data streams, conversion events, and custom dimensions/metrics through OAuth2 authentication.
my-docs-mcp-server
지정된 디렉토리에서 Markdown 파일을 인덱싱하고 검색하며, 모델 컨텍스트 프로토콜을 통해 전체 텍스트 검색 및 파일 검색을 제공하는 경량 MCP 서버입니다.
Google Patents MCP Server
SerpApi Google Patents API를 통해 Google 특허 정보를 검색할 수 있도록 하는 Model Context Protocol 서버입니다. 사용자는 다양한 필터 및 정렬 옵션을 사용하여 특허 데이터를 쿼리할 수 있습니다.
TypeScript MCP Server Boilerplate
A boilerplate project for quickly developing Model Context Protocol (MCP) servers using TypeScript SDK. Includes example tools like calculator and greeting functions, plus system information resources.
Slack MCP Server
Enables complete Slack integration through natural language in Cursor IDE, supporting message sending, channel management, direct messaging, user lookup, reactions, and message search using the Slack API.
Mcp Pallete
간단한 장난감 MCP 서버로, 이미지 색상을 가져와 PNG 팔레트를 만들 수 있습니다.
Jotai MCP Server
조타이 MCP 서버
Dexscreener MCP server
Dexscreener API의 MCP 서버 - AI 에이전트가 Dexscreener의 무료 공개 API를 사용하여 온체인 가격을 확인할 수 있도록 하세요.
Pixabay MCP Server
Enables searching and retrieving royalty-free images and videos from Pixabay's library with advanced filtering options including category, orientation, color, size, and quality preferences.
Remote MCP Server on Cloudflare
Scout Monitoring MCP
Enables AI assistants to access Scout Monitoring performance and error data through Scout's API. Provides traces, errors, metrics, and insights for Rails, Django, FastAPI, Laravel and other applications to help identify and fix performance issues like N+1 queries, slow endpoints, and memory bloat.
Specbridge
An MCP server that automatically converts OpenAPI specifications into MCP tools by scanning a folder for spec files, requiring no configuration files or separate servers.
Figma MCP PRO
Professional Model Context Protocol server that enables AI-optimized Figma design analysis and comprehensive design-to-code conversion through a structured 5-step workflow.