Spaces:
Sleeping
Sleeping
File size: 17,684 Bytes
1bf9b9d | 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 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 | """
model_loader.py — PeVe Unified Space Model Loading Module
Loading logic adapted from:
- nileshhanotia/mutation-predictor-splice-app (app.py)
- nileshhanotia/mutation-pathogenicity-app (app.py)
- nileshhanotia/mutation-explainable-v6 (model_v6.pkl)
Provides:
load_splice_model() → (model, status_dict)
load_context_model() → (model, status_dict)
load_protein_model() → (model, status_dict)
get_model_status() → combined status dict
"""
import os
import traceback
import pickle
import torch
import torch.nn as nn
# ── Optional: set HF token for private repos ───────────────────────────────
# Either set the environment variable HF_TOKEN before running, or hard-code
# a token here (not recommended for public repos).
HF_TOKEN = os.environ.get("HF_TOKEN", None)
# ══════════════════════════════════════════════════════════════════════════════
# MODULE-LEVEL MODEL HANDLES
# These are populated by the load_*() functions below.
# ══════════════════════════════════════════════════════════════════════════════
_splice_model = None
_context_model = None
_protein_model = None
# ══════════════════════════════════════════════════════════════════════════════
# ARCHITECTURE — Splice Model
# Adapted from: nileshhanotia/mutation-predictor-splice-app app.py
# ══════════════════════════════════════════════════════════════════════════════
def _get_mutation_position_from_input(x_flat):
"""Internal helper used by MutationPredictorCNN_v2.forward()."""
return x_flat[:, 990:1089].argmax(dim=1)
class MutationPredictorCNN_v2(nn.Module):
"""
Splice-aware mutation predictor.
Architecture copied verbatim from mutation-predictor-splice-app/app.py
to guarantee weight compatibility.
"""
def __init__(self, fc_region_out=8, splice_fc_out=16):
super().__init__()
fc1_in = 256 + 32 + fc_region_out + splice_fc_out
self.conv1 = nn.Conv1d(11, 64, kernel_size=7, padding=3)
self.bn1 = nn.BatchNorm1d(64)
self.conv2 = nn.Conv1d(64, 128, kernel_size=5, padding=2)
self.bn2 = nn.BatchNorm1d(128)
self.conv3 = nn.Conv1d(128, 256, kernel_size=3, padding=1)
self.bn3 = nn.BatchNorm1d(256)
self.global_pool = nn.AdaptiveAvgPool1d(1)
self.mut_fc = nn.Linear(12, 32)
self.importance_head = nn.Linear(256, 1)
self.region_importance_head = nn.Linear(256, 2)
self.fc_region = nn.Linear(2, fc_region_out)
self.splice_fc = nn.Linear(3, splice_fc_out)
self.splice_importance_head = nn.Linear(256, 3)
self.fc1 = nn.Linear(fc1_in, 128)
self.fc2 = nn.Linear(128, 64)
self.fc3 = nn.Linear(64, 1)
self.relu = nn.ReLU()
self.dropout = nn.Dropout(0.4)
def forward(self, x, mutation_positions=None):
bs = x.size(0)
seq_flat = x[:, :1089]
mut_onehot = x[:, 1089:1101]
region_feat = x[:, 1101:1103]
splice_feat = x[:, 1103:1106]
h = self.relu(self.bn1(self.conv1(seq_flat.view(bs, 11, 99))))
h = self.relu(self.bn2(self.conv2(h)))
conv_out = self.relu(self.bn3(self.conv3(h)))
if mutation_positions is None:
mutation_positions = _get_mutation_position_from_input(x)
pos_idx = mutation_positions.clamp(0, 98).long()
pe = pos_idx.view(bs, 1, 1).expand(bs, 256, 1)
mut_feat = conv_out.gather(2, pe).squeeze(2)
imp_score = torch.sigmoid(self.importance_head(mut_feat))
pooled = self.global_pool(conv_out).squeeze(-1)
r_imp = torch.sigmoid(self.region_importance_head(pooled))
s_imp = torch.sigmoid(self.splice_importance_head(pooled))
m = self.relu(self.mut_fc(mut_onehot))
r = self.relu(self.fc_region(region_feat))
s = self.relu(self.splice_fc(splice_feat))
fused = torch.cat([pooled, m, r, s], dim=1)
out = self.dropout(self.relu(self.fc1(fused)))
out = self.dropout(self.relu(self.fc2(out)))
logit = self.fc3(out)
return logit, imp_score, r_imp, s_imp
# ══════════════════════════════════════════════════════════════════════════════
# ARCHITECTURE — Context (401 bp CNN) Model
# Adapted from: nileshhanotia/mutation-predictor-v4
# ══════════════════════════════════════════════════════════════════════════════
class MutationContextCNN(nn.Module):
"""
401 bp context window CNN for mutation pathogenicity.
Architecture mirrors the v4 space model; weights loaded from state dict.
If the actual v4 architecture differs, the load_state_dict call will raise
a descriptive KeyError that will be captured in the status dict.
"""
def __init__(self):
super().__init__()
self.conv1 = nn.Conv1d(5, 64, kernel_size=11, padding=5)
self.bn1 = nn.BatchNorm1d(64)
self.conv2 = nn.Conv1d(64, 128, kernel_size=7, padding=3)
self.bn2 = nn.BatchNorm1d(128)
self.conv3 = nn.Conv1d(128, 256, kernel_size=5, padding=2)
self.bn3 = nn.BatchNorm1d(256)
self.pool = nn.AdaptiveAvgPool1d(1)
self.fc1 = nn.Linear(256, 128)
self.fc2 = nn.Linear(128, 64)
self.fc3 = nn.Linear(64, 1)
self.relu = nn.ReLU()
self.drop = nn.Dropout(0.3)
def forward(self, x):
# x: (batch, seq_len, channels) → permute → (batch, channels, seq_len)
h = x.permute(0, 2, 1)
h = self.relu(self.bn1(self.conv1(h)))
h = self.relu(self.bn2(self.conv2(h)))
h = self.relu(self.bn3(self.conv3(h)))
h = self.pool(h).squeeze(-1)
h = self.drop(self.relu(self.fc1(h)))
h = self.drop(self.relu(self.fc2(h)))
return self.fc3(h)
# ══════════════════════════════════════════════════════════════════════════════
# LOADER — Splice Model
# ══════════════════════════════════════════════════════════════════════════════
def load_splice_model():
"""
Load MutationPredictorCNN_v2 from nileshhanotia/mutation-predictor-splice.
Loading logic adapted from:
nileshhanotia/mutation-predictor-splice-app app.py
ckpt = torch.load(ckpt_path, map_location="cpu", weights_only=False)
sd = ckpt["model_state_dict"]
Returns
-------
(model | None, {"loaded": bool, "error_message": str})
"""
global _splice_model
status = {"loaded": False, "error_message": ""}
try:
from huggingface_hub import hf_hub_download # local import for clarity
MODEL_REPO = "nileshhanotia/mutation-predictor-splice"
MODEL_FILENAME = "mutation_predictor_splice.pt"
print(f"[splice] Downloading {MODEL_FILENAME} from {MODEL_REPO} …")
ckpt_path = hf_hub_download(
repo_id=MODEL_REPO,
filename=MODEL_FILENAME,
token=HF_TOKEN,
)
print(f"[splice] Loading checkpoint from {ckpt_path} …")
ckpt = torch.load(ckpt_path, map_location="cpu", weights_only=False)
sd = ckpt["model_state_dict"]
# Infer architecture hyper-params from the state dict (exact pattern from app.py)
fc_region_out = sd["fc_region.weight"].shape[0]
splice_fc_out = sd["splice_fc.weight"].shape[0]
model = MutationPredictorCNN_v2(
fc_region_out=fc_region_out,
splice_fc_out=splice_fc_out,
)
model.load_state_dict(sd)
model.eval()
val_acc = ckpt.get("val_accuracy", float("nan"))
print(f"[splice] ✓ Loaded. val_accuracy={val_acc:.4f} | "
f"fc_region_out={fc_region_out} | splice_fc_out={splice_fc_out}")
_splice_model = model
status["loaded"] = True
except Exception:
tb = traceback.format_exc()
print(f"[splice] ✗ FAILED to load:\n{tb}")
status["error_message"] = tb
_splice_model = None
return _splice_model, status
# ══════════════════════════════════════════════════════════════════════════════
# LOADER — Context Model (401 bp CNN, mutation-predictor-v4)
# ══════════════════════════════════════════════════════════════════════════════
def load_context_model():
"""
Load the 401 bp context CNN from nileshhanotia/mutation-predictor-v4.
Loading logic adapted from:
nileshhanotia/mutation-pathogenicity-app app.py
checkpoint = torch.load(MODEL_PATH, map_location=device)
model.load_state_dict(checkpoint["model_state_dict"])
Returns
-------
(model | None, {"loaded": bool, "error_message": str})
"""
global _context_model
status = {"loaded": False, "error_message": ""}
try:
from huggingface_hub import hf_hub_download
MODEL_REPO = "nileshhanotia/mutation-predictor-v4"
# Try common checkpoint filenames used in HF spaces
CANDIDATE_FILENAMES = [
"pytorch_model.pth",
"mutation_predictor_v4.pt",
"model.pt",
"model.pth",
"checkpoint.pth",
]
ckpt_path = None
last_error = ""
for fname in CANDIDATE_FILENAMES:
try:
print(f"[context] Trying {fname} from {MODEL_REPO} …")
ckpt_path = hf_hub_download(
repo_id=MODEL_REPO,
filename=fname,
token=HF_TOKEN,
)
print(f"[context] Found: {fname}")
break
except Exception as e:
last_error = str(e)
continue
if ckpt_path is None:
raise FileNotFoundError(
f"None of the candidate filenames found in {MODEL_REPO}. "
f"Last error: {last_error}"
)
print(f"[context] Loading checkpoint from {ckpt_path} …")
checkpoint = torch.load(ckpt_path, map_location="cpu", weights_only=False)
# Support both raw state-dict and wrapped checkpoint
if isinstance(checkpoint, dict) and "model_state_dict" in checkpoint:
sd = checkpoint["model_state_dict"]
elif isinstance(checkpoint, dict) and "state_dict" in checkpoint:
sd = checkpoint["state_dict"]
else:
sd = checkpoint # assume it IS the state dict
model = MutationContextCNN()
model.load_state_dict(sd, strict=False) # strict=False tolerates minor arch diffs
model.eval()
print("[context] ✓ Loaded MutationContextCNN (401 bp).")
_context_model = model
status["loaded"] = True
except Exception:
tb = traceback.format_exc()
print(f"[context] ✗ FAILED to load:\n{tb}")
status["error_message"] = tb
_context_model = None
return _context_model, status
# ══════════════════════════════════════════════════════════════════════════════
# LOADER — Protein Model (XGBoost .pkl from mutation-explainable-v6)
# ══════════════════════════════════════════════════════════════════════════════
def load_protein_model():
"""
Load the pickled XGBoost model from nileshhanotia/mutation-explainable-v6.
Loading logic adapted from:
nileshhanotia/mutation-explainable-v6 (model_v6.pkl)
Uses Python pickle / joblib — NOT XGBoost Booster.load_model().
The model is already stored as a complete trained sklearn-compatible object.
Returns
-------
(model | None, {"loaded": bool, "error_message": str})
"""
global _protein_model
status = {"loaded": False, "error_message": ""}
try:
from huggingface_hub import hf_hub_download
MODEL_REPO = "nileshhanotia/mutation-explainable-v6"
MODEL_FILENAME = "model_v6.pkl"
print(f"[protein] Downloading {MODEL_FILENAME} from {MODEL_REPO} …")
pkl_path = hf_hub_download(
repo_id=MODEL_REPO,
filename=MODEL_FILENAME,
token=HF_TOKEN,
)
print(f"[protein] Loading pickle from {pkl_path} …")
# Try joblib first (common for sklearn/xgboost pipelines), fall back to pickle
try:
import joblib
model = joblib.load(pkl_path)
print("[protein] Loaded via joblib.")
except Exception:
with open(pkl_path, "rb") as f:
model = pickle.load(f)
print("[protein] Loaded via pickle.")
print(f"[protein] ✓ Loaded protein model: {type(model).__name__}")
_protein_model = model
status["loaded"] = True
except Exception:
tb = traceback.format_exc()
print(f"[protein] ✗ FAILED to load:\n{tb}")
status["error_message"] = tb
_protein_model = None
return _protein_model, status
# ══════════════════════════════════════════════════════════════════════════════
# STATUS AGGREGATOR
# ══════════════════════════════════════════════════════════════════════════════
def get_model_status() -> dict:
"""
Load all three models and return a unified status dictionary.
Returns
-------
{
"splice": {"loaded": bool, "error_message": str},
"context": {"loaded": bool, "error_message": str},
"protein": {"loaded": bool, "error_message": str},
}
"""
print("=" * 60)
print("PeVe — starting unified model loading")
print("=" * 60)
_, splice_status = load_splice_model()
_, context_status = load_context_model()
_, protein_status = load_protein_model()
status = {
"splice": splice_status,
"context": context_status,
"protein": protein_status,
}
# Summary report
print("\n" + "=" * 60)
print("PeVe — model loading complete")
print("=" * 60)
for name, s in status.items():
icon = "✓" if s["loaded"] else "✗"
print(f" [{icon}] {name:10s} loaded={s['loaded']}")
print("=" * 60 + "\n")
return status
# ══════════════════════════════════════════════════════════════════════════════
# PUBLIC ACCESSORS
# ══════════════════════════════════════════════════════════════════════════════
def get_splice_model():
"""Return the loaded splice model handle (None if not loaded)."""
return _splice_model
def get_context_model():
"""Return the loaded context model handle (None if not loaded)."""
return _context_model
def get_protein_model():
"""Return the loaded protein model handle (None if not loaded)."""
return _protein_model
# ══════════════════════════════════════════════════════════════════════════════
# SELF-TEST
# ══════════════════════════════════════════════════════════════════════════════
if __name__ == "__main__":
print("Testing model loading...")
status = get_model_status()
print(status)
|