Spaces:
Sleeping
Sleeping
File size: 12,489 Bytes
2f33c28 | 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 | """
train.py β Training Loop for BraTS2020 3D U-Net
=================================================
Connects dataset β model β loss β optimizer into a full training pipeline.
Run:
python train.py
Checkpoints saved to: checkpoints/best_model.pth
TensorBoard logs: checkpoints/logs/
"""
from dotenv import load_dotenv
import os
load_dotenv()
import torch
import torch.nn as nn
import torch.nn.functional as F
from torch.utils.data import DataLoader
from torch.optim import AdamW
from torch.optim.lr_scheduler import CosineAnnealingLR
from torch.utils.tensorboard import SummaryWriter
from pathlib import Path
import numpy as np
from dataset import BraTSDataset
from model import UNet3D
# βββ Config βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# All training hyperparameters in one place β easy to change without
# hunting through the code.
CONFIG = {
"data_root": os.getenv("DATA_ROOT"),
"output_dir": os.getenv("CHECKPOINT_PATH"),
"epochs": 110,
"batch_size": 1, # 1 is the max for 128Β³ on ~10GB VRAM
"lr": 1e-4, # AdamW learning rate
"num_workers": 2, # parallel data loading β set to 0 on Windows if errors
"base_filters": 32,
"depth": 4,
"seed": 42,
}
# βββ Loss Functions βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# DiceLoss: computed per tumor class independently β handles class imbalance.
# CombinedLoss: Dice + CrossEntropy equally weighted.
# Dice handles imbalance, CE provides stable per-voxel gradients.
class DiceLoss(nn.Module):
def __init__(self, smooth=1e-5):
super().__init__()
self.smooth = smooth
def forward(self, logits, targets):
# logits: (B, C, H, W, D) β raw model output
# targets: (B, H, W, D) β integer labels {0,1,2,3}
num_classes = logits.shape[1]
probs = F.softmax(logits, dim=1)
# One-hot encode targets: (B, H, W, D) β (B, C, H, W, D)
targets_oh = F.one_hot(targets.long(), num_classes)
targets_oh = targets_oh.permute(0, 4, 1, 2, 3).float()
# Skip class 0 (background) β we only care about tumor Dice
dice_scores = []
for c in range(1, num_classes):
p = probs[:, c]
t = targets_oh[:, c]
intersection = (p * t).sum()
dsc = (2 * intersection + self.smooth) / (p.sum() + t.sum() + self.smooth)
dice_scores.append(dsc)
# Return loss = 1 - mean Dice (minimizing loss = maximizing Dice)
return 1 - torch.stack(dice_scores).mean()
class CombinedLoss(nn.Module):
def __init__(self):
super().__init__()
self.dice = DiceLoss()
self.ce = nn.CrossEntropyLoss()
def forward(self, logits, targets):
return 0.5 * self.dice(logits, targets) + \
0.5 * self.ce(logits, targets.long())
# βββ BraTS Dice Metrics βββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Computes the three official BraTS evaluation region Dice scores.
# Called during validation β not used in the loss, only for monitoring.
#
# WT (Whole Tumor) = labels {1,2,3}
# TC (Tumor Core) = labels {1,3}
# ET (Enhancing) = label {3}
def compute_brats_dice(pred, target, smooth=1e-5):
# pred, target: (H, W, D) numpy arrays with values {0,1,2,3}
regions = {
"WT": (pred > 0, target > 0),
"TC": (np.isin(pred, [1, 3]), np.isin(target, [1, 3])),
"ET": (pred == 3, target == 3),
}
scores = {}
for name, (p, t) in regions.items():
intersection = (p & t).sum()
scores[name] = float(2 * intersection + smooth) / \
float(p.sum() + t.sum() + smooth)
return scores
# βββ Training Loop (one epoch) ββββββββββββββββββββββββββββββββββββββββββββββββ
# AMP (Automatic Mixed Precision): runs forward pass in float16 where safe,
# keeps weights in float32. Roughly 2Γ faster and halves VRAM usage.
# GradScaler prevents float16 underflow during backprop.
def train_one_epoch(model, loader, optimizer, criterion, scaler, device):
model.train()
total_loss = 0.0
for step, (images, masks) in enumerate(loader):
images = images.to(device, non_blocking=True)
masks = masks.to(device, non_blocking=True)
optimizer.zero_grad(set_to_none=True) # slightly faster than zero_grad()
with torch.amp.autocast("cuda"): # float16 forward pass
logits = model(images)
loss = criterion(logits, masks)
scaler.scale(loss).backward() # scaled backprop
scaler.unscale_(optimizer)
# Gradient clipping: prevents exploding gradients in deep 3D networks
torch.nn.utils.clip_grad_norm_(model.parameters(), max_norm=1.0)
scaler.step(optimizer)
scaler.update()
total_loss += loss.item()
if step % 10 == 0:
print(f" step {step:3d}/{len(loader)} loss: {loss.item():.4f}")
return total_loss / len(loader)
# βββ Validation Loop ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Runs inference on the val set with no gradients (torch.no_grad saves memory).
# Computes mean Dice across WT/TC/ET β this is what we save the best model on.
@torch.no_grad()
def validate(model, loader, criterion, device):
model.eval()
total_loss = 0.0
all_dice = {"WT": [], "TC": [], "ET": []}
for images, masks in loader:
images = images.to(device, non_blocking=True)
masks = masks.to(device, non_blocking=True)
with torch.amp.autocast("cuda"):
logits = model(images)
loss = criterion(logits, masks)
total_loss += loss.item()
# Argmax over class dim β predicted label map
pred = torch.argmax(logits, dim=1).cpu().numpy() # (B, H, W, D)
gt = masks.cpu().numpy() # (B, H, W, D)
# Compute BraTS Dice per sample in batch
for b in range(pred.shape[0]):
scores = compute_brats_dice(pred[b], gt[b])
for region, score in scores.items():
all_dice[region].append(score)
mean_dice = {r: float(np.mean(v)) for r, v in all_dice.items()}
mean_dice["mean"] = float(np.mean(list(mean_dice.values())))
return total_loss / len(loader), mean_dice
# βββ Main βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def main():
device = torch.device("cuda" if torch.cuda.is_available() else "cpu")
output_dir = Path(CONFIG["output_dir"])
output_dir.mkdir(parents=True, exist_ok=True)
print(f"Device: {device}")
print(f"Output dir: {output_dir}")
# ββ Data βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
train_ds = BraTSDataset(CONFIG["data_root"], split="train", seed=CONFIG["seed"])
val_ds = BraTSDataset(CONFIG["data_root"], split="val", seed=CONFIG["seed"])
train_loader = DataLoader(train_ds, batch_size=CONFIG["batch_size"],
shuffle=True, num_workers=CONFIG["num_workers"],
pin_memory=True)
val_loader = DataLoader(val_ds, batch_size=CONFIG["batch_size"],
shuffle=False, num_workers=CONFIG["num_workers"],
pin_memory=True)
print(f"Train: {len(train_ds)} cases | Val: {len(val_ds)} cases")
# ββ Model ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
model = UNet3D(in_channels=4, out_channels=4,
base_filters=CONFIG["base_filters"],
depth=CONFIG["depth"]).to(device)
print(f"Parameters: {model.count_parameters():,}")
# ββ Training components ββββββββββββββββββββββββββββββββββββββββββββββββββ
criterion = CombinedLoss()
# AdamW: Adam + weight decay. Weight decay regularizes weights,
# preventing overfitting on a 295-case dataset.
optimizer = AdamW(model.parameters(), lr=CONFIG["lr"], weight_decay=1e-5)
# CosineAnnealingLR: smoothly decays LR from lr β eta_min over all epochs.
# Avoids the sharp drops of step schedulers that can destabilize training.
scheduler = CosineAnnealingLR(optimizer, T_max=CONFIG["epochs"], eta_min=1e-6)
scaler = torch.amp.GradScaler("cuda") # for AMP
writer = SummaryWriter(output_dir / "logs") # TensorBoard
best_dice = 0.0
# ββ Resume from checkpoint ββββββββββββββββββββββββββββββββββββββββββββββββ
RESUME = "checkpoints/best_model.pth" # set to None to start fresh
start_epoch = 0
if RESUME and Path(RESUME).exists():
ckpt = torch.load(RESUME, map_location=device)
model.load_state_dict(ckpt["model_state_dict"])
optimizer.load_state_dict(ckpt["optimizer_state_dict"])
start_epoch = ckpt["epoch"] + 1
best_dice = ckpt["best_dice"]
print(f"Resumed from epoch {ckpt['epoch']} best Dice: {best_dice:.4f}")
# ββ Epoch loop βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
for epoch in range(start_epoch, CONFIG["epochs"]):
print(f"\nEpoch {epoch:03d}/{CONFIG['epochs']}")
train_loss = train_one_epoch(
model, train_loader, optimizer, criterion, scaler, device
)
val_loss, val_dice = validate(model, val_loader, criterion, device)
scheduler.step()
print(f" Train loss: {train_loss:.4f}")
print(f" Val loss: {val_loss:.4f}")
print(f" Val Dice β WT: {val_dice['WT']:.3f} "
f"TC: {val_dice['TC']:.3f} "
f"ET: {val_dice['ET']:.3f} "
f"Mean: {val_dice['mean']:.3f}")
# TensorBoard logging β run: tensorboard --logdir checkpoints/logs
writer.add_scalar("Loss/train", train_loss, epoch)
writer.add_scalar("Loss/val", val_loss, epoch)
for region, score in val_dice.items():
writer.add_scalar(f"Dice/{region}", score, epoch)
writer.add_scalar("LR", scheduler.get_last_lr()[0], epoch)
# Save best model based on mean val Dice across WT/TC/ET
if val_dice["mean"] > best_dice:
best_dice = val_dice["mean"]
torch.save({
"epoch": epoch,
"model_state_dict": model.state_dict(),
"optimizer_state_dict": optimizer.state_dict(),
"val_dice": val_dice,
"best_dice": best_dice,
"config": CONFIG,
}, output_dir / "best_model.pth")
print(f" β
Best model saved (mean Dice: {best_dice:.4f})")
# Periodic checkpoint every 50 epochs β lets you resume if training crashes
if epoch % 50 == 0:
torch.save({
"epoch": epoch,
"model_state_dict": model.state_dict(),
}, output_dir / f"epoch_{epoch:03d}.pth")
writer.close()
print(f"\nTraining complete. Best mean Dice: {best_dice:.4f}")
if __name__ == "__main__":
main() |