Discover Awesome MCP Servers
Extend your agent with 16,005 capabilities via MCP servers.
- All16,005
- 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
wos MCP Server
Remote MCP Server on Cloudflare
A Model Context Protocol server that runs on Cloudflare Workers with OAuth login, allowing tools like the MCP Inspector and Claude Desktop to connect and use defined tools remotely.
mcp-servers
Servidores MCP para o sistema
macOS Notify MCP
An MCP server that enables AI assistants like Claude to send native macOS notifications with tmux integration, allowing notifications to focus specific tmux sessions when clicked.
HDX MCP Server
Provides AI assistants with seamless access to the Humanitarian Data Exchange (HDX) API for accessing humanitarian datasets, population data, conflict events, food security information, and other critical humanitarian data. Automatically generates MCP tools from the HDX OpenAPI specification with additional custom tools for enhanced functionality.
Cursor Pro Limits MCP Server
Enables real-time monitoring of Cursor Pro usage limits and API quotas across different AI services. Tracks Sonnet 4.5, Gemini, and GPT-5 request usage with alerts when approaching subscription limits.
Bitte MCP Proxy
Um monorepositório contendo servidores do Protocolo de Controle de Modelos (MCP) para diferentes serviços, com foco principal em integrações com a Bitte AI.
Weather MCP Server
Um servidor de informações meteorológicas construído usando o Protocolo de Contexto de Modelo (MCP) para fornecer dados meteorológicos e previsões em tempo real.
Toggl MCP Server
Enables fetching and analyzing Toggl time tracking data with intelligent parsing of Fibery entity references from task descriptions. Features smart caching, user filtering, and aggregated reporting to help track time spent on specific projects and entities.
mcp-wrap
MCP server for exposing command-line tools to LLMs
MCP Server for Breaking Shyet - Diclaimer - This is a DEVKIT
Servidor MCP e Servidor API Kali - Com Integração com o Claude Desktop
Freepik Flux AI MCP Sunucusu
Servidor MCP para gerar imagens com a API Freepik Flux-Dev
SillyTavern MCP Server
Permite o registro e a execução de ferramentas externas através de comunicação baseada em WebSocket, fornecendo uma interface unificada para o gerenciamento de ferramentas em tempo real dentro do SillyTavern.
linear-mcp
Um servidor MCP não oficial para acessar o Linear.
s-GitHubTestRepo-HJA2
created from MCP server demo
HDU Academic System MCP Server
Enables AI assistants to interact with Hangzhou Dianzi University's academic system through automatic login and course schedule retrieval. Supports secure authentication and structured academic data access for HDU students.
ElevenLabs MCP Server
Provides comprehensive access to ElevenLabs AI audio features including text-to-speech, voice cloning, sound generation, and audio isolation. Enables users to generate high-quality speech, manage voices, transform audio, and access ElevenLabs services through natural language interactions.
MCP Security Tools Suite
Enables ethical security testing and attack surface management through SSL certificate validation, CVE queries, subdomain enumeration, security header analysis, and comprehensive reconnaissance capabilities. Designed for authorized penetration testing workflows with responsible disclosure practices.
Magento 2 GraphQL Documentation MCP Server
Provides offline search and retrieval of Magento 2 GraphQL API documentation with 8 specialized tools for finding queries, mutations, types, tutorials, and code examples across 350+ locally indexed markdown files.
DevServer MCP
Monitors development server logs in real-time and provides Claude with immediate error notifications via Server-Sent Events. Intelligently parses TypeScript, Svelte, and Vite errors with severity classification and file correlation.
Zapiar_MCP_Server
Splunkbase MCP Server
Um servidor de Protocolo de Controle de Máquina que fornece acesso programático à funcionalidade do Splunkbase, permitindo que os usuários pesquisem, baixem e gerenciem aplicativos do Splunkbase por meio de uma interface padronizada.
how to run both the client and server
Um repositório para experimentar com cliente e servidor MCP.
MCP Server Template
A comprehensive template for building Model Context Protocol servers with FastMCP framework, featuring modular architecture, auto-discovery registry, and support for multiple transport methods. Includes example arithmetic and weather tools to help developers quickly create custom MCP servers.
Slack MCP Server
Enables AI agents to interact with Slack workspaces through OAuth authentication, supporting message reading, posting to channels and threads, and channel discovery with popularity sorting.
Remote MCP Server
A Cloudflare Workers-based Model Context Protocol server with OAuth login that allows AI assistants like Claude to access external tools.
Todo App
Este aplicativo foi construído completamente com o Cursor, usando o servidor Box MCP para encontrar um PRD e as diretrizes de codificação.
Chronos MCP Server
Aqui está um servidor MCP simples baseado em .NET Core para recuperar a hora atual: ```csharp using Microsoft.AspNetCore.Builder; using Microsoft.AspNetCore.Hosting; using Microsoft.AspNetCore.Http; using Microsoft.Extensions.Hosting; using System; namespace TimeServer { public class Program { public static void Main(string[] args) { CreateHostBuilder(args).Build().Run(); } public static IHostBuilder CreateHostBuilder(string[] args) => Host.CreateDefaultBuilder(args) .ConfigureWebHostDefaults(webBuilder => { webBuilder.Configure(app => { app.UseRouting(); app.UseEndpoints(endpoints => { endpoints.MapGet("/", async context => { await context.Response.WriteAsync($"Current time: {DateTime.Now}"); }); }); }); }); } } ``` **Explicação:** * **`using` statements:** Importam os namespaces necessários para o ASP.NET Core e para trabalhar com datas e horas. * **`namespace TimeServer`:** Define o namespace para o projeto. * **`Program` class:** Contém o ponto de entrada da aplicação (`Main` method). * **`CreateHostBuilder` method:** Configura o host da aplicação ASP.NET Core. * **`Host.CreateDefaultBuilder(args)`:** Cria um host padrão com configurações padrão. * **`.ConfigureWebHostDefaults(webBuilder => ...)`:** Configura o web host. * **`webBuilder.Configure(app => ...)`:** Configura o pipeline de requisição HTTP. * **`app.UseRouting()`:** Adiciona o middleware de roteamento ao pipeline. * **`app.UseEndpoints(endpoints => ...)`:** Define os endpoints da aplicação. * **`endpoints.MapGet("/", async context => ...)`:** Mapeia requisições GET para a rota raiz ("/") para um manipulador assíncrono. * **`await context.Response.WriteAsync($"Current time: {DateTime.Now}");`:** Escreve a hora atual no corpo da resposta HTTP. **Como executar:** 1. **Crie um novo projeto .NET Core:** ```bash dotnet new webapi -n TimeServer cd TimeServer ``` 2. **Substitua o conteúdo do `Program.cs` pelo código acima.** 3. **Execute o projeto:** ```bash dotnet run ``` Isso iniciará um servidor web na porta padrão (geralmente 5000 ou 5001). Você pode acessar a hora atual abrindo um navegador e navegando para `http://localhost:5000` (ou a porta que o `dotnet run` indicar). **Considerações:** * **MCP:** A descrição original menciona "MCP server". Se "MCP" se refere a um protocolo específico, este código precisaria ser adaptado para implementar esse protocolo. Este exemplo fornece um servidor HTTP simples. * **Formato da hora:** O formato da hora retornado é o padrão de `DateTime.Now.ToString()`. Você pode formatar a hora de forma diferente usando `DateTime.Now.ToString("yyyy-MM-dd HH:mm:ss")` ou outros formatos. * **Tratamento de erros:** Este exemplo é muito básico e não inclui tratamento de erros. Em um ambiente de produção, você deve adicionar tratamento de erros para lidar com exceções e retornar respostas apropriadas. * **Configuração:** Você pode configurar a porta e outros aspectos do servidor usando arquivos de configuração (como `appsettings.json`) e variáveis de ambiente. Este exemplo fornece um ponto de partida simples. Dependendo dos requisitos específicos do seu "MCP server", você pode precisar adicionar mais funcionalidades e personalizações.
JR East Delay Information MCP Server
An MCP server that provides real-time delay information for JR East train lines, accessible via MCP clients like Claude Desktop through the 'getDelays' tool.
Gemini Agent MCP Server
Provides a Model Context Protocol interface to the Gemini CLI, enabling AI agents to call the Gemini model and interact with development tools like code linting, GitHub operations, and documentation generation. Includes security measures to prevent unauthorized file access through path validation.