Spaces:
Sleeping
Sleeping
File size: 6,977 Bytes
c8640b7 | 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 | import re
import time
import os
import numpy as np
from PIL import Image, ImageDraw
import gradio as gr
from sentence_transformers import SentenceTransformer
from ultralytics import YOLO
# Lazy globals so the UI can start even when model downloads are flaky.
DETECTOR = None
EMBEDDER = None
EMBEDDER_NAME = ""
EMBEDDING_MODEL_CANDIDATES = [
"sentence-transformers/msmarco-MiniLM-L6-v3",
"sentence-transformers/all-MiniLM-L6-v2",
]
def _get_detector():
global DETECTOR
if DETECTOR is None:
DETECTOR = YOLO("yolov5nu.pt")
return DETECTOR
def _try_load_embedder(model_name: str, local_files_only: bool = False):
return SentenceTransformer(model_name, device="cpu", local_files_only=local_files_only)
def _get_embedder():
global EMBEDDER, EMBEDDER_NAME
if EMBEDDER is not None:
return EMBEDDER
last_error = None
for model_name in EMBEDDING_MODEL_CANDIDATES:
for attempt in range(3):
try:
EMBEDDER = _try_load_embedder(model_name, local_files_only=False)
EMBEDDER_NAME = model_name
return EMBEDDER
except Exception as exc:
last_error = exc
time.sleep(1.0 + attempt)
# Final attempt in local-only mode in case files already exist in cache.
for model_name in EMBEDDING_MODEL_CANDIDATES:
try:
EMBEDDER = _try_load_embedder(model_name, local_files_only=True)
EMBEDDER_NAME = model_name
return EMBEDDER
except Exception as exc:
last_error = exc
raise RuntimeError(f"Could not load embedding model. Last error: {last_error}")
def _normalize(v: np.ndarray) -> np.ndarray:
norm = np.linalg.norm(v)
if norm == 0:
return v
return v / norm
def _cosine_similarity(a: np.ndarray, b: np.ndarray) -> float:
return float(np.dot(_normalize(a), _normalize(b)))
def _tokenize(text: str):
return set(re.findall(r"[a-z0-9]+", text.lower()))
def _fallback_similarity(prompt: str, label: str) -> float:
prompt_tokens = _tokenize(prompt)
label_tokens = _tokenize(label)
if not prompt_tokens or not label_tokens:
return 0.0
inter = len(prompt_tokens & label_tokens)
union = len(prompt_tokens | label_tokens)
return inter / union
def detect_and_match(image: Image.Image, task_prompt: str):
if image is None:
return None, "No image provided.", []
prompt = (task_prompt or "").strip()
if not prompt:
return image, "Please enter a task prompt.", []
try:
detector = _get_detector()
except Exception as exc:
return image, f"Detector load failed: {exc}", []
results = detector.predict(image, verbose=False, device="cpu")
result = results[0]
boxes = result.boxes
names = result.names
if boxes is None or len(boxes) == 0:
return image, "No objects detected.", []
detections = []
for i in range(len(boxes)):
cls_id = int(boxes.cls[i].item())
conf = float(boxes.conf[i].item())
x1, y1, x2, y2 = boxes.xyxy[i].tolist()
label = names.get(cls_id, str(cls_id)) if isinstance(names, dict) else names[cls_id]
detections.append(
{
"index": i,
"label": label,
"confidence": round(conf, 4),
"bbox": [int(x1), int(y1), int(x2), int(y2)],
}
)
labels = [d["label"] for d in detections]
best_idx = -1
best_score = -1.0
match_mode = "embedding"
try:
embedder = _get_embedder()
prompt_emb = embedder.encode(prompt, convert_to_numpy=True)
label_embs = embedder.encode(labels, convert_to_numpy=True)
for i, emb in enumerate(label_embs):
score = _cosine_similarity(prompt_emb, emb)
detections[i]["similarity"] = round(score, 4)
if score > best_score:
best_score = score
best_idx = i
except Exception:
match_mode = "keyword-fallback"
for i, label in enumerate(labels):
score = _fallback_similarity(prompt, label)
detections[i]["similarity"] = round(score, 4)
if score > best_score:
best_score = score
best_idx = i
if best_idx < 0:
return image, "Could not compute a match for detected objects.", []
annotated = image.convert("RGB").copy()
draw = ImageDraw.Draw(annotated)
for i, d in enumerate(detections):
x1, y1, x2, y2 = d["bbox"]
if i == best_idx:
color = (255, 0, 0)
width = 5
else:
color = (0, 200, 0)
width = 2
draw.rectangle([x1, y1, x2, y2], outline=color, width=width)
text = f"{d['label']} conf={d['confidence']} sim={d['similarity']}"
text_y = max(0, y1 - 14)
draw.text((x1, text_y), text, fill=color)
best = detections[best_idx]
best_summary = (
f"Prompt: {prompt}\n"
f"Mode: {match_mode}\n"
f"Embedding model: {EMBEDDER_NAME if EMBEDDER_NAME else 'unavailable'}\n"
f"Best match: {best['label']}\n"
f"Confidence: {best['confidence']}\n"
f"Similarity: {best['similarity']}\n"
f"BBox: {best['bbox']}"
)
detections_table = [
[d["index"], d["label"], d["confidence"], d["similarity"], str(d["bbox"])]
for d in detections
]
return annotated, best_summary, detections_table
with gr.Blocks(title="DV CON design contest") as demo:
gr.Markdown("# DV CON design contest")
gr.Markdown(
"Upload/capture an image, give a task prompt (example: 'I need to sit'), "
"and the app highlights the closest detected object."
)
with gr.Row():
with gr.Column():
image_input = gr.Image(type="pil", sources=["upload", "webcam"], label="Input Image")
prompt_input = gr.Textbox(
label="Task Prompt",
placeholder="Example: I need to sit",
lines=2,
)
run_button = gr.Button("Run Detection + Task Match", variant="primary")
with gr.Column():
annotated_output = gr.Image(type="pil", label="Annotated Output")
best_output = gr.Textbox(label="Best Match")
table_output = gr.Dataframe(
headers=["idx", "label", "confidence", "similarity", "bbox"],
datatype=["number", "str", "number", "number", "str"],
label="All Detections",
)
run_button.click(
fn=detect_and_match,
inputs=[image_input, prompt_input],
outputs=[annotated_output, best_output, table_output],
)
if __name__ == "__main__":
is_space = bool(os.getenv("SPACE_ID"))
if is_space:
demo.launch(server_name="0.0.0.0", server_port=7860)
else:
demo.launch(server_name="127.0.0.1", server_port=7860)
|