Spaces:
Sleeping
Sleeping
File size: 6,007 Bytes
33ad2a3 8a95327 | 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 | ############################ HuggingFace + GitHub ###############################
from fastapi import FastAPI, HTTPException
from pydantic import BaseModel
import joblib
import numpy as np
import requests
import tempfile
import os
from fastapi.middleware.cors import CORSMiddleware
app = FastAPI(title="ML Model API", version="1.0.0")
# Add CORS middleware - THIS IS CRITICAL FOR HUGGING FACE
app.add_middleware(
CORSMiddleware,
allow_origins=["*"], # Allows all origins
allow_credentials=True,
allow_methods=["*"], # Allows all methods
allow_headers=["*"], # Allows all headers
)
# GitHub raw content URLs - using YOUR actual GitHub repository
GITHUB_MODEL_URL = "https://raw.githubusercontent.com/SagarChhabriya/ml-model-api/main/model/model.joblib"
GITHUB_FEATURES_URL = "https://raw.githubusercontent.com/SagarChhabriya/ml-model-api/main/model/feature_names.joblib"
# Load model from GitHub
def load_model_from_github():
try:
print("π₯ Downloading model from GitHub...")
# Download model file
model_response = requests.get(GITHUB_MODEL_URL)
model_response.raise_for_status() # Raise error if download fails
# Download feature names file
features_response = requests.get(GITHUB_FEATURES_URL)
features_response.raise_for_status()
# Save to temporary files
with tempfile.NamedTemporaryFile(delete=False, suffix='.joblib') as model_tmp:
model_tmp.write(model_response.content)
model_path = model_tmp.name
with tempfile.NamedTemporaryFile(delete=False, suffix='.joblib') as features_tmp:
features_tmp.write(features_response.content)
features_path = features_tmp.name
# Load the files
model = joblib.load(model_path)
feature_names = joblib.load(features_path)
# Clean up temporary files
os.unlink(model_path)
os.unlink(features_path)
print("β
Model loaded successfully from GitHub!")
print(f"π Model type: {type(model).__name__}")
print(f"π Features: {feature_names}")
return model, feature_names
except Exception as e:
print(f"β Error loading from GitHub: {e}")
return None, []
# Load model on startup
model, feature_names = load_model_from_github()
# Define input schema
class PredictionInput(BaseModel):
sepal_length: float
sepal_width: float
petal_length: float
petal_width: float
class BatchPredictionInput(BaseModel):
data: list[list[float]]
@app.get("/")
async def root():
return {
"message": "ML Model API deployed on Hugging Face Spaces! π",
"endpoints": {
"health": "/health",
"single_prediction": "/predict",
"batch_prediction": "/predict-batch",
"model_info": "/model-info",
"docs": "/docs"
},
"model_loaded": model is not None,
"model_source": "GitHub"
}
@app.get("/health")
async def health_check():
return {
"status": "healthy" if model else "unhealthy",
"model_loaded": model is not None,
"model_type": "RandomForestClassifier" if model else "None"
}
@app.get("/model-info")
async def model_info():
if not model:
raise HTTPException(status_code=500, detail="Model not loaded")
return {
"model_type": str(type(model).__name__),
"feature_names": feature_names,
"n_features": len(feature_names),
"n_classes": getattr(model, 'n_classes_', 'Unknown')
}
@app.post("/predict")
async def predict_single(input_data: PredictionInput):
if not model:
raise HTTPException(status_code=500, detail="Model not loaded")
try:
# Convert input to array
features = np.array([
input_data.sepal_length,
input_data.sepal_width,
input_data.petal_length,
input_data.petal_width
]).reshape(1, -1)
# Make prediction
prediction = model.predict(features)
probabilities = model.predict_proba(features)
return {
"prediction": int(prediction[0]),
"probabilities": probabilities[0].tolist(),
"class_names": ["setosa", "versicolor", "virginica"],
"input_features": input_data.dict()
}
except Exception as e:
raise HTTPException(status_code=400, detail=f"Prediction error: {str(e)}")
@app.post("/predict-batch")
async def predict_batch(input_data: BatchPredictionInput):
if not model:
raise HTTPException(status_code=500, detail="Model not loaded")
try:
# Convert to numpy array
features = np.array(input_data.data)
# Validate input shape
if features.shape[1] != len(feature_names):
raise HTTPException(
status_code=400,
detail=f"Expected {len(feature_names)} features, got {features.shape[1]}"
)
# Make predictions
predictions = model.predict(features)
probabilities = model.predict_proba(features)
return {
"predictions": predictions.tolist(),
"probabilities": probabilities.tolist(),
"batch_size": len(predictions)
}
except Exception as e:
raise HTTPException(status_code=400, detail=f"Batch prediction error: {str(e)}")
@app.get("/debug")
async def debug():
"""Debug endpoint to check model loading status"""
return {
"model_loaded": model is not None,
"features_loaded": len(feature_names) > 0 if feature_names else False,
"feature_names": feature_names if feature_names else "Not loaded",
"model_type": str(type(model).__name__) if model else "Not loaded",
"github_model_url": GITHUB_MODEL_URL,
"github_features_url": GITHUB_FEATURES_URL
} |