File size: 2,859 Bytes
5290133
 
 
 
 
 
f78d3e5
5290133
 
 
 
f78d3e5
 
 
 
 
 
 
141460f
f78d3e5
 
 
 
 
 
 
 
5290133
f78d3e5
 
 
 
141460f
5290133
 
 
 
 
 
 
 
 
 
 
 
 
f78d3e5
5290133
 
 
f78d3e5
141460f
 
f78d3e5
 
 
 
 
 
 
 
 
 
 
 
 
09cf2bd
f78d3e5
09cf2bd
 
f78d3e5
 
 
 
 
 
5290133
f78d3e5
5290133
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
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
from typing import Dict, Any
import base64
import io
from PIL import Image
from ultralytics import YOLO


class EndpointHandler:
    """
    Hugging Face Inference Endpoint handler for LocustGuard YOLO model.

    Accepts:
    1) Direct HTTP / Spaces:
       {
         "image": "<base64>",
         "conf": 0.25,
         "iou": 0.45
       }

    2) Playground / Hosted API:
       {
         "inputs": {
           "image": "<base64>",
           "conf": 0.25,
           "iou": 0.45
         }
       }

    3) HF standard:
       {
         "inputs": "<base64>"
       }

    Returns:
    {
      "detections": [
        {
          "label": str,
          "confidence": float,
          "coordinates": [xmin, ymin, xmax, ymax]
        }
      ]
    }
    """

    def __init__(self, path: str = "."):
        # ✅ Native ultralytics loader
        self.model = YOLO(f"{path}/best.pt")

    def __call__(self, data: Dict[str, Any]) -> Dict[str, Any]:
        # ---------------- NORMALIZE INPUT ----------------
        payload = data.get("inputs", data)

        # Case 1: HF standard sends raw base64 string
        if isinstance(payload, str):
            image_b64 = payload
            conf = 0.25
            iou = 0.45

        # Case 2: Dict-based payload
        elif isinstance(payload, dict) and "image" in payload:
            image_b64 = payload["image"]
            conf = float(payload.get("conf", 0.25))
            iou = float(payload.get("iou", 0.45))

        else:
            return {
                "error": "Invalid input. Expected base64 image under key 'image' or 'inputs'."
            }

        # ---------------- DECODE IMAGE ----------------
        try:
            image_bytes = base64.b64decode(image_b64)
            image = Image.open(io.BytesIO(image_bytes)).convert("RGB")
        except Exception as e:
            return {"error": f"Failed to decode image: {str(e)}"}

        # ---------------- RUN INFERENCE ----------------
        results = self.model(
            image,
            conf=conf,
            iou=iou,
            imgsz=640,
            verbose=False
        )

        r = results[0]
        detections = []

        if r.boxes is not None:
            for box in r.boxes:
                x1, y1, x2, y2 = box.xyxy[0].tolist()
                cls_id = int(box.cls[0])
                conf_score = float(box.conf[0])
                label = self.model.names[cls_id]

                detections.append({
                    "label": label,
                    "confidence": round(conf_score, 3),
                    "coordinates": [
                        round(float(x1), 2),
                        round(float(y1), 2),
                        round(float(x2), 2),
                        round(float(y2), 2),
                    ]
                })

        return {"detections": detections}