Spaces:
Running
Running
File size: 10,640 Bytes
10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e adb1139 12ced5c adb1139 12ced5c adb1139 12ced5c adb1139 12ced5c adb1139 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 10b056e 78aa842 adb1139 | 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 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 | """
model_loader.py
Downloads models from HuggingFace repos, caches them, runs inference.
IMPORTANT: Uses exact same architecture + transforms as Colab training code.
"""
import os
import numpy as np
from PIL import Image
from huggingface_hub import hf_hub_download
CACHE_DIR = "/app/model_cache"
os.makedirs(CACHE_DIR, exist_ok=True)
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# PNEUMONIA β Keras .h5
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
PNEUMO_REPO = "SaswatML123/PneuModel"
PNEUMO_FILE = "pneumodel.h5"
PNEUMO_SIZE = (224, 224)
_pneumo_model = None
def _download(repo, filename):
local = os.path.join(CACHE_DIR, filename)
if os.path.exists(local):
print(f"[Cache] {filename}")
return local
print(f"[HuggingFace] Downloading {filename}...")
return hf_hub_download(repo_id=repo, filename=filename, local_dir=CACHE_DIR)
def load_pneumo_model():
global _pneumo_model
if _pneumo_model is not None:
return
import tensorflow as tf
path = _download(PNEUMO_REPO, PNEUMO_FILE)
print("[Pneumonia] Loading...")
_pneumo_model = tf.keras.models.load_model(path)
print("[Pneumonia] β Ready")
def predict_pneumonia(image: Image.Image) -> dict:
load_pneumo_model()
img = image.convert("RGB").resize(PNEUMO_SIZE)
arr = np.array(img, dtype=np.float32) / 255.0
arr = np.expand_dims(arr, axis=0)
preds = _pneumo_model.predict(arr, verbose=0)
if preds.shape[-1] == 1:
pneumonia_prob = float(preds[0][0])
normal_prob = 1.0 - pneumonia_prob
else:
normal_prob = float(preds[0][0])
pneumonia_prob = float(preds[0][1])
if pneumonia_prob >= 0.5:
label, confidence = "PNEUMONIA", pneumonia_prob
else:
label, confidence = "NORMAL", normal_prob
return {
"label": label,
"confidence": round(confidence, 4),
"probabilities": {
"NORMAL": round(normal_prob, 4),
"PNEUMONIA": round(pneumonia_prob, 4),
},
}
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# SKIN CANCER β exact same architecture as Colab training
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
SKIN_REPO = "SaswatML123/Skin_cancer_detection"
SKIN_FILES = {
"efficientnetv2m": ("model1_efficientnetv2m.pth", "tf_efficientnetv2_m"),
"efficientnetv2s": ("model2_efficientnetv2s.pth", "tf_efficientnetv2_s"),
"convnext": ("model3_convnext.pth", "convnext_base"),
}
# Alphabetical sorted order β matches CLASS_NAMES = sorted(df['dx'].unique())
SKIN_CLASSES = [
"Actinic Keratoses", # akiec β index 0
"Basal Cell Carcinoma", # bcc β index 1
"Benign Keratosis", # bkl β index 2
"Dermatofibroma", # df β index 3
"Melanoma", # mel β index 4
"Melanocytic Nevi", # nv β index 5
"Vascular Lesions", # vasc β index 6
]
NUM_SKIN_CLASSES = len(SKIN_CLASSES)
_skin_models = []
SKIN_TRANSFORM = None
# ββ Exact replica of Colab SkinCancerModel ββββββββββββββββββββββββββββββββββββ
def _build_skin_model(model_name: str):
import torch
import torch.nn as nn
import torch.nn.functional as F
import timm
class GeM(nn.Module):
def __init__(self, p=3, eps=1e-6):
super().__init__()
self.p = nn.Parameter(torch.ones(1) * p)
self.eps = eps
def forward(self, x):
return F.avg_pool2d(
x.clamp(min=self.eps).pow(self.p),
(x.size(-2), x.size(-1))
).pow(1.0 / self.p)
class SkinCancerModel(nn.Module):
def __init__(self, num_classes=7, model_name='tf_efficientnetv2_m',
pretrained=False, drop_rate=0.3):
super().__init__()
self.backbone = timm.create_model(
model_name, pretrained=pretrained,
num_classes=0, global_pool='', drop_rate=drop_rate
)
in_features = self.backbone.num_features
self.pool = GeM()
self.head = nn.Sequential(
nn.Flatten(),
nn.Linear(in_features, 512),
nn.BatchNorm1d(512),
nn.SiLU(),
nn.Dropout(drop_rate),
nn.Linear(512, num_classes)
)
def forward(self, x):
return self.head(self.pool(self.backbone(x)))
return SkinCancerModel(
num_classes=NUM_SKIN_CLASSES,
model_name=model_name,
pretrained=False
)
def load_skin_models():
global _skin_models, SKIN_TRANSFORM
if _skin_models:
return
import torch
import albumentations as A
from albumentations.pytorch import ToTensorV2
# Exact same transforms as Colab get_val_transforms(300)
_albu_transform = A.Compose([
A.Resize(height=300, width=300),
A.Normalize(mean=[0.485, 0.456, 0.406], std=[0.229, 0.224, 0.225]),
ToTensorV2(),
])
# Store as a wrapper function
def transform_fn(pil_img):
img_np = np.array(pil_img.convert("RGB"))
return _albu_transform(image=img_np)["image"].unsqueeze(0)
global SKIN_TRANSFORM
SKIN_TRANSFORM = transform_fn
device = torch.device("cpu")
for arch, (filename, model_name) in SKIN_FILES.items():
path = _download(SKIN_REPO, filename)
model = _build_skin_model(model_name)
checkpoint = torch.load(path, map_location=device)
if isinstance(checkpoint, dict) and "model_state_dict" in checkpoint:
model.load_state_dict(checkpoint["model_state_dict"])
else:
model.load_state_dict(checkpoint)
model.eval()
_skin_models.append(model)
print(f"[Skin] β {arch}")
print(f"[Skin] Ensemble ready β {len(_skin_models)} models")
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# DIABETES β Keras ANN
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
DIABETES_REPO = "SaswatML123/DiabetesModel"
DIABETES_MODEL_FILE = "diabetes_model.h5"
DIABETES_SCALER_FILE = "diabetes_scaler.json"
DIABETES_FEATURE_COLS = [
"Pregnancies", "Glucose", "BloodPressure", "SkinThickness",
"Insulin", "BMI", "DiabetesPedigreeFunction", "Age"
]
_diabetes_model = None
_diabetes_scaler = None
def _build_diabetes_model():
import tensorflow as tf
from tensorflow.keras import layers
model = tf.keras.Sequential([
layers.Input(shape=(8,)),
layers.Dense(256),
layers.BatchNormalization(),
layers.Activation("relu"),
layers.Dropout(0.3),
layers.Dense(128),
layers.BatchNormalization(),
layers.Activation("relu"),
layers.Dropout(0.3),
layers.Dense(64),
layers.BatchNormalization(),
layers.Activation("relu"),
layers.Dropout(0.2),
layers.Dense(32),
layers.Activation("relu"),
layers.Dense(1, activation="sigmoid")
])
return model
def load_diabetes_model():
global _diabetes_model, _diabetes_scaler
if _diabetes_model is not None:
return
import json
import tensorflow as tf
print("[Diabetes] Loading model...")
model_path = _download(DIABETES_REPO, DIABETES_MODEL_FILE)
scaler_path = _download(DIABETES_REPO, DIABETES_SCALER_FILE)
_diabetes_model = _build_diabetes_model()
_diabetes_model.load_weights(model_path)
with open(scaler_path) as f:
params = json.load(f)
_diabetes_scaler = {
"mean": np.array(params["mean"]),
"scale": np.array(params["scale"]),
}
print("[Diabetes] β Ready")
def predict_diabetes(input_data: dict) -> dict:
load_diabetes_model()
# Map frontend keys to training feature names
key_map = {
"pregnancies": "Pregnancies",
"glucose": "Glucose",
"blood_pressure": "BloodPressure",
"skin_thickness": "SkinThickness",
"insulin": "Insulin",
"bmi": "BMI",
"diabetes_pedigree": "DiabetesPedigreeFunction",
"age": "Age",
}
arr = np.array([[
float(input_data[k]) for k in key_map.keys()
]], dtype=np.float32)
# Scale using saved scaler params
arr = (arr - _diabetes_scaler["mean"]) / _diabetes_scaler["scale"]
prob = float(_diabetes_model.predict(arr, verbose=0)[0][0])
return {
"label": "DIABETIC" if prob >= 0.5 else "NON-DIABETIC",
"confidence": round(prob if prob >= 0.5 else 1 - prob, 4),
"probabilities": {
"NON-DIABETIC": round(1 - prob, 4),
"DIABETIC": round(prob, 4),
},
}
def predict_skin(image: Image.Image) -> dict:
import torch
import torch.nn.functional as F
load_skin_models()
img_t = SKIN_TRANSFORM(image) # (1, 3, 300, 300)
all_probs = []
with torch.no_grad():
for model in _skin_models:
logits = model(img_t)
probs = F.softmax(logits, dim=1).squeeze().numpy()
all_probs.append(probs)
avg = np.mean(all_probs, axis=0)
top = int(np.argmax(avg))
return {
"label": SKIN_CLASSES[top],
"confidence": round(float(avg[top]), 4),
"probabilities": {c: round(float(p), 4) for c, p in zip(SKIN_CLASSES, avg)},
"model_count": len(_skin_models),
} |