Spaces:
Sleeping
Sleeping
File size: 17,844 Bytes
389776b 681e9b3 bff8c75 681e9b3 bff8c75 681e9b3 bff8c75 681e9b3 bff8c75 681e9b3 bff8c75 681e9b3 bff8c75 681e9b3 bff8c75 681e9b3 bff8c75 681e9b3 bff8c75 681e9b3 bff8c75 681e9b3 | 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 |
"""
================================================================================
VERIDEX β DeepFake Worker Space (Generic Template)
βββββββββββββββββββββββββββββββββββββββββββββββββββββ
DEPLOY INSTRUCTIONS β zero code changes between workers
ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
1. Commit this IDENTICAL app.py to all 7 Worker Spaces.
2. Upload each worker's .pt weight file to its Space's files tab.
3. In each Space β Settings β Variables, set:
WEIGHT_FILE = final_111_DeepFakeClassifier_tf_efficientnet_b7_ns_0_36
MODEL_CLASS = base # or srm / gwap (optional, default: base)
4. That's it. No code edits required.
API CONTRACT (called by the Master UI)
βββββββββββββββββββββββββββββββββββββββ
Input : a .npy file (uint8, shape [N, H, W, 3], HWC, 380Γ380)
Output : JSON { "predictions": [float, ...], "n_frames": int }
OR { "error": "...", "predictions": null }
GRADIO VERSION NOTE
ββββββββββββββββββββ
HF Spaces force-installs gradio==6.x at build time regardless of what
requirements.txt pins. This file targets Gradio 6:
β’ gr.File input passes a tempfile.SpooledTemporaryFile-backed object
with a .name attribute in Gradio 6 (not a plain string or dict).
β’ allow_flagging is removed (deprecated in Gradio 6; raises a warning
that can abort startup on strict HF runtime configs).
================================================================================
"""
import os
import io
import re
import traceback
import logging
import numpy as np
import torch
import torch.nn as nn
from torch.nn.modules.dropout import Dropout
from torch.nn.modules.linear import Linear
from torch.nn.modules.pooling import AdaptiveAvgPool2d
from torchvision.transforms import Normalize
from functools import partial
import gradio as gr
# ββ timm / efficientnet βββββββββββββββββββββββββββββββββββββββββββββββββββββββ
try:
from timm.models.efficientnet import tf_efficientnet_b7_ns
except ImportError:
# timm β₯ 0.9 moved the alias; fall back gracefully
import timm
tf_efficientnet_b7_ns = partial(timm.create_model, "tf_efficientnet_b7.ns_jft_in1k")
logging.basicConfig(level=logging.INFO, format="%(asctime)s [WORKER] %(levelname)s %(message)s")
logger = logging.getLogger(__name__)
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# βΆ ALL CONFIG IS VIA ENV VARS β set these in each Space's Settings β Variables
# WEIGHT_FILE : filename of the .pt checkpoint (no extension required)
# MODEL_CLASS : "base" | "srm" | "gwap" (default: base)
# MINI_BATCH : frames per forward pass (default: 8)
# WEIGHTS_DIR : directory containing the .pt file (default: repo root ".")
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
WEIGHT_FILE = os.environ.get(
"WEIGHT_FILE",
"final_777_DeepFakeClassifier_tf_efficientnet_b7_ns_0_29", # safe default
)
MODEL_CLASS = os.environ.get("MODEL_CLASS", "base") # "base" | "srm" | "gwap"
MINI_BATCH = int(os.environ.get("MINI_BATCH", "8")) # frames per forward pass
WEIGHTS_DIR = os.environ.get("WEIGHTS_DIR", ".") # dir that contains the .pt
# ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# ββ ImageNet normalisation ββββββββββββββββββββββββββββββββββββββββββββββββββββ
IMAGENET_MEAN = [0.485, 0.456, 0.406]
IMAGENET_STD = [0.229, 0.224, 0.225]
normalize_fn = Normalize(mean=IMAGENET_MEAN, std=IMAGENET_STD)
# ββ EfficientNet-B7 feature size ββββββββββββββββββββββββββββββββββββββββββββββ
ENCODER_FEATURES = 2560
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Model definitions (identical to deepfake_det.py so checkpoints load clean)
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _make_encoder():
return tf_efficientnet_b7_ns(pretrained=False, drop_path_rate=0.2)
def _setup_srm_weights(input_channels: int = 3) -> torch.Tensor:
srm_kernel = torch.from_numpy(np.array([
[[0.,0.,0.,0.,0.],[0.,0.,0.,0.,0.],[0.,1.,-2.,1.,0.],[0.,0.,0.,0.,0.],[0.,0.,0.,0.,0.]],
[[0.,0.,0.,0.,0.],[0.,-1.,2.,-1.,0.],[0.,2.,-4.,2.,0.],[0.,-1.,2.,-1.,0.],[0.,0.,0.,0.,0.]],
[[-1.,2.,-2.,2.,-1.],[2.,-6.,8.,-6.,2.],[-2.,8.,-12.,8.,-2.],[2.,-6.,8.,-6.,2.],[-1.,2.,-2.,2.,-1.]],
])).float()
srm_kernel[0] /= 2
srm_kernel[1] /= 4
srm_kernel[2] /= 12
return srm_kernel.view(3, 1, 5, 5).repeat(1, input_channels, 1, 1)
def _setup_srm_layer(input_channels: int = 3) -> nn.Module:
weights = _setup_srm_weights(input_channels)
conv = nn.Conv2d(input_channels, 3, kernel_size=5, stride=1, padding=2, bias=False)
with torch.no_grad():
conv.weight = nn.Parameter(weights, requires_grad=False)
return conv
class DeepFakeClassifier(nn.Module):
def __init__(self, dropout_rate=0.0):
super().__init__()
self.encoder = _make_encoder()
self.avg_pool = AdaptiveAvgPool2d((1, 1))
self.dropout = Dropout(dropout_rate)
self.fc = Linear(ENCODER_FEATURES, 1)
def forward(self, x):
x = self.encoder.forward_features(x)
x = self.avg_pool(x).flatten(1)
x = self.dropout(x)
return self.fc(x)
class DeepFakeClassifierSRM(nn.Module):
def __init__(self, dropout_rate=0.5):
super().__init__()
self.encoder = _make_encoder()
self.avg_pool = AdaptiveAvgPool2d((1, 1))
self.srm_conv = _setup_srm_layer(3)
self.dropout = Dropout(dropout_rate)
self.fc = Linear(ENCODER_FEATURES, 1)
def forward(self, x):
noise = self.srm_conv(x)
x = self.encoder.forward_features(noise)
x = self.avg_pool(x).flatten(1)
x = self.dropout(x)
return self.fc(x)
class _GWAP(nn.Module):
def __init__(self, features: int):
super().__init__()
self.conv = nn.Conv2d(features, 1, kernel_size=1, bias=True)
def forward(self, x):
w = self.conv(x).sigmoid().exp()
w = w / w.sum(dim=[2, 3], keepdim=True)
return (w * x).sum(dim=[2, 3], keepdim=False)
class DeepFakeClassifierGWAP(nn.Module):
def __init__(self, dropout_rate=0.5):
super().__init__()
self.encoder = _make_encoder()
self.avg_pool = _GWAP(ENCODER_FEATURES)
self.dropout = Dropout(dropout_rate)
self.fc = Linear(ENCODER_FEATURES, 1)
def forward(self, x):
x = self.encoder.forward_features(x)
x = self.avg_pool(x)
x = self.dropout(x)
return self.fc(x)
_MODEL_MAP = {
"base": DeepFakeClassifier,
"srm": DeepFakeClassifierSRM,
"gwap": DeepFakeClassifierGWAP,
}
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Model loading (runs once at startup)
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def load_model() -> nn.Module:
device = torch.device("cuda" if torch.cuda.is_available() else "cpu")
cls = _MODEL_MAP.get(MODEL_CLASS, DeepFakeClassifier)
model = cls().to(device)
weight_path = os.path.join(WEIGHTS_DIR, WEIGHT_FILE)
# Allow common extensions in case the file was renamed
if not os.path.exists(weight_path):
for ext in (".pt", ".pth", ".bin"):
if os.path.exists(weight_path + ext):
weight_path = weight_path + ext
break
if not os.path.exists(weight_path):
raise FileNotFoundError(
f"Weight file not found: {weight_path}\n"
f"Files present in '{WEIGHTS_DIR}': {os.listdir(WEIGHTS_DIR)}"
)
logger.info(f"Loading weights from: {weight_path}")
# PyTorch 2.6+ requires weights_only=False for pickled checkpoints; also
# use map_location='cpu' so the model loads on any machine regardless of
# how it was saved.
checkpoint = torch.load(weight_path, map_location="cpu", weights_only=False)
state_dict = checkpoint.get("state_dict", checkpoint)
# Strip "module." prefix added by DataParallel / DistributedDataParallel
cleaned = {re.sub(r"^module\.", "", k): v for k, v in state_dict.items()}
model.load_state_dict(cleaned, strict=True)
model.eval()
# FP16 halves VRAM; safe on both CUDA and CPU
model = model.half()
logger.info(f"Model ready β class={cls.__name__}, device={device}, fp16=True")
return model, device
try:
MODEL, DEVICE = load_model()
LOAD_ERROR = None
except Exception as exc:
MODEL = None
DEVICE = None
LOAD_ERROR = traceback.format_exc()
logger.error(f"MODEL LOAD FAILED:\n{LOAD_ERROR}")
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Inference helper
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _preprocess_npy(npy_input) -> torch.Tensor:
"""
Load a uint8 HWC .npy face-batch, convert to normalised float CHW tensor.
Gradio version compatibility matrix
βββββββββββββββββββββββββββββββββββββ
Gradio 4 : passes a plain string filepath "/tmp/gradio/.../faces.npy"
Gradio 4 : may wrap in dict {"path": "...", "orig_name": "..."}
Gradio 6 : passes a tempfile.SpooledTemporaryFile (file-like with .name)
OR a gradio.FileData dataclass with a .path attribute
We resolve all four forms to a final file path or file-like object
that np.load() can consume.
"""
npy_path = None # will hold a string path if resolvable
file_obj = None # will hold a file-like if path is unavailable
# ββ Form 1: plain string ββββββββββββββββββββββββββββββββββββββββββββββββββ
if isinstance(npy_input, str):
npy_path = npy_input
# ββ Form 2: Gradio 4 dict {"path": ..., "orig_name": ...} ββββββββββββββββ
elif isinstance(npy_input, dict):
npy_path = (
npy_input.get("path")
or npy_input.get("name")
or next(iter(npy_input.values()), None)
)
# ββ Form 3: Gradio 6 dataclass (has .path attribute) βββββββββββββββββββββ
elif hasattr(npy_input, "path"):
npy_path = npy_input.path
# ββ Form 4: file-like object (SpooledTemporaryFile, BytesIO, etc.) ββββββββ
elif hasattr(npy_input, "read"):
# Try to get the backing file path first (avoids reading into RAM twice)
backing = getattr(npy_input, "name", None)
if backing and isinstance(backing, str) and os.path.exists(backing):
npy_path = backing
else:
file_obj = npy_input
else:
raise TypeError(
f"Cannot resolve npy input of type {type(npy_input)}: {npy_input!r}"
)
# ββ Load the array βββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def _load(src):
try:
return np.load(src, allow_pickle=False)
except ValueError:
# Legacy pickled .npy β seek back to start if file-like
if hasattr(src, "seek"):
src.seek(0)
return np.load(src, allow_pickle=True)
if npy_path is not None:
if not os.path.exists(npy_path):
raise FileNotFoundError(f"NPY payload not found at: {npy_path}")
faces_uint8 = _load(npy_path)
else:
faces_uint8 = _load(file_obj)
# ββ Validate shape βββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
if faces_uint8.ndim != 4 or faces_uint8.shape[3] != 3:
raise ValueError(
f"Expected uint8 array shape (N, H, W, 3), got {faces_uint8.shape}"
)
# Convert: uint8 HWC β float32 CHW β normalised
tensor = torch.from_numpy(faces_uint8).float() # [N, H, W, 3]
tensor = tensor.permute(0, 3, 1, 2) # [N, 3, H, W]
# Normalise each frame in-place
for i in range(tensor.shape[0]):
tensor[i] = normalize_fn(tensor[i] / 255.0)
return tensor # float32, shape [N, 3, H, W]
def run_inference(tensor: torch.Tensor) -> list:
"""
Forward-pass the pre-processed face tensor through the model in
mini-batches of size MINI_BATCH to avoid OOM on 16 GB RAM spaces.
Returns a flat Python list of per-frame fake-probabilities [0, 1].
"""
predictions = []
n = tensor.shape[0]
with torch.no_grad():
for start in range(0, n, MINI_BATCH):
batch = tensor[start : start + MINI_BATCH]
batch = batch.to(DEVICE).half() # fp16 matches model dtype
logits = MODEL(batch) # [B, 1]
probs = torch.sigmoid(logits.squeeze(-1)) # [B]
predictions.extend(probs.cpu().float().tolist())
return predictions
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Gradio endpoint (headless β no UI blocks, purely an API)
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def predict(npy_file) -> dict:
"""
Gradio API endpoint.
Parameters
----------
npy_file : str | dict
Filepath (or Gradio file dict) pointing to the .npy face batch.
Returns
-------
dict with keys:
predictions : list[float] | None
n_frames : int
error : str | None
"""
if MODEL is None:
msg = f"Model failed to load at startup:\n{LOAD_ERROR}"
logger.error(msg)
return {"predictions": None, "n_frames": 0, "error": msg}
try:
tensor = _preprocess_npy(npy_file)
n_frames = tensor.shape[0]
predictions = run_inference(tensor)
logger.info(f"Inference OK β frames={n_frames}, mean_pred={np.mean(predictions):.4f}")
return {"predictions": predictions, "n_frames": n_frames, "error": None}
except Exception:
err = traceback.format_exc()
logger.error(f"Inference failed:\n{err}")
return {"predictions": None, "n_frames": 0, "error": err}
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Launch
# βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
demo = gr.Interface(
fn=predict,
inputs=gr.File(label="Face batch (.npy)", file_types=[".npy"]),
outputs=gr.JSON(label="Worker prediction"),
title=f"VERIDEX Worker β {WEIGHT_FILE}",
description=(
"Headless inference worker. "
"POST a uint8 .npy face-batch; receive per-frame fake probabilities."
),
# allow_flagging removed: deprecated in Gradio 5, gone in Gradio 6
)
if __name__ == "__main__":
demo.launch(server_name="0.0.0.0", server_port=7860, show_error=True) |