Spaces:
Runtime error
Runtime error
File size: 9,727 Bytes
e2cc592 90f2241 e2cc592 7fe1f3e e2cc592 6a3ad1d e2cc592 7e4f185 6a3ad1d 7e4f185 90f2241 6a3ad1d 90f2241 6a3ad1d 90f2241 6a3ad1d 90f2241 6a3ad1d 0b7f5fb 6a3ad1d 0b7f5fb 6a3ad1d 0b7f5fb 6a3ad1d 0b7f5fb 6a3ad1d 0b7f5fb 6a3ad1d 0b7f5fb 6a3ad1d 7e4f185 6a3ad1d 7e4f185 e2cc592 6a3ad1d e2cc592 6a3ad1d e2cc592 6a3ad1d 7e4f185 e2cc592 6a3ad1d e2cc592 6a3ad1d 7e4f185 6a3ad1d e2cc592 d530eca 6a3ad1d d530eca d1443b1 e2cc592 6a3ad1d e2cc592 6a3ad1d e2cc592 6a3ad1d 7e4f185 6a3ad1d 7e4f185 6a3ad1d 7e4f185 6a3ad1d 7e4f185 6a3ad1d 7e4f185 6a3ad1d 7e4f185 6a3ad1d 7e4f185 e2cc592 90f2241 6a3ad1d e2cc592 6a3ad1d d1443b1 2cf720b e2cc592 6a3ad1d 0b7f5fb 6a3ad1d e2cc592 6a3ad1d e2cc592 6a3ad1d 90f2241 e2cc592 6a3ad1d e2cc592 6a3ad1d 90f2241 d1443b1 7fe1f3e e2cc592 6a3ad1d 0b7f5fb e2cc592 6a3ad1d 0b7f5fb 6a3ad1d 0b7f5fb 6a3ad1d 0b7f5fb e2cc592 0b7f5fb e2cc592 6a3ad1d 0b7f5fb 6a3ad1d 90f2241 6a3ad1d e2cc592 6a3ad1d e2cc592 7fe1f3e 6a3ad1d e2cc592 | 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 | # -*- coding: utf-8 -*-
import os
import time
import tempfile
from typing import Optional, Tuple, List
import gradio as gr
from PIL import Image
from gradio_client import Client, handle_file
from huggingface_hub import login
# ----------------------------
# Remote Space (IDM-VTON)
# ----------------------------
SPACE = "yisol/IDM-VTON"
API_NAME = "/tryon"
# ----------------------------
# Auth for company demo (no HF accounts needed)
# Set these in HF Space Secrets:
# DEMO_USER=RVtest
# DEMO_PASS=rv2026
# ----------------------------
DEMO_USER = os.getenv("DEMO_USER", "").strip()
DEMO_PASS = os.getenv("DEMO_PASS", "").strip()
APP_AUTH = (DEMO_USER, DEMO_PASS) if (DEMO_USER and DEMO_PASS) else None
# ----------------------------
# Garment catalog folder in repo
# ----------------------------
GARMENT_DIR = "garments"
ALLOWED_EXTS = (".png", ".jpg", ".jpeg", ".webp")
def list_garments() -> List[str]:
try:
files = []
for f in os.listdir(GARMENT_DIR):
if f.lower().endswith(ALLOWED_EXTS) and not f.startswith("."):
files.append(f)
files.sort()
return files
except Exception:
return []
def garment_path(filename: str) -> str:
return os.path.join(GARMENT_DIR, filename)
def load_garment_pil(filename: str) -> Optional[Image.Image]:
if not filename:
return None
path = garment_path(filename)
if not os.path.exists(path):
return None
try:
return Image.open(path).convert("RGB")
except Exception:
return None
def build_gallery_items(files: List[str]):
# (image, caption). Caption empty = cleaner UI
return [(garment_path(f), "") for f in files]
# ----------------------------
# HF token (optional)
# ----------------------------
HF_TOKEN = os.getenv("HF_TOKEN", "")
print("HF_TOKEN set:", bool(HF_TOKEN), "len:", len(HF_TOKEN) if HF_TOKEN else 0)
if HF_TOKEN:
try:
login(token=HF_TOKEN, add_to_git_credential=False)
print("HF login: OK")
except Exception as e:
print("HF login: FAILED:", str(e)[:200])
else:
print("HF login: skipped (no token in env)")
# ----------------------------
# Client caching
# ----------------------------
_client: Optional[Client] = None
def reset_client():
global _client
_client = None
def get_client() -> Client:
"""
gradio_client differs by version. Newer versions support hf_token=...
Older versions don't. We fallback gracefully.
"""
global _client
if _client is None:
try:
if HF_TOKEN:
_client = Client(SPACE, hf_token=HF_TOKEN) # may raise TypeError on older versions
else:
_client = Client(SPACE)
except TypeError:
_client = Client(SPACE)
return _client
# ----------------------------
# Helpers
# ----------------------------
def clamp_int(x, lo, hi):
try:
x = int(x)
except Exception:
x = lo
return max(lo, min(hi, x))
def save_pil_temp(pil_img: Image.Image, suffix: str = ".png") -> str:
f = tempfile.NamedTemporaryFile(delete=False, suffix=suffix)
path = f.name
f.close()
pil_img.save(path, format="PNG") # no resize/compress
return path
# ----------------------------
# Simple global rate limit (anti spam)
# NOTE: global across all users. Good enough for internal demo.
# ----------------------------
_last_call_ts = 0.0
def allow_call(min_interval_sec: float = 3.0) -> Tuple[bool, str]:
global _last_call_ts
now = time.time()
if now - _last_call_ts < min_interval_sec:
wait = max(0.0, min_interval_sec - (now - _last_call_ts))
return False, f"⏳ Слишком часто. Подождите {wait:.1f} сек."
_last_call_ts = now
return True, ""
# ----------------------------
# Core inference (remote call)
# ----------------------------
def tryon_remote(person_pil, garment_filename):
ok, msg = allow_call(3.0)
if not ok:
return None, msg
if person_pil is None:
return None, "❌ Загрузите фото человека"
if not garment_filename:
return None, "❌ Выберите одежду (кликните на превью)"
garment_pil = load_garment_pil(garment_filename)
if garment_pil is None:
return None, "❌ Не удалось загрузить выбранную одежду (проверьте garments/)"
# Fixed params for simple demo
garment_desc = "a photo of a garment"
auto_mask = True
crop_center = True
denoise_steps = 25
seed = 42
p_path = save_pil_temp(person_pil)
g_path = save_pil_temp(garment_pil)
try:
last_err = None
for attempt in range(1, 7):
try:
client = get_client()
result = client.predict(
dict={"background": handle_file(p_path), "layers": [], "composite": None},
garm_img=handle_file(g_path),
garment_des=garment_desc,
is_checked=bool(auto_mask),
is_checked_crop=bool(crop_center),
denoise_steps=int(denoise_steps),
seed=int(seed),
api_name=API_NAME,
)
if isinstance(result, (list, tuple)):
result = result[0]
out = Image.open(result).convert("RGB")
return out, "✅ Готово"
except Exception as e:
last_err = e
msg_l = str(e).lower()
is_timeout = (
"write operation timed out" in msg_l
or "read operation timed out" in msg_l
or "timed out" in msg_l
)
is_busy = (
"too many requests" in msg_l
or "queue" in msg_l
or "too busy" in msg_l
or "overloaded" in msg_l
or "capacity" in msg_l
)
is_expired = "expired zerogpu proxy token" in msg_l or "zerogpu proxy token" in msg_l
if is_timeout or is_busy or is_expired:
reset_client()
time.sleep(4.0 * attempt)
continue
time.sleep(1.2 * attempt)
tail = str(last_err)[:240] if last_err else "unknown error"
return None, f"❌ Ошибка Space после 6 попыток: {tail}"
finally:
for path in (p_path, g_path):
try:
os.remove(path)
except Exception:
pass
# ----------------------------
# UI helpers
# ----------------------------
def refresh_catalog():
files = list_garments()
items = build_gallery_items(files)
status = "✅ Каталог обновлён" if files else "⚠️ В папке garments/ пока нет изображений"
return items, files, None, status
def on_gallery_select(files: List[str], evt: gr.SelectData):
if not files:
return None, "⚠️ Каталог пуст"
try:
idx = int(evt.index) if evt.index is not None else 0
idx = max(0, min(idx, len(files) - 1))
return files[idx], f"👕 Выбрано: {files[idx]}"
except Exception:
return None, "⚠️ Не удалось выбрать одежду"
# ----------------------------
# UI
# ----------------------------
CUSTOM_CSS = """
footer {display:none !important;}
#api-info {display:none !important;}
div[class*="footer"] {display:none !important;}
button[aria-label="Settings"] {display:none !important;}
"""
initial_files = list_garments()
initial_items = build_gallery_items(initial_files)
with gr.Blocks(title="Virtual Try-On Rendez-vous", css=CUSTOM_CSS) as demo:
gr.Markdown("# Virtual Try-On Rendez-vous")
garment_files_state = gr.State(initial_files)
selected_garment_state = gr.State(None)
with gr.Row():
with gr.Column():
person = gr.Image(label="Фото человека", type="pil", height=420)
with gr.Row():
refresh_btn = gr.Button("🔄 Обновить каталог", variant="secondary")
selected_label = gr.Markdown("👕 Выберите одежду, кликнув по превью ниже")
garment_gallery = gr.Gallery(
label="Каталог одежды (кликните на превью)",
value=initial_items,
columns=4,
height=340,
allow_preview=True,
)
run = gr.Button("Примерить", variant="primary")
status = gr.Textbox(value="Ожидание...", interactive=False)
with gr.Column():
out = gr.Image(label="Результат", type="pil", height=760)
# Update selection on click
garment_gallery.select(
fn=on_gallery_select,
inputs=[garment_files_state],
outputs=[selected_garment_state, selected_label],
)
# Refresh catalog after uploading new garments
refresh_btn.click(
fn=refresh_catalog,
inputs=[],
outputs=[garment_gallery, garment_files_state, selected_garment_state, status],
)
# Run try-on
run.click(
fn=tryon_remote,
inputs=[person, selected_garment_state],
outputs=[out, status],
)
if __name__ == "__main__":
demo.launch(
server_name="0.0.0.0",
server_port=7860,
share=False,
debug=False,
ssr_mode=False,
auth=APP_AUTH, # ✅ login/password gate
)
|