Spaces:
Sleeping
Sleeping
File size: 8,974 Bytes
b2c7817 | 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 | #!/usr/bin/env python3
"""
Comprehensive test script for AgriPredict Analysis Service
Tests all API endpoints to ensure they are working correctly
"""
import requests
import json
import time
from typing import Dict, Any
from datetime import datetime, timedelta
import random
class APITester:
def __init__(self, base_url: str = "http://localhost:7860"):
self.base_url = base_url
self.session = requests.Session()
def generate_sample_data(self, days: int = 30) -> list:
"""Generate sample historical data for testing"""
data = []
base_date = datetime.now() - timedelta(days=days)
for i in range(days):
date = base_date + timedelta(days=i)
# Generate realistic agricultural data
quantity = random.randint(80, 150) + random.randint(-15, 15)
price = round(40 + random.uniform(-8, 8), 2)
data.append({
"date": date.strftime("%Y-%m-%d"),
"quantity": max(1, quantity), # API expects 'quantity' not 'demand'
"price": max(10, price)
})
return data
def _handle_api_error(self, endpoint_name: str, response, exception: Exception = None) -> Dict[str, Any]:
"""Helper method to handle API errors consistently"""
if exception:
print(f"β {endpoint_name} error: {str(exception)}")
return {"success": False, "error": str(exception)}
else:
print(f"β {endpoint_name} failed with status {response.status_code}")
if hasattr(response, 'json'):
try:
error_data = response.json()
print(f" Error details: {error_data}")
except:
print(f" Response text: {response.text}")
return {"success": False, "error": f"Status {response.status_code}"}
def test_health_endpoint(self) -> Dict[str, Any]:
"""Test the health check endpoint"""
print("π Testing health endpoint...")
try:
response = self.session.get(f"{self.base_url}/health")
if response.status_code == 200:
data = response.json()
print("β
Health check passed!")
print(f" Status: {data.get('status')}")
print(f" Service: {data.get('service')}")
return {"success": True, "data": data}
else:
return self._handle_api_error("Health check", response)
except Exception as e:
return self._handle_api_error("Health check", None, e)
def test_models_endpoint(self) -> Dict[str, Any]:
"""Test the models endpoint"""
print("π Testing models endpoint...")
try:
response = self.session.get(f"{self.base_url}/models")
if response.status_code == 200:
data = response.json()
print("β
Models endpoint passed!")
models = data.get('models', [])
print(f" Available models: {len(models)}")
for model in models:
print(f" - {model}")
return {"success": True, "data": data}
else:
return self._handle_api_error("Models endpoint", response)
except Exception as e:
return self._handle_api_error("Models endpoint", None, e)
def test_forecast_endpoint(self) -> Dict[str, Any]:
"""Test the forecast endpoint with sample data"""
print("π Testing forecast endpoint...")
# Generate sample historical data
historical_data = self.generate_sample_data(21)
# Prepare forecast request matching our API structure
forecast_request = {
"product_id": "test_crop", # Required by API
"historical_data": historical_data,
"days": 7, # API expects 'days' not 'forecast_horizon'
"models": ["SMA", "WMA", "ES"],
"include_confidence": True
}
try:
response = self.session.post(
f"{self.base_url}/forecast",
json=forecast_request,
headers={"Content-Type": "application/json"}
)
if response.status_code == 200:
data = response.json()
print("β
Forecast endpoint passed!")
print(f" Models used: {len(data.get('models_used', []))}")
print(f" Forecast data points: {len(data.get('forecast_data', []))}")
# Show sample forecast values
forecast_data = data.get('forecast_data', [])
if forecast_data:
print(f" Sample forecast: {forecast_data[0]}")
print(f" Total forecast points: {len(forecast_data)}")
return {"success": True, "data": data}
else:
return self._handle_api_error("Forecast endpoint", response)
except Exception as e:
return self._handle_api_error("Forecast endpoint", None, e)
def test_error_handling(self) -> Dict[str, Any]:
"""Test error handling with invalid data"""
print("π Testing error handling...")
# Test with invalid data
invalid_request = {
"product_id": "test_crop",
"historical_data": [], # Empty data should cause error
"days": 7, # API expects 'days' not 'forecast_horizon'
"models": ["SMA"]
}
try:
response = self.session.post(
f"{self.base_url}/forecast",
json=invalid_request,
headers={"Content-Type": "application/json"}
)
if response.status_code >= 400:
print("β
Error handling works correctly!")
print(f" Status: {response.status_code}")
try:
error_data = response.json()
print(f" Error message: {error_data.get('detail', 'Unknown error')}")
except:
print(f" Response: {response.text}")
return {"success": True, "status_code": response.status_code}
else:
print(f"β οΈ Expected error but got status {response.status_code}")
return {"success": False, "error": "Expected error response"}
except Exception as e:
return self._handle_api_error("Error handling test", None, e)
def run_all_tests(self) -> bool:
"""Run all API tests"""
print("π§ͺ Starting AgriPredict API Tests")
print("=" * 50)
# Wait a moment for service to be ready
print("β³ Waiting for service to be ready...")
time.sleep(3)
results = []
# Test health endpoint
health_result = self.test_health_endpoint()
results.append(health_result)
print()
# Test models endpoint
models_result = self.test_models_endpoint()
results.append(models_result)
print()
# Test forecast endpoint
forecast_result = self.test_forecast_endpoint()
results.append(forecast_result)
print()
# Test error handling
error_result = self.test_error_handling()
results.append(error_result)
print()
# Summary
print("=" * 50)
successful_tests = sum(1 for r in results if r["success"])
total_tests = len(results)
if successful_tests == total_tests:
print(f"π All tests passed! ({successful_tests}/{total_tests})")
return True
else:
print(f"β οΈ Some tests failed: {successful_tests}/{total_tests} passed")
for i, result in enumerate(results):
if not result["success"]:
print(f" - Test {i+1} failed: {result.get('error', 'Unknown error')}")
return False
def main():
"""Main function to run the tests"""
import argparse
parser = argparse.ArgumentParser(description="Test AgriPredict Analysis Service")
parser.add_argument("--url", default="http://localhost:7860",
help="Base URL of the service to test")
parser.add_argument("--wait", type=int, default=5,
help="Seconds to wait before starting tests")
args = parser.parse_args()
print(f"π§ͺ Testing service at: {args.url}")
if args.wait > 0:
print(f"β³ Waiting {args.wait} seconds for service to start...")
time.sleep(args.wait)
tester = APITester(args.url)
success = tester.run_all_tests()
exit(0 if success else 1)
if __name__ == "__main__":
main()
|