Prophet MCP Server
An MCP server powered by Meta's Prophet that enables LLMs to perform time-series forecasting, trend analysis, and predictive modeling on historical data. It provides LLM-friendly statistical summaries, automated business-rule validation, and ready-to-render Chart.js visualizations.
README
Prophet MCP Server
An open-source Model Context Protocol (MCP) server engineered for Time-Series Forecasting.
Powered by Meta's Prophet, this server enables LLMs to generate accurate forecasts, trend analyses, and confidence intervals from historical data — turning raw numbers into actionable insights within AI workflows.
Note: This project is a specialized fork of the sendgrid-mcp server, re-engineered to provide robust forecasting capabilities via the MCP protocol.
🚀 Key Capabilities
1. Predictive Modeling
Leverages Meta's Prophet to predict future trends based on historical data. Handles seasonality, outliers, and trend changes automatically.
2. LLM-Friendly Output
Returns data in a format optimized for Large Language Models:
- Plain-English Summaries: Instant context on trends (e.g., "Trending UPWARD by +51.7%").
- Statistical Breakdowns: Historical vs. Forecasted means, min/max, standard deviations.
- Chart.js Config: Ready-to-render visualization config for web deployment.
3. Bounds Validation
Optional upper/lower limits to flag out-of-bounds forecasts — turning predictions into decision-support with business-rule enforcement.
4. Interactive Visualization
Includes Chart.js configuration in every response with:
- Red dots for actual historical data
- Dashed blue line for forecast predictions
- Shaded confidence interval band
- Red/orange dashed limit lines (when bounds are set)
📖 How It Works
┌─────────────────────────────────────────────────────────────┐
│ 1. LLM sends your historical data (dates + values) │
│ 2. Prophet model learns the pattern │
│ 3. Server generates forecast for N future periods │
│ 4. Response includes: │
│ ├── Human-readable summary with trend analysis │
│ ├── Forecast data table (with optional bounds status) │
│ └── Chart.js config for instant visualization │
└─────────────────────────────────────────────────────────────┘
📊 Real-World Example
Let's say you tracked daily website conversions over 10 days and want to forecast the next 5 days — with a safety limit of max 22 conversions (your team can't handle more).
Input
{
"ds": ["2025-01-01", "2025-01-02", "2025-01-03", "2025-01-04", "2025-01-05",
"2025-01-06", "2025-01-07", "2025-01-08", "2025-01-09", "2025-01-10"],
"y": [10, 11, 12, 13, 14, 15, 16, 17, 18, 19],
"periods": 5,
"upper_limit": 22
}
Output
### Prophet Forecast Data ###
Summary of forecast metrics:
- Historical Period: 2025-01-01 to 2025-01-10
- Historical Data Points: 10
- Historical Mean: 14.50
- Forecast Periods: 5
- Trend Direction: UPWARD (+51.7% vs historical mean)
Bounds Validation:
- Upper Limit: 22
- ⚠️ 2 date(s) OUT OF BOUNDS:
2025-01-14: yhat=23.00 > upper_limit=22
2025-01-15: yhat=24.00 > upper_limit=22
Key Takeaway: The model predicts the values will trend upward over the next
5 periods, with predicted values ranging from 20.00 to 24.00.
Date | yhat | yhat_lower | yhat_upper | Status
----------------------------------------------------
2025-01-01 | 10.00 | 10.00 | 10.00 | ✅ OK
...
2025-01-14 | 23.00 | 23.00 | 23.00 | ⚠️ EXCEEDS UPPER
2025-01-15 | 24.00 | 24.00 | 24.00 | ⚠️ EXCEEDS UPPER
chartjs = { ... }
No data-science expertise required. The output tells you the trend direction, flags risky dates, and provides visualization config — all in plain text.
🛠️ Tool: forecast_time_series
Description
Ingests time-series data and returns a future forecast with a detailed text summary, bounds validation, and Chart.js visualization config.
Input Parameters
| Parameter | Type | Required | Default | Description |
|---|---|---|---|---|
ds |
array[string] |
✅ Yes | — | List of dates in ISO format (YYYY-MM-DD) |
y |
array[number] |
✅ Yes | — | List of numeric values aligned with ds |
periods |
integer |
No | 10 |
Number of future periods to forecast |
lower_limit |
number |
No | — | Flag forecast values below this threshold |
upper_limit |
number |
No | — | Flag forecast values above this threshold |
Output Columns
| Column | Meaning |
|---|---|
ds |
Date for the observed or predicted value |
yhat |
Predicted value (model's best estimate) |
yhat_lower |
Lower bound of confidence interval (worst-case) |
yhat_upper |
Upper bound of confidence interval (best-case) |
status |
✅ OK, ⚠️ EXCEEDS UPPER, or ⚠️ BELOW LOWER (only when limits are set) |
Understanding the Two Types of Bounds
yhat_lower / yhat_upper |
lower_limit / upper_limit |
|
|---|---|---|
| Set by | Prophet model (automatic) | You (manual) |
| Purpose | Statistical confidence range | Business rule enforcement |
| Answers | "How sure is the model?" | "Is the forecast safe for my business?" |
| Example | "Revenue will be 800–1200" | "Our warehouse can't handle > 1000 orders" |
📂 Project Structure
Prophet_mcp/
├── app.py # Flask server — MCP endpoint, auth, JSON-RPC routing
├── mcp_helper.py # Core engine — Prophet forecasting, summary, Chart.js config
├── requirements.txt # Python dependencies
├── README.md # This file
├── .gitignore # Git exclusions
└── examples/ # Local testing utilities (not required for deployment)
├── plot_forecast.py # Script to call API and generate a local HTML chart
└── forecast_chart.html # Auto-generated preview (gitignored)
📦 Installation & Setup
Prerequisites
- Anaconda or Miniconda (recommended for Prophet dependencies)
- Python 3.11+
1. Environment Setup
# Create environment
conda create -n prophet-mcp python=3.11
conda activate prophet-mcp
# Install dependencies
pip install -r requirements.txt
Windows Users: Prophet requires
CmdStan. If you encounter issues, refer to the Prophet Installation Guide or install via conda:conda install -c conda-forge prophet.
2. Configuration
The server uses Bearer Token authentication. Set the MCP_TOKEN environment variable, or it defaults to the value in app.py:
# Set your token (recommended for production)
export MCP_TOKEN="your-secure-token-here"
🏃♂️ Running the Server
python app.py
- Server URL:
http://localhost:3000 - MCP Endpoint:
POST http://localhost:3000/mcp
Authentication
All requests must include the header:
Authorization: Bearer <your-token>
Example API Call (cURL)
curl -X POST http://localhost:3000/mcp \
-H "Content-Type: application/json" \
-H "Authorization: `MCP_TOKEN` \
-d '{
"jsonrpc": "2.0",
"method": "tools/call",
"params": {
"name": "forecast_time_series",
"arguments": {
"ds": ["2025-01-01","2025-01-02","2025-01-03","2025-01-04","2025-01-05",
"2025-01-06","2025-01-07","2025-01-08","2025-01-09","2025-01-10"],
"y": [10, 11, 12, 13, 14, 15, 16, 17, 18, 19],
"periods": 5,
"upper_limit": 22
}
},
"id": 1
}'
🧪 Testing & Visualization
Local Testing Script
python examples/plot_forecast.py
This script will:
- Call your MCP server's API
- Extract the Chart.js config from the response
- Generate
forecast_chart.htmlwith an interactive chart - Open it in your default browser
The generated chart features a dark glassmorphism theme with:
- 🔴 Red dots — Historical actuals
- 🔵 Dashed blue line — Forecast predictions
- 🟦 Shaded blue band — Confidence interval
- 🔴 Red dashed line — Upper limit (if set)
- 🟠 Orange dashed line — Lower limit (if set)
☁️ Cloud Deployment
For deploying to Google Cloud (or any cloud provider), you only need:
app.py
mcp_helper.py
requirements.txt
The examples/ folder is for local testing only and is not required in production.
🔐 Security
- Bearer Token authentication on all endpoints
- Token configurable via
MCP_TOKENenvironment variable - JSON-RPC error handling with proper error codes
- Input validation on all tool parameters
📄 Dependencies
| Package | Purpose |
|---|---|
flask |
Web server framework |
pandas |
Data manipulation |
prophet |
Time-series forecasting engine |
requests |
HTTP client (examples only) |
📄 License
MIT License
👥 Contributing
Contributions are welcome! Please feel free to submit a Pull Request.
Author: Pradeep Chandra Kalahasthi
Original Base: sendgrid-mcp
推荐服务器
Baidu Map
百度地图核心API现已全面兼容MCP协议,是国内首家兼容MCP协议的地图服务商。
Playwright MCP Server
一个模型上下文协议服务器,它使大型语言模型能够通过结构化的可访问性快照与网页进行交互,而无需视觉模型或屏幕截图。
Magic Component Platform (MCP)
一个由人工智能驱动的工具,可以从自然语言描述生成现代化的用户界面组件,并与流行的集成开发环境(IDE)集成,从而简化用户界面开发流程。
Audiense Insights MCP Server
通过模型上下文协议启用与 Audiense Insights 账户的交互,从而促进营销洞察和受众数据的提取和分析,包括人口统计信息、行为和影响者互动。
VeyraX
一个单一的 MCP 工具,连接你所有喜爱的工具:Gmail、日历以及其他 40 多个工具。
graphlit-mcp-server
模型上下文协议 (MCP) 服务器实现了 MCP 客户端与 Graphlit 服务之间的集成。 除了网络爬取之外,还可以将任何内容(从 Slack 到 Gmail 再到播客订阅源)导入到 Graphlit 项目中,然后从 MCP 客户端检索相关内容。
Kagi MCP Server
一个 MCP 服务器,集成了 Kagi 搜索功能和 Claude AI,使 Claude 能够在回答需要最新信息的问题时执行实时网络搜索。
e2b-mcp-server
使用 MCP 通过 e2b 运行代码。
Neon MCP Server
用于与 Neon 管理 API 和数据库交互的 MCP 服务器
Exa MCP Server
模型上下文协议(MCP)服务器允许像 Claude 这样的 AI 助手使用 Exa AI 搜索 API 进行网络搜索。这种设置允许 AI 模型以安全和受控的方式获取实时的网络信息。