File size: 7,298 Bytes
945d0f8 6a6337e 945d0f8 6a6337e 945d0f8 | 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 | """
Professional Farm Controller & Decision Engine
==============================================
Orchestrates all farm intelligence APIs and generates comprehensive dashboards
"""
import json
import asyncio
import httpx
import logging
import os
from datetime import datetime
import alerts
from database import db
logging.basicConfig(
level=logging.INFO,
format="%(asctime)s [%(levelname)s] %(name)s: %(message)s"
)
logger = logging.getLogger("FarmController")
# API Endpoints
WEATHER_URL = os.getenv("WEATHER_API_URL", "http://127.0.0.1:8001/weather")
PEST_URL = os.getenv("PEST_API_URL", "http://127.0.0.1:8000/api/predict")
WATER_URL = os.getenv("WATER_API_URL", "http://127.0.0.1:8002/predict")
async def fetch(client: httpx.AsyncClient, url: str, params=None, json_data=None, method="GET"):
"""Generic async fetch with error handling"""
try:
if method == "GET":
r = await client.get(url, params=params, timeout=60.0)
else:
r = await client.post(url, json=json_data, timeout=60.0)
r.raise_for_status()
return r.json()
except Exception as e:
logger.error(f"Error fetching {url}: {e}")
return {"error": str(e), "status": "offline"}
async def run_farm_dashboard(user_file: str = "user.json", output_file: str = "dashboard_output.json"):
"""
Main orchestration function - Runs all APIs in parallel and generates dashboard
"""
try:
with open(user_file, "r") as f:
farmer = json.load(f)
except Exception as e:
logger.error(f"Error loading farmer profile: {e}")
return None
logger.info(f"πΎ Running dashboard for {farmer.get('name', 'Farmer')}...")
# Extract farmer data
lat = farmer.get("latitude", 18.5204)
lon = farmer.get("longitude", 73.8567)
crop_type = farmer.get("crop_type", "Crop")
village = farmer.get("village", "Pune")
soil_type = farmer.get("soil_type", "Dry")
season = farmer.get("season", "Annual")
motor_capacity = farmer.get("motor_capacity", 10.0)
farm_size_hectares = farmer.get("farm_size_hectares", 1.0)
# Prepare API payloads
pest_payload = {
"latitude": lat,
"longitude": lon,
"crop_type": crop_type,
"season": season,
"soil_type": soil_type,
"language": "English"
}
water_payload = {
"city": village,
"crop_type": crop_type,
"soil_type": soil_type,
"capacity": motor_capacity,
"farm_size_hectares": farm_size_hectares
}
# Execute all API calls in parallel
async with httpx.AsyncClient() as client:
logger.info("π‘ Calling all intelligence APIs in parallel...")
weather_task = fetch(client, WEATHER_URL, params={"lat": lat, "lon": lon})
pest_task = fetch(client, PEST_URL, json_data=pest_payload, method="POST")
water_task = fetch(client, WATER_URL, json_data=water_payload, method="POST")
weather_res, pest_res, water_res = await asyncio.gather(
weather_task, pest_task, water_task,
return_exceptions=True
)
# Handle exceptions
if isinstance(weather_res, Exception):
logger.error(f"Weather API failed: {weather_res}")
weather_res = {"error": str(weather_res), "current": {}, "forecast": []}
if isinstance(pest_res, Exception):
logger.error(f"Pest API failed: {pest_res}")
pest_res = {"error": str(pest_res), "pest_prediction_table": []}
if isinstance(water_res, Exception):
logger.error(f"Water API failed: {water_res}")
water_res = {"error": str(water_res), "water_m3_sqm": 0, "irrigation_minutes": 0}
logger.info("β
All APIs completed")
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# DECISION ENGINE: Generate intelligent alerts
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
logger.info("π§ Running decision engine...")
notifications = alerts.get_alerts(weather_res, pest_res, water_res, farmer)
# Save alert history
for alert in notifications:
alert_copy = alert.copy()
alert_copy["farmer_id"] = farmer.get("farmer_id", "DEFAULT")
db.save_alert(alert_copy)
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# BUILD COMPREHENSIVE DASHBOARD
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
dashboard = {
"generated_at": datetime.now().isoformat(),
"farmer_id": farmer.get("farmer_id", "DEFAULT"),
"farmer_profile": farmer,
"weather_intelligence": {
"status": "online" if "error" not in weather_res else "offline",
**weather_res
},
"pest_intelligence": {
"status": "online" if "error" not in pest_res else "offline",
**pest_res
},
"water_intelligence": {
"status": "online" if "error" not in water_res else "offline",
**water_res
},
"alerts": notifications,
"summary": {
"total_alerts": len(notifications),
"critical_alerts": len([a for a in notifications if a.get("severity") == "CRITICAL"]),
"high_alerts": len([a for a in notifications if a.get("severity") == "HIGH"]),
"medium_alerts": len([a for a in notifications if a.get("severity") == "MEDIUM"]),
"action_required": any(a.get("action_required", False) for a in notifications)
},
"health_check": {
"weather_api": "π’ OK" if weather_res.get("status") == "online" else "π΄ DOWN",
"pest_api": "π’ OK" if pest_res.get("status") == "online" else "π΄ DOWN",
"water_api": "π’ OK" if water_res.get("status") == "online" else "π΄ DOWN",
"database": "π’ OK"
}
}
# Save dashboard
with open(output_file, "w") as f:
json.dump(dashboard, f, indent=4, default=str)
logger.info(f"β
Dashboard generated: {output_file}")
logger.info(f" Total Alerts: {dashboard['summary']['total_alerts']}")
logger.info(f" Critical: {dashboard['summary']['critical_alerts']} | High: {dashboard['summary']['high_alerts']}")
return dashboard
# Async entry point
async def main():
"""For standalone execution"""
dashboard = await run_farm_dashboard()
if dashboard:
print(json.dumps(dashboard, indent=2, default=str))
if __name__ == "__main__":
asyncio.run(main())
|