Weather MCP Server

Weather MCP Server

Provides real-time US weather alerts and forecasts by integrating with the National Weather Service API. It enables AI assistants to fetch state-specific alerts and detailed local forecasts using geographic coordinates.

Category
访问服务器

README

Model Context Protocol (MCP)

🚀 Why Is Everyone – Suddenly! – Obsessed With MCP/Servers? (Spoiler: It’s Redefining AI Orchestration)

Model Context Protocol (MCP) is an open standard developed by Anthropic in late 2024 to address a critical challenge in AI integration: connecting AI assistants with real-world data sources and systems[1][3]. MCP serves as a standardized interface for AI models to interact with external tools, databases, and APIs, similar to how USB-C functions as a universal port for devices[4][7].

Key Features and Benefits

  1. Standardized Integration: MCP eliminates the need for custom integrations, allowing developers to connect AI models to various data sources using a single protocol.

  2. Dynamic Discovery: AI agents can automatically detect and utilize available MCP servers and their capabilities without hard-coded integration.

  3. Enhanced Security: MCP enables developers to implement security measures within servers, ensuring AI agents only access permitted data or actions.

  4. Flexibility: The protocol is model-agnostic, allowing any AI model (e.g., Claude, GPT-4, open-source LLMs) to use MCP-enabled tools.

  5. Ecosystem Growth: Since its introduction, MCP has gained significant traction, with over 1,000 community-built MCP servers available by February 2025.

Impact on AI Development

MCP is transforming the AI landscape by:

  1. Simplifying Integration: Reducing the complexity of connecting AI models to external systems from an "N×M" problem to an "N+M" problem.

  2. Enabling Complex Workflows: Facilitating multi-step, cross-system operations for AI agents, such as event planning that involves multiple platforms.

  3. Fostering Collaboration: Providing a shared workspace for multi-agent systems, allowing specialized AI agents to coordinate tasks efficiently.

  4. Enhancing Personalization: Enabling secure integration of personal AI assistants with users' data and applications.

  5. Improving Enterprise Governance: Standardizing AI access to internal tools and enabling better monitoring and control of AI interactions.

As of March 2025, MCP has become a significant topic in the AI community, with many viewing it as a crucial component for developing more integrated and context-aware AI systems. Its open nature and backing by a major AI player have contributed to its rapid adoption and evolution, positioning MCP as a potential de facto standard for AI-world integration.


Model Context Protocol (MCP) - weather quick start :

Overview

This document provides a comprehensive guide to building a simple Model Context Protocol (MCP) weather server and connecting it to a host, Claude for Desktop. The server exposes two tools: get-alerts and get-forecast, which fetch weather alerts and forecasts using the National Weather Service API.

Table of Contents

  1. Introduction
  2. Prerequisites
  3. System Requirements
  4. Setup
  5. Building the Server
  6. Testing with Claude for Desktop
  7. Under the Hood
  8. Troubleshooting

Introduction

This guide walks you through creating an MCP server to enhance LLMs (like Claude) with real-time weather data. The server utilizes the MCP framework to expose tools for fetching weather alerts and forecasts, addressing the LLM's lack of native environmental awareness.

Prerequisites

Before starting, ensure you have:

  • Familiarity with Python
  • Understanding of LLMs like Claude

System Requirements

  • Python 3.10 or higher
  • MCP SDK 1.2.0 or higher

Setup

  1. Install uv:

    window

    powershell -ExecutionPolicy ByPass -c "irm https://astral.sh/uv/install.ps1 | iex"
    

    macos/linux

    curl -LsSf https://astral.sh/uv/install.sh | sh
    

    Restart your terminal to ensure the uv command is recognized.

  2. Create and Set Up Project:

    window(cd to your dev repo_path run below command in powershell/..)

    # Create a new directory for our project
      uv init weather
      cd weather
    
      # Create virtual environment and activate it
      uv venv
      .venv\Scripts\activate
    
      # Install dependencies
      uv add mcp[cli] httpx
    
      # Create our server file
      new-item weather.py
    

    macos/linux

    # Create a new directory for our project
    uv init weather
    cd weather
    
    # Create virtual environment and activate it
    uv venv
    source .venv/bin/activate
    
    # Install dependencies
    uv add "mcp[cli]" httpx
    
    # Create our server file
    touch weather.py
    
    

Building the Server

Importing Packages and Setting Up the Instance

Add the following code to the top of your weather.py file:

from typing import Any
import httpx
from mcp.server.fastmcp import FastMCP


# Initialize FastMCP server
mcp = FastMCP("weather")

# Constants
NWS_API_BASE = "https://api.weather.gov"
USER_AGENT = "weather-app/1.0"


#helper function
async def make_nws_request(url: str) -> dict[str, Any] | None:
    """Make a request to the NWS API with proper error handling."""
    headers = {
        "User-Agent": USER_AGENT,
        "Accept": "application/geo+json"
    }
    async with httpx.AsyncClient() as client:
        try:
            response = await client.get(url, headers=headers, timeout=30.0)
            response.raise_for_status()
            return response.json()
        except Exception:
            return None

def format_alert(feature: dict) -> str:
    """Format an alert feature into a readable string."""
    props = feature["properties"]
    return f"""
Event: {props.get('event', 'Unknown')}
Area: {props.get('areaDesc', 'Unknown')}
Severity: {props.get('severity', 'Unknown')}
Description: {props.get('description', 'No description available')}
Instructions: {props.get('instruction', 'No specific instructions provided')}
"""


@mcp.tool()
async def get_alerts(state: str) -> str:
    """Get weather alerts for a US state.

    Args:
        state: Two-letter US state code (e.g. CA, NY)
    """
    url = f"{NWS_API_BASE}/alerts/active/area/{state}"
    data = await make_nws_request(url)

    if not data or "features" not in data:
        return "Unable to fetch alerts or no alerts found."

    if not data["features"]:
        return "No active alerts for this state."

    alerts = [format_alert(feature) for feature in data["features"]]
    return "\n---\n".join(alerts)

@mcp.tool()
async def get_forecast(latitude: float, longitude: float) -> str:
    """Get weather forecast for a location.

    Args:
        latitude: Latitude of the location
        longitude: Longitude of the location
    """
    # First get the forecast grid endpoint
    points_url = f"{NWS_API_BASE}/points/{latitude},{longitude}"
    points_data = await make_nws_request(points_url)

    if not points_data:
        return "Unable to fetch forecast data for this location."

    # Get the forecast URL from the points response
    forecast_url = points_data["properties"]["forecast"]
    forecast_data = await make_nws_request(forecast_url)

    if not forecast_data:
        return "Unable to fetch detailed forecast."

    # Format the periods into a readable forecast
    periods = forecast_data["properties"]["periods"]
    forecasts = []
    for period in periods[:5]:  # Only show next 5 periods
        forecast = f"""
                    {period['name']}:
                    Temperature: {period['temperature']}°{period['temperatureUnit']}
                    Wind: {period['windSpeed']} {period['windDirection']}
                    Forecast: {period['detailedForecast']}
                    """
        forecasts.append(forecast)

    return "\n---\n".join(forecasts)


if __name__ == "__main__":
    # Initialize and run the server
    mcp.run(transport='stdio')

Running the Server

To verify your server, run:

uv run weather.py

Testing Your Server with Claude for Desktop

Configuration

  1. Install/Update Claude for Desktop: Ensure you have the latest version installed.
  2. Configure MCP Servers: Open or create the configuration file at ~/Library/Application Support/Claude/claude_desktop_config.json.

alt text

-> RESTART THE SYSTEM IF NOT WORKS

  1. Add Server Configuration:

    {
      "mcpServers": {
        "weather": {
          "command": "uv",
          "args": [
            "--directory",
            "/ABSOLUTE/PATH/TO/PARENT/FOLDER/weather",# S:\\Dev\\weather
            "run",
            "weather.py"
          ]
        }
      }
    }
    

    Replace /ABSOLUTE/PATH/TO/PARENT/FOLDER/weather with the correct absolute path to your project directory. You may need to provide the full path to the uv executable in the command field (use which uv on MacOS/Linux or where uv on Windows to find it).

  2. Restart Claude for Desktop.

Test with Commands

  1. Verify Tool Detection: Look for the hammer icon in Claude for Desktop. Clicking it should list the get_alerts and get_forecast tools.

alt text 2. Run Test Queries:

- "What’s the weather in Sacramento?"
- "What are the active weather alerts in Texas?"

Note: These queries work for US locations only, as they use the US National Weather Service.

What’s Happening Under the Hood

  1. The client sends your question to Claude.
  2. Claude analyzes available tools and decides which to use.
  3. The client executes the chosen tool(s) through the MCP server.
  4. Results are sent back to Claude.
  5. Claude formulates and displays a natural language response.

Troubleshooting

  • Getting logs from Claude for Desktop

    • mcp.log: General MCP connections and failures.
    • mcp-server-SERVERNAME.log: Error logs from the named server.
    tail -n 20 -f ~/Library/Logs/Claude/mcp*.log
    
  • Server not showing up in Claude

    • Check claude_desktop_config.json file syntax.
    • Ensure the project path is absolute.
    • Restart Claude for Desktop completely.
  • Tool calls failing silently

    • Check Claude’s logs for errors.
    • Verify your server builds and runs without errors.
    • Try restarting Claude for Desktop.
  • None of this is working. What do I do?

  • Error: Failed to retrieve grid point data

    • Coordinates outside the US
    • NWS API issues
    • Rate limiting

    Fix:

  • Error: No active alerts for [STATE]

    • No current weather alerts for that state. Try a different state.

For more advanced troubleshooting, check out the Debugging MCP guide.

MCP Inspector

npx @modelcontextprotocol/inspector uv run weather.py

alt text

alt text

done with local test

Published in Github

🔗 Github - aitiwari/weather

推荐服务器

Baidu Map

Baidu Map

百度地图核心API现已全面兼容MCP协议,是国内首家兼容MCP协议的地图服务商。

官方
精选
JavaScript
Playwright MCP Server

Playwright MCP Server

一个模型上下文协议服务器,它使大型语言模型能够通过结构化的可访问性快照与网页进行交互,而无需视觉模型或屏幕截图。

官方
精选
TypeScript
Magic Component Platform (MCP)

Magic Component Platform (MCP)

一个由人工智能驱动的工具,可以从自然语言描述生成现代化的用户界面组件,并与流行的集成开发环境(IDE)集成,从而简化用户界面开发流程。

官方
精选
本地
TypeScript
Audiense Insights MCP Server

Audiense Insights MCP Server

通过模型上下文协议启用与 Audiense Insights 账户的交互,从而促进营销洞察和受众数据的提取和分析,包括人口统计信息、行为和影响者互动。

官方
精选
本地
TypeScript
VeyraX

VeyraX

一个单一的 MCP 工具,连接你所有喜爱的工具:Gmail、日历以及其他 40 多个工具。

官方
精选
本地
graphlit-mcp-server

graphlit-mcp-server

模型上下文协议 (MCP) 服务器实现了 MCP 客户端与 Graphlit 服务之间的集成。 除了网络爬取之外,还可以将任何内容(从 Slack 到 Gmail 再到播客订阅源)导入到 Graphlit 项目中,然后从 MCP 客户端检索相关内容。

官方
精选
TypeScript
Kagi MCP Server

Kagi MCP Server

一个 MCP 服务器,集成了 Kagi 搜索功能和 Claude AI,使 Claude 能够在回答需要最新信息的问题时执行实时网络搜索。

官方
精选
Python
e2b-mcp-server

e2b-mcp-server

使用 MCP 通过 e2b 运行代码。

官方
精选
Neon MCP Server

Neon MCP Server

用于与 Neon 管理 API 和数据库交互的 MCP 服务器

官方
精选
Exa MCP Server

Exa MCP Server

模型上下文协议(MCP)服务器允许像 Claude 这样的 AI 助手使用 Exa AI 搜索 API 进行网络搜索。这种设置允许 AI 模型以安全和受控的方式获取实时的网络信息。

官方
精选