Spaces:
Running
Running
File size: 10,505 Bytes
0024d0e 5e4e50b 0024d0e 5e4e50b 0024d0e 5e4e50b 1b20033 5e4e50b 0024d0e 5e4e50b 0024d0e |
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 |
import sys
from pathlib import Path
from typing import List, Dict, Any
ROOT = Path(__file__).parent
sys.path.insert(0, str(ROOT))
import gradio as gr
from fastapi import FastAPI, HTTPException
from pydantic import BaseModel, Field
import numpy as np
from src import EnhancedFeatureExtractor, Tox21Ensemble
TASKS = [
"NR-AR", "NR-AR-LBD", "NR-AhR", "NR-Aromatase", "NR-ER", "NR-ER-LBD",
"NR-PPAR-gamma", "SR-ARE", "SR-ATAD5", "SR-HSE", "SR-MMP", "SR-p53"
]
TASK_DESCRIPTIONS = {
"NR-AR": "Androgen Receptor",
"NR-AR-LBD": "Androgen Receptor LBD",
"NR-AhR": "Aryl Hydrocarbon Receptor",
"NR-Aromatase": "Aromatase (CYP19A1)",
"NR-ER": "Estrogen Receptor",
"NR-ER-LBD": "Estrogen Receptor LBD",
"NR-PPAR-gamma": "PPARγ",
"SR-ARE": "Antioxidant Response",
"SR-ATAD5": "DNA Damage (ATAD5)",
"SR-HSE": "Heat Shock Response",
"SR-MMP": "Mitochondrial Toxicity",
"SR-p53": "Genotoxicity (p53)"
}
FEATURE_KEYS = [
"ecfps", "maccs", "rdkit_descrs", "tox", "rdkit_filters",
"similarity", "max_similarity", "db_similarity"
]
MAX_BATCH_SIZE = 256
print("Loading model...")
extractor = EnhancedFeatureExtractor(
toxicophores_path=ROOT / "data" / "toxicophores_validated.json",
db_ligands_path=ROOT / "data" / "target_ligands_validated.json",
)
ensemble = Tox21Ensemble(ROOT / "checkpoints" / "ensemble.pt")
print("Model loaded successfully!")
def predict_toxicity(smiles_input: str) -> tuple:
if not smiles_input.strip():
return None, "Please enter at least one SMILES"
lines = [s.strip() for s in smiles_input.strip().split('\n') if s.strip()]
if len(lines) > 100:
return None, "Maximum 100 molecules per request"
try:
features_dict, valid = extractor.extract_features(lines)
features = np.concatenate(
[features_dict[k] for k in FEATURE_KEYS if k in features_dict],
axis=1
)
features = np.nan_to_num(features, nan=0.0, posinf=0.0, neginf=0.0)
probs = ensemble.predict(features)
results = []
for i, smi in enumerate(lines):
if valid[i]:
row = {"SMILES": smi[:50] + "..." if len(smi) > 50 else smi}
for j, task in enumerate(TASKS):
score = float(probs[i, j])
row[task] = f"{score:.1%}"
results.append(row)
else:
row = {"SMILES": smi[:50] + "..." if len(smi) > 50 else smi}
for task in TASKS:
row[task] = "Invalid"
results.append(row)
import pandas as pd
df = pd.DataFrame(results)
return df, f"Processed {len(lines)} molecule(s)"
except Exception as e:
return None, f"Error: {str(e)}"
def predict_single(smiles: str) -> str:
if not smiles.strip():
return "Enter a SMILES string"
try:
features_dict, valid = extractor.extract_features([smiles])
if not valid[0]:
return "Invalid SMILES structure"
features = np.concatenate(
[features_dict[k] for k in FEATURE_KEYS if k in features_dict],
axis=1
)
features = np.nan_to_num(features, nan=0.0, posinf=0.0, neginf=0.0)
probs = ensemble.predict(features)
lines = []
lines.append("═" * 45)
lines.append(" TOXICITY PREDICTION RESULTS")
lines.append("═" * 45)
sorted_results = sorted(
[(task, float(probs[0, j])) for j, task in enumerate(TASKS)],
key=lambda x: -x[1]
)
for task, score in sorted_results:
desc = TASK_DESCRIPTIONS[task]
bar_len = int(score * 20)
bar = "█" * bar_len + "░" * (20 - bar_len)
if score >= 0.7:
risk = "HIGH"
elif score >= 0.4:
risk = "MED "
elif score >= 0.2:
risk = "LOW "
else:
risk = "MIN "
lines.append(f"{task:15} {bar} {score:5.1%} [{risk}]")
lines.append(f" └─ {desc}")
lines.append("═" * 45)
return "\n".join(lines)
except Exception as e:
return f"Error: {str(e)}"
EXAMPLES = [
["CCO"],
["CC(=O)Nc1ccc(O)cc1"],
["c1ccc2c(c1)cc3ccc4cccc5ccc2c3c45"],
["CC12CCC3C(C1CCC2O)CCC4=CC(=O)CCC34C"],
["CC12CCC3c4ccc(O)cc4CCC3C1CCC2O"],
]
with gr.Blocks(
title="Rasayan Tox21 Classifier",
theme=gr.themes.Soft()
) as demo:
gr.Markdown("""
# ☠️ Rasayan Tox21 Classifier
Predict molecular toxicity across **12 Tox21 endpoints** using a Self-Normalizing Neural Network ensemble.
| Model | Features | Training |
|-------|----------|----------|
| 10-fold SNN Ensemble | 11,377 molecular descriptors | 40-fold CV, AUC: 0.882 |
""")
with gr.Tabs():
with gr.TabItem("Single Molecule"):
with gr.Row():
with gr.Column(scale=1):
single_input = gr.Textbox(
label="SMILES",
placeholder="Enter SMILES (e.g., CCO for ethanol)",
lines=1
)
single_btn = gr.Button("Predict", variant="primary")
gr.Examples(
examples=EXAMPLES,
inputs=single_input,
label="Example Molecules"
)
with gr.Column(scale=2):
single_output = gr.Textbox(
label="Toxicity Profile",
lines=30
)
single_btn.click(
fn=predict_single,
inputs=single_input,
outputs=single_output
)
with gr.TabItem("Batch Processing"):
gr.Markdown("Enter multiple SMILES (one per line, max 100)")
batch_input = gr.Textbox(
label="SMILES List",
placeholder="CCO\nCC(=O)Nc1ccc(O)cc1\nc1ccccc1",
lines=5
)
batch_btn = gr.Button("Process Batch", variant="primary")
batch_status = gr.Textbox(label="Status", lines=1)
batch_output = gr.Dataframe(
label="Results",
wrap=True
)
batch_btn.click(
fn=predict_toxicity,
inputs=batch_input,
outputs=[batch_output, batch_status]
)
with gr.TabItem("About"):
gr.Markdown("""
## Model Architecture
**Self-Normalizing Neural Networks (SNNs)** with SELU activation and AlphaDropout.
| Component | Details |
|-----------|---------|
| Hidden Layers | 8 × 768 units |
| Activation | SELU |
| Dropout | AlphaDropout (0.1) |
| Ensemble | Top-10 from 40-fold CV |
| Parameters | ~19M total |
## Molecular Features (11,377 total)
| Feature | Dimensions | Description |
|---------|------------|-------------|
| ECFP6 | 8,192 | Morgan fingerprints (radius 3) |
| MACCS | 167 | Structural keys |
| RDKit | 208 | Physicochemical descriptors |
| Toxicophores | 1,868 | Toxicity structural alerts |
| Filters | 815 | PAINS, BRENK, NIH, ZINC |
| Similarity | 127 | Target ligand similarity |
## Tox21 Endpoints
### Nuclear Receptor Panel
- **NR-AR**: Androgen Receptor
- **NR-AR-LBD**: AR Ligand Binding Domain
- **NR-AhR**: Aryl Hydrocarbon Receptor
- **NR-Aromatase**: CYP19A1 Enzyme
- **NR-ER**: Estrogen Receptor
- **NR-ER-LBD**: ER Ligand Binding Domain
- **NR-PPAR-gamma**: Peroxisome Proliferator-Activated Receptor
### Stress Response Panel
- **SR-ARE**: Antioxidant Response Element
- **SR-ATAD5**: DNA Damage Response
- **SR-HSE**: Heat Shock Element
- **SR-MMP**: Mitochondrial Membrane Potential
- **SR-p53**: Tumor Suppressor p53
## Risk Interpretation
| Score | Risk Level |
|-------|------------|
| < 20% | Minimal |
| 20-40% | Low |
| 40-70% | Moderate |
| ≥ 70% | High |
---
Built by [Rasayan Labs](https://rasayan.ai)
""")
gr.Markdown("""
---
**API Endpoints**: `/predict` (POST), `/metadata` (GET), `/health` (GET)
""")
app = FastAPI()
class PredictRequest(BaseModel):
smiles: List[str] = Field(..., min_length=1, max_length=1000)
class PredictResponse(BaseModel):
predictions: Dict[str, Dict[str, float]]
model_info: Dict[str, Any]
class MetadataResponse(BaseModel):
model_name: str
version: str
max_batch_size: int
tox_endpoints: List[str]
description: str
@app.get("/metadata", response_model=MetadataResponse)
def get_metadata():
return {
"model_name": "Rasayan Tox21 SNN Ensemble",
"version": "1.0.0",
"max_batch_size": MAX_BATCH_SIZE,
"tox_endpoints": TASKS,
"description": "10-fold ensemble of Self-Normalizing Neural Networks trained on Tox21 Challenge data. Features: ECFP6, MACCS, RDKit descriptors, toxicophores, and target similarity."
}
@app.post("/predict", response_model=PredictResponse)
def predict(request: PredictRequest):
smiles_list = request.smiles
if len(smiles_list) > 1000:
raise HTTPException(status_code=400, detail="Maximum 1000 SMILES per request")
if len(smiles_list) == 0:
raise HTTPException(status_code=400, detail="At least 1 SMILES required")
try:
features_dict, valid = extractor.extract_features(smiles_list)
features = np.concatenate(
[features_dict[k] for k in FEATURE_KEYS if k in features_dict],
axis=1
)
features = np.nan_to_num(features, nan=0.0, posinf=0.0, neginf=0.0)
probs = ensemble.predict(features)
predictions = {}
for i, smi in enumerate(smiles_list):
if valid[i]:
predictions[smi] = {
task: float(probs[i, j]) for j, task in enumerate(TASKS)
}
else:
predictions[smi] = {task: 0.5 for task in TASKS}
return {
"predictions": predictions,
"model_info": {
"name": "Rasayan Tox21 SNN Ensemble",
"version": "1.0.0"
}
}
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@app.get("/health")
def health():
return {"status": "ok"}
app = gr.mount_gradio_app(app, demo, path="/")
if __name__ == "__main__":
import uvicorn
uvicorn.run(app, host="0.0.0.0", port=7860)
|