Spaces:
Running
Running
File size: 7,698 Bytes
9f86510 a1dd89f 80cc4e7 a1dd89f bf34fae 81cb8c6 a1dd89f bf19655 a1dd89f e0c20c2 d37a6e5 0887e03 d37a6e5 4ff225e a1dd89f 9c9a36a 4ff225e d37a6e5 bf34fae a1dd89f 0887e03 bf34fae 0887e03 a1dd89f 3d7434a d37a6e5 bf19655 80cc4e7 4919185 81cb8c6 15ebf0e 0887e03 36c54d6 bf34fae 36c54d6 81cb8c6 3d7434a a1dd89f bf34fae c77bffa d37a6e5 bf34fae d37a6e5 a1dd89f 5d90ae5 a1dd89f bf34fae a1dd89f 5d90ae5 bf34fae 0887e03 bf34fae 9c9a36a 0887e03 9c9a36a 0887e03 bf34fae 9c9a36a 3d7434a bf34fae e0c20c2 bf34fae 0887e03 3d7434a 0887e03 bf34fae d37a6e5 bf34fae a1dd89f bf34fae a1dd89f bf34fae a1dd89f 80cc4e7 bf34fae e0c20c2 d37a6e5 3d7434a d37a6e5 3d7434a 9c9a36a 3d7434a bf34fae 3d7434a a1dd89f bf34fae 06796fd a1dd89f 3d7434a bf34fae 06796fd bf34fae 06796fd bf34fae 36c54d6 bf34fae d37a6e5 a1dd89f bf34fae a1dd89f 80cc4e7 a1dd89f 80cc4e7 06796fd bf34fae 80cc4e7 d37a6e5 bf34fae d37a6e5 4ff225e 3d7434a 9c9a36a a1dd89f bf34fae a1dd89f bf34fae 0887e03 490a080 bf34fae 490a080 bf34fae 0887e03 bf34fae 0887e03 490a080 a1dd89f bf34fae 490a080 bf34fae 3d7434a bf34fae 3d7434a bf34fae 490a080 bf34fae 3d7434a bf34fae 3d7434a bf34fae a1dd89f bf34fae a1dd89f 490a080 d37a6e5 0887e03 d37a6e5 5d90ae5 a1dd89f |
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 |
import os
import threading
import torch
import numpy as np
from fastapi import FastAPI, UploadFile, File, Form, HTTPException, Request
from fastapi.responses import StreamingResponse, HTMLResponse, RedirectResponse, JSONResponse
from PIL import Image
from io import BytesIO
import requests
from transformers import AutoModelForImageSegmentation
import uvicorn
# ---------------------------------------------------------
# Optional HEIC/HEIF
# ---------------------------------------------------------
try:
import pillow_heif
pillow_heif.register_heif_opener()
except ImportError:
pass
# ---------------------------------------------------------
# Performance settings for HF CPU
# ---------------------------------------------------------
os.environ["OMP_NUM_THREADS"] = "1"
os.environ["MKL_NUM_THREADS"] = "1"
torch.set_num_threads(1)
# ---------------------------------------------------------
# Constants
# ---------------------------------------------------------
TARGET_SIZE = (512, 512) # Faster inference
MAX_SIDE = 3000 # Auto-downscale for huge uploads
# ---------------------------------------------------------
# Load model
# ---------------------------------------------------------
MODEL_DIR = "models/BiRefNet"
os.makedirs(MODEL_DIR, exist_ok=True)
device = "cuda" if torch.cuda.is_available() else "cpu"
dtype = torch.float16 if torch.cuda.is_available() else torch.float32
print("Loading BiRefNet…")
birefnet = AutoModelForImageSegmentation.from_pretrained(
"ZhengPeng7/BiRefNet",
cache_dir=MODEL_DIR,
trust_remote_code=True,
revision="main",
)
birefnet.to(device, dtype=dtype).eval()
print("Model ready.")
lock = threading.Lock()
# ---------------------------------------------------------
# Helpers
# ---------------------------------------------------------
def load_image_from_url(url: str) -> Image.Image:
try:
r = requests.get(url, timeout=10)
r.raise_for_status()
return Image.open(BytesIO(r.content)).convert("RGB")
except Exception:
raise HTTPException(status_code=400, detail="Invalid image URL")
def auto_downscale(img: Image.Image) -> Image.Image:
w, h = img.size
if max(w, h) <= MAX_SIDE:
return img
scale = MAX_SIDE / max(w, h)
new_w = int(w * scale)
new_h = int(h * scale)
print(f"[INFO] Downscaling {w}×{h} → {new_w}×{new_h}")
return img.resize((new_w, new_h), Image.LANCZOS)
def transform(img: Image.Image) -> torch.Tensor:
img = img.resize(TARGET_SIZE)
arr = np.array(img).astype(np.float32) / 255.0
mean = np.array([0.485, 0.456, 0.406])
std = np.array([0.229, 0.224, 0.225])
arr = (arr - mean) / std
arr = np.transpose(arr, (2, 0, 1))
t = torch.from_numpy(arr).unsqueeze(0).to(device=device, dtype=dtype)
return t
def run_inference(img: Image.Image) -> Image.Image:
orig_size = img.size
tensor = transform(img)
with lock:
with torch.no_grad():
pred = birefnet(tensor)[-1].sigmoid().cpu()[0, 0]
mask = Image.fromarray((pred.numpy() * 255).astype(np.uint8)).resize(orig_size)
img = img.convert("RGBA")
img.putalpha(mask)
return img
# ---------------------------------------------------------
# FastAPI app
# ---------------------------------------------------------
app = FastAPI(title="Background Remover API")
# ---------------------------------------------------------
# Redirect GET → POST logic
# ---------------------------------------------------------
@app.get("/remove-background")
async def redirect_to_post():
return JSONResponse(
{"detail": "This endpoint only supports POST. Use POST /remove-background"},
status_code=405
)
# ---------------------------------------------------------
# Main POST endpoint
# ---------------------------------------------------------
@app.post("/remove-background")
async def remove_bg(file: UploadFile = File(None), image_url: str = Form(None)):
try:
if file:
raw = await file.read()
img = Image.open(BytesIO(raw)).convert("RGB")
elif image_url:
img = load_image_from_url(image_url)
else:
raise HTTPException(status_code=400, detail="Upload file or image_url required")
img = auto_downscale(img)
result = run_inference(img)
buf = BytesIO()
result.save(buf, format="PNG")
buf.seek(0)
return StreamingResponse(buf, media_type="image/png")
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
# ---------------------------------------------------------
# UI: Show INPUT + OUTPUT (big preview)
# ---------------------------------------------------------
@app.get("/", response_class=HTMLResponse)
async def ui():
return """
<html>
<head>
<title>Background Remover – Test UI</title>
<link rel='stylesheet'
href='https://cdn.jsdelivr.net/npm/bootstrap@5.3.2/dist/css/bootstrap.min.css'>
</head>
<body class='bg-light'>
<div class='container py-4 text-center'>
<h2 class='mb-4'>API Test Panel (POST Only)</h2>
<div class='row'>
<div class='col-md-6'>
<h5>Input Image</h5>
<img id='inputImg' style='max-width:100%; border-radius:10px;'>
</div>
<div class='col-md-6'>
<h5>Output Image</h5>
<img id='outputImg' style='max-width:100%; border-radius:10px;'>
</div>
</div>
<hr>
<h4>Upload Test</h4>
<form id="uploadForm" enctype='multipart/form-data'>
<input type='file' id='fileInput' class='form-control mb-3'>
<button class='btn btn-primary'>Send POST</button>
</form>
<hr>
<h4>URL Test</h4>
<form id='urlForm'>
<input id='urlInput' class='form-control mb-3' placeholder='https://example.com/image.jpg'>
<button class='btn btn-success'>Send POST</button>
</form>
</div>
<script>
const inputImg = document.getElementById("inputImg");
const outputImg = document.getElementById("outputImg");
// FILE TEST
document.getElementById("uploadForm").addEventListener("submit", async e => {
e.preventDefault();
const file = document.getElementById("fileInput").files[0];
if (!file) return alert("Select a file first.");
inputImg.src = URL.createObjectURL(file);
const fd = new FormData();
fd.append("file", file);
const r = await fetch("/remove-background", { method:"POST", body:fd });
outputImg.src = URL.createObjectURL(await r.blob());
});
// URL TEST
document.getElementById("urlForm").addEventListener("submit", async e => {
e.preventDefault();
const url = document.getElementById("urlInput").value.trim();
if (!url) return alert("Enter an image URL first.");
inputImg.src = url;
const fd = new FormData();
fd.append("image_url", url);
const r = await fetch("/remove-background", { method:"POST", body:fd });
outputImg.src = URL.createObjectURL(await r.blob());
});
</script>
</body>
</html>
"""
# ---------------------------------------------------------
# Run app
# ---------------------------------------------------------
if __name__ == "__main__":
uvicorn.run(app, host="0.0.0.0", port=7860)
|