File size: 8,067 Bytes
a187af6
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
"""
Open-Meteo Integration Module
==============================
Fetch weather data from Open-Meteo API for agricultural purposes.
https://open-meteo.com/
"""

import requests
from typing import Dict, Optional, Tuple


def geocode_location(location: str) -> Optional[Tuple[float, float, str]]:
    """
    Convert location name to coordinates using Open-Meteo Geocoding API.
    
    Args:
        location: City, region, or country name
        
    Returns:
        Tuple of (latitude, longitude, full_location_name) or None if not found
    """
    try:
        url = "https://geocoding-api.open-meteo.com/v1/search"
        params = {
            "name": location,
            "count": 1,
            "language": "en",
            "format": "json"
        }
        
        response = requests.get(url, params=params, timeout=10)
        response.raise_for_status()
        
        data = response.json()
        
        if "results" in data and len(data["results"]) > 0:
            result = data["results"][0]
            lat = result["latitude"]
            lon = result["longitude"]
            
            # Build full location name
            name_parts = [result["name"]]
            if "admin1" in result and result["admin1"]:
                name_parts.append(result["admin1"])
            if "country" in result and result["country"]:
                name_parts.append(result["country"])
            
            full_name = ", ".join(name_parts)
            
            return (lat, lon, full_name)
        
        return None
        
    except Exception as e:
        print(f"Geocoding error: {e}")
        return None


def get_weather_data(latitude: float, longitude: float) -> Optional[Dict]:
    """
    Get current and forecast weather data from Open-Meteo API.
    
    Args:
        latitude: Location latitude
        longitude: Location longitude
        
    Returns:
        Dictionary with weather data or None if error
    """
    try:
        url = "https://api.open-meteo.com/v1/forecast"
        params = {
            "latitude": latitude,
            "longitude": longitude,
            "current": [
                "temperature_2m",
                "relative_humidity_2m",
                "precipitation",
                "weather_code",
                "wind_speed_10m",
                "wind_direction_10m"
            ],
            "hourly": [
                "temperature_2m",
                "precipitation_probability",
                "precipitation",
                "weather_code"
            ],
            "daily": [
                "temperature_2m_max",
                "temperature_2m_min",
                "precipitation_sum",
                "precipitation_probability_max",
                "wind_speed_10m_max"
            ],
            "timezone": "auto",
            "forecast_days": 7
        }
        
        response = requests.get(url, params=params, timeout=10)
        response.raise_for_status()
        
        return response.json()
        
    except Exception as e:
        print(f"Weather API error: {e}")
        return None


def interpret_weather_code(code: int) -> Tuple[str, str]:
    """
    Interpret WMO Weather interpretation codes.
    
    Args:
        code: WMO weather code
        
    Returns:
        Tuple of (emoji, description)
    """
    weather_codes = {
        0: ("β˜€οΈ", "Clear sky"),
        1: ("🌀️", "Mainly clear"),
        2: ("β›…", "Partly cloudy"),
        3: ("☁️", "Overcast"),
        45: ("🌫️", "Foggy"),
        48: ("🌫️", "Depositing rime fog"),
        51: ("🌦️", "Light drizzle"),
        53: ("🌦️", "Moderate drizzle"),
        55: ("🌧️", "Dense drizzle"),
        61: ("🌧️", "Slight rain"),
        63: ("🌧️", "Moderate rain"),
        65: ("β›ˆοΈ", "Heavy rain"),
        71: ("🌨️", "Slight snow"),
        73: ("🌨️", "Moderate snow"),
        75: ("❄️", "Heavy snow"),
        77: ("🌨️", "Snow grains"),
        80: ("🌦️", "Slight rain showers"),
        81: ("β›ˆοΈ", "Moderate rain showers"),
        82: ("β›ˆοΈ", "Violent rain showers"),
        85: ("🌨️", "Slight snow showers"),
        86: ("❄️", "Heavy snow showers"),
        95: ("β›ˆοΈ", "Thunderstorm"),
        96: ("β›ˆοΈ", "Thunderstorm with slight hail"),
        99: ("β›ˆοΈ", "Thunderstorm with heavy hail")
    }
    
    return weather_codes.get(code, ("🌈", "Unknown"))


def get_agricultural_recommendations(weather_data: Dict) -> list:
    """
    Generate agricultural recommendations based on weather data.
    
    Args:
        weather_data: Weather data from Open-Meteo API
        
    Returns:
        List of recommendation strings
    """
    recommendations = []
    
    if not weather_data:
        return recommendations
    
    current = weather_data.get("current", {})
    daily = weather_data.get("daily", {})
    
    # Temperature recommendations
    temp = current.get("temperature_2m")
    if temp is not None:
        if temp < 5:
            recommendations.append("❄️ **Frost Risk**: Protect sensitive crops from cold damage")
        elif temp > 35:
            recommendations.append("🌑️ **Heat Warning**: Increase irrigation and provide shade for sensitive plants")
        elif temp > 30:
            recommendations.append("β˜€οΈ **High Temperature**: Monitor water needs closely")
    
    # Precipitation recommendations
    precip = current.get("precipitation", 0)
    if precip > 5:
        recommendations.append("🌧️ **Heavy Rain**: Delay irrigation and check drainage systems")
    elif precip > 0:
        recommendations.append("🌦️ **Light Rain**: Adjust irrigation schedule accordingly")
    
    # Wind recommendations
    wind_speed = current.get("wind_speed_10m", 0)
    if wind_speed > 50:
        recommendations.append("πŸ’¨ **Strong Winds**: Secure equipment and check plant supports")
    elif wind_speed > 30:
        recommendations.append("πŸƒ **Moderate Winds**: Monitor young plants and structures")
    
    # Humidity recommendations
    humidity = current.get("relative_humidity_2m")
    if humidity is not None:
        if humidity > 85:
            recommendations.append("πŸ’§ **High Humidity**: Watch for fungal diseases and improve ventilation")
        elif humidity < 30:
            recommendations.append("🏜️ **Low Humidity**: Increase watering frequency")
    
    # Forecast-based recommendations
    if daily:
        max_precip_prob = max(daily.get("precipitation_probability_max", [0]))
        if max_precip_prob > 70:
            recommendations.append("β˜” **Rain Expected**: Plan indoor activities for the coming days")
        
        temps_max = daily.get("temperature_2m_max", [])
        temps_min = daily.get("temperature_2m_min", [])
        
        if temps_min and min(temps_min[:3]) < 0:
            recommendations.append("⚠️ **Frost Warning**: Frost expected in the next 3 days")
    
    if not recommendations:
        recommendations.append("βœ… **Favorable Conditions**: Current weather is good for normal agricultural activities")
    
    return recommendations


def get_weather_for_location(location: str) -> Optional[Dict]:
    """
    Complete workflow: geocode location and get weather data.
    
    Args:
        location: Location name (city, region, country)
        
    Returns:
        Dictionary with coordinates, location name, weather data, and recommendations
    """
    # Geocode location
    geocode_result = geocode_location(location)
    if not geocode_result:
        return None
    
    lat, lon, full_name = geocode_result
    
    # Get weather data
    weather_data = get_weather_data(lat, lon)
    if not weather_data:
        return None
    
    # Get recommendations
    recommendations = get_agricultural_recommendations(weather_data)
    
    return {
        "latitude": lat,
        "longitude": lon,
        "location_name": full_name,
        "weather_data": weather_data,
        "recommendations": recommendations
    }