Discover Awesome MCP Servers
Extend your agent with 27,002 capabilities via MCP servers.
- All27,002
- 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
WhatsApp Cloud API MCP Server
Enables AI agents to send WhatsApp messages, templates, and retrieve media through the WhatsApp Cloud API. Provides webhook handling and seamless integration with Meta's WhatsApp Business platform.
ffmpeg-mcp
An MCP server that provides 17 FFmpeg-based tools for video and audio processing, including conversion, compression, and editing. It enables AI assistants to perform complex media tasks like extracting audio, adding watermarks, and merging videos using natural language.
MCP SysOperator
A Model Context Protocol server enabling AI assistants to directly interact with infrastructure tools like Ansible and Terraform for executing playbooks, managing cloud resources, and performing other infrastructure operations.
Archicad MCP Server
Enables MCP clients like Claude to interact with Graphisoft Archicad through the Tapir add-on's JSON commands. Supports automated Archicad operations and custom tool integration for architectural design workflows.
read-docs-mcp
A Model Context Protocol server that enables AI agents to access, search, and understand structured package documentation and source code from Git repositories. It automatically generates specialized tools to browse module overviews, components, and detailed documentation for technical libraries.
Snipe-IT MCP Server
Enables AI assistants to manage Snipe-IT inventory systems through comprehensive asset and consumable operations. Supports creating, updating, tracking, and managing IT assets, consumables, maintenance records, file attachments, and generating labels.
Jina AI MCP Server
Provides access to Jina AI's Search Foundation APIs for embeddings, web search, content extraction, reranking, classification, and semantic text segmentation.
MCP Prompt Template Selector
Provides AI-powered selection and generation of specialized system prompts from a database of over 66 templates for Claude Code. It uses semantic search to find the best matching template and can adapt it to fit specific user tasks and contexts.
Perplexity Server
Okay, I understand. You want to perform a web search using Perplexity to get information for an MCP (presumably a topic you'll provide later), and you want to do this *without* using any API keys. Here's the breakdown of why that's tricky and what options you *might* have, along with their limitations: **Why It's Difficult (and why API keys exist):** * **Perplexity's Design:** Perplexity is designed to be accessed primarily through its official website or its API. The API is the intended way for developers to programmatically access its search and summarization capabilities. APIs are protected by API keys to: * **Control Usage:** Prevent abuse and ensure fair access to resources. * **Track Usage:** Monitor how the service is being used for billing and performance analysis. * **Enforce Terms of Service:** Ensure users adhere to the rules of the platform. * **Web Scraping Challenges:** The alternative to using an API is web scraping (programmatically extracting data from a website). This is generally discouraged and can be problematic: * **Terms of Service Violation:** Most websites (including Perplexity) explicitly prohibit scraping in their terms of service. Violating these terms can lead to your IP address being blocked. * **Website Structure Changes:** Websites change their HTML structure frequently. A scraper that works today might break tomorrow. * **Rate Limiting:** Websites often implement rate limiting to prevent scrapers from overloading their servers. You'll likely be blocked if you make too many requests too quickly. * **Ethical Considerations:** Scraping can put a strain on the website's resources and potentially disrupt service for other users. **Possible (But Limited and Potentially Unreliable) Approaches:** 1. **Manual Search and Copy-Pasting:** * **How it works:** The simplest approach is to manually go to the Perplexity website (perplexity.ai), enter your MCP search query, and then copy and paste the results into your own document or application. * **Pros:** No code required, avoids violating terms of service. * **Cons:** Extremely tedious and time-consuming for anything beyond a few searches. Not automated. 2. **Very Basic Web Scraping (Use with Extreme Caution):** * **Disclaimer:** I strongly advise against this unless you understand the risks and are prepared to deal with potential blocking or legal issues. *Only use this for very small, infrequent, and non-commercial purposes.* * **How it *might* work (but likely won't for long):** * **Inspect the Perplexity Website:** Use your browser's developer tools (usually by pressing F12) to examine the HTML structure of the Perplexity search results page. Identify the HTML elements that contain the search results you want (e.g., `<div>` tags, `<p>` tags, etc.). * **Use a Web Scraping Library:** Use a Python library like `requests` to fetch the HTML content of the Perplexity search results page for your query. Then, use a library like `Beautiful Soup` to parse the HTML and extract the data you identified in the previous step. * **Example (Conceptual - Likely to Break):** ```python import requests from bs4 import BeautifulSoup query = "Your MCP Search Query Here" # Replace with your actual query url = f"https://www.perplexity.ai/search?q={query}" #This is a guess at the URL structure try: response = requests.get(url) response.raise_for_status() # Raise an exception for bad status codes (404, 500, etc.) soup = BeautifulSoup(response.content, "html.parser") # **THIS IS THE TRICKY PART - YOU NEED TO FIND THE RIGHT HTML ELEMENTS** # Example: Let's say the search results are in <div> tags with class "result-item" results = soup.find_all("div", class_="result-item") for result in results: # Extract the text from each result (adjust based on the actual HTML) text = result.text.strip() print(text) except requests.exceptions.RequestException as e: print(f"Error: {e}") except Exception as e: print(f"An unexpected error occurred: {e}") ``` * **Pros:** Potentially automates the search process (but very fragile). * **Cons:** * **High risk of being blocked.** * **Very likely to break due to website changes.** * **Potentially violates Perplexity's terms of service.** * **Requires programming knowledge.** * **No guarantee of accurate or complete results.** **Important Considerations:** * **Ethical Scraping:** If you absolutely must scrape, be respectful: * **Identify Yourself:** Set a `User-Agent` header in your `requests` call to identify your script and provide contact information. * **Rate Limiting:** Introduce delays between requests (e.g., using `time.sleep()`) to avoid overloading the server. * **Check `robots.txt`:** Examine the website's `robots.txt` file (e.g., `perplexity.ai/robots.txt`) to see if there are any specific rules about which pages you are allowed to crawl. * **Consider Alternatives:** Before resorting to scraping, explore other search engines that might offer more accessible APIs or data feeds (even if they aren't exactly Perplexity). **In summary, performing a Perplexity web search without an API key is highly discouraged and comes with significant risks and limitations. The manual approach is the safest, but the least efficient. Web scraping is technically possible, but ethically questionable and practically unreliable.** To give you a more specific answer, please tell me: 1. **What is the MCP you want to search for?** 2. **What is the *purpose* of this search?** (e.g., personal research, academic project, commercial application). This will help me understand the context and suggest more appropriate solutions. 3. **What is your level of programming experience?** Once I have this information, I can provide more tailored advice. However, I must reiterate that I cannot endorse or assist with any activity that violates a website's terms of service.
SpecLinter MCP
An AI-powered tool that transforms natural language specifications into structured, actionable development tasks with quality grading and Gherkin test scenarios. It also features semantic similarity detection to prevent duplicate work and validates implementations against original requirements.
reddit-mcp
Provides access to public Reddit data through tools for searching subreddits, viewing posts, and reading comments without requiring authentication. It enables Model Context Protocol clients to interact with Reddit's public JSON API via stdio or HTTP transports.
XRPL Agent Wallet MCP
Provides secure, policy-controlled wallet infrastructure for AI agents to autonomously manage XRP Ledger wallets and sign transactions. It features a tiered security model with encrypted key storage, a declarative policy engine, and full audit trails for compliance.
Uranium MCP Server
Enables LLMs to create and manage NFT collections and assets through the Uranium platform. Supports uploading media files, minting NFTs, and managing ERC721/ERC1155 collections on the blockchain.
android-mcp
A lightweight MCP server for Android operating system automation. This server provides tools to interact directly with Android devices and app interaction with control
vpn-mcp
Enables AI coding assistants to access the internet through VPN exit nodes to bypass geo-restrictions and avoid rate limits. It allows users to route HTTP requests through various global regions and manage VPN connections directly within MCP-compatible clients.
MCP: Multi-Agent Control Point
A server that routes user questions to specialized agents (date, location, weather) or an LLM expert, with a simple Streamlit web interface for easy interaction.
Context7 MCP
Provides up-to-date, version-specific documentation and code examples for libraries and frameworks directly into AI prompts, eliminating outdated code generation and hallucinated APIs.
Octagon Deep Research MCP
Provides specialized AI-powered comprehensive research and analysis capabilities by integrating with advanced deep research agents, offering unlimited queries with no rate limits and faster performance than comparable services.
dav-mcp
Turn any calendar, contact book, or task list into an AI-orchestrated system. Platform-independent via CalDAV/CardDAV works with Nextcloud, Baikal, Fastmail, and any standards-compliant DAV server. 26 tools with field-agnostic updates.
AI-Persona
An MCP protocol server that supports multi-AI personality summoning and collaboration, which can be used for intelligent collaboration in multiple scenarios such as code analysis and product design.
Daft.ie MCP Server
An MCP server that enables interaction with the Daft.ie API for searching rental properties and retrieving detailed information about specific rental listings.
YNAB MCP Server
An MCP server that provides Large Language Models with access to YNAB (You Need A Budget) budgets, allowing them to fetch budget data including accounts, categories, and category groups.
KIMP MCP Server
Enables users to query Kimchi Premium (KIMP) data for cryptocurrencies, showing the price difference between Korean and international exchanges for assets like Bitcoin and Ethereum.
MCP Calculator Demo
A simple demonstration MCP server built with FastMCP that exposes basic calculator operations (add, subtract, multiply, divide) as tools for MCP clients like GitHub Copilot Agent mode.
Edge-TTS MCP Server
A Model Context Protocol server that provides text-to-speech functionality for AI agents using Microsoft Edge's text-to-speech technology, supporting multiple voices, languages, and voice customization.
MaverickMCP
A personal stock analysis MCP server that provides professional-grade financial data analysis, technical indicators, and portfolio optimization tools directly to your Claude Desktop interface. Pre-seeded with all 520 S\&P 500 stocks and comprehensive screening recommendations for individual traders and investors.
Rolli MCP
Social media search and analytics across X, Reddit, Bluesky, YouTube, LinkedIn, Facebook, Instagram, and Weibo via the Rolli IQ AP
AviBase MCP Server
A Model Context Protocol server that provides AI assistants with access to comprehensive bird data, enabling queries across taxonomic classifications, conservation statuses, and geographic distributions from the AviBase dataset.
MCP File System Server
A Model Context Protocol server that provides secure, sandboxed file system operations including reading, writing, and managing files within a configurable base directory. It features robust path traversal protection to ensure all file interactions remain confined to a safe, restricted environment.
Article Manager MCP Server
Enables AI agents to save, search, and manage markdown-based research articles through a complete CRUD interface. Supports creating, reading, updating, and deleting articles with frontmatter metadata in a self-hosted file-based system.