Spaces:
Sleeping
Sleeping
File size: 13,295 Bytes
f492127 0ac1129 f492127 8cbc52d f492127 8cbc52d f492127 | 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 | """
HaramGuard β PerceptionAgent
==============================
AISA Layer : Tool & Environment Layer
Design Pattern : Tool Use β YOLO Detection + Spatial Grid Analysis
Detection strategy:
- YOLO11l β bounding boxes + tracking IDs + spacing (fast, every frame)
- Spatial Grid β 3x3 zone analysis for hotspot detection (UQU research-based)
Why spatial grid?
Based on Umm Al-Qura University research on Haram crowd models:
A global person_count of 47 spread evenly is safe.
47 persons clustered in one corner (e.g. Mataf bottleneck) is dangerous.
The grid catches local density spikes that the global count misses entirely.
Grid design: frame divided into 3Γ3 zones.
Each cell threshold = HIGH_COUNT / 4 (~12 persons).
If any single cell exceeds threshold β hotspot flagged β RiskAgent Path 4 fires.
"""
import time
import numpy as np
from ultralytics import YOLO
from scipy.spatial.distance import cdist
from typing import Optional, Tuple
from core.models import FrameResult
from agents.vision_count_agent import VisionCountAgent
class PerceptionAgent:
# ββ Guardrails ββββββββββββββββββββββββββββββββββββββββββββββββββββ
MAX_PERSONS = 1000 # GR-1: cap implausible counts
MAX_DENSITY = 50.0 # GR-2: cap anomalous density scores
# ββ Spatial grid (UQU research-based) ββββββββββββββββββββββββββββ
GRID_ROWS = 3
GRID_COLS = 3
# Zone labels for dashboard / CoordinatorAgent context
ZONE_LABELS = {
(0,0): 'top-left', (0,1): 'top-center', (0,2): 'top-right',
(1,0): 'mid-left', (1,1): 'center', (1,2): 'mid-right',
(2,0): 'bottom-left', (2,1): 'bottom-center', (2,2): 'bottom-right',
}
def __init__(self, model_path, anthropic_key=None, cached_path=None):
self.name = 'PerceptionAgent'
self.aisa_layer = 'Tool & Environment Layer'
self.model = YOLO(model_path)
self.frame_id = 0
# ββ Cached detections (pre-computed JSON) βββββββββββββββββββββ
self._cached_frames = {}
if cached_path:
import json, os
if os.path.exists(cached_path):
with open(cached_path, 'r') as f:
raw = json.load(f)
# Structure: {"meta": {...}, "frames": {"0": {...}, "1": {...}}}
self._cached_frames = raw.get('frames', {})
print(f'ποΈ [PerceptionAgent] Cached mode β {len(self._cached_frames)} frames from {cached_path}')
else:
print(f'β οΈ [PerceptionAgent] cached_path not found: {cached_path} β using live YOLO')
self.vision = None
if anthropic_key:
self.vision = VisionCountAgent(api_key=anthropic_key)
print('π [PerceptionAgent] Hybrid mode β YOLO11l + spatial grid analysis')
else:
print(f'π [PerceptionAgent] YOLO11l + spatial grid β {model_path}')
# ββ Spatial grid (UQU research) βββββββββββββββββββββββββββββββββββ
def _compute_spatial_grid(
self,
boxes: list,
h: int,
w: int
) -> Tuple[np.ndarray, int, str]:
"""
Divide frame into 3Γ3 grid, count persons per cell.
Based on UQU (Umm Al-Qura University) Haram crowd research:
density maps and heat maps reveal local clustering that global
counts miss β especially at Mataf bottlenecks and corridor choke points.
Returns:
grid : 3Γ3 numpy array of person counts per cell
grid_max : highest count in any single cell
hotspot_zone : label of the most crowded cell (e.g. 'center')
"""
grid = np.zeros((self.GRID_ROWS, self.GRID_COLS), dtype=int)
cell_h = h / self.GRID_ROWS
cell_w = w / self.GRID_COLS
for box in boxes:
cx = (box['x1'] + box['x2']) / 2.0
cy = (box['y1'] + box['y2']) / 2.0
col = min(int(cx / cell_w), self.GRID_COLS - 1)
row = min(int(cy / cell_h), self.GRID_ROWS - 1)
grid[row, col] += 1
grid_max = int(grid.max()) if grid.size > 0 else 0
hot_row, hot_col = np.unravel_index(grid.argmax(), grid.shape)
hotspot_zone = self.ZONE_LABELS.get((hot_row, hot_col), 'unknown')
return grid, grid_max, hotspot_zone
# ββ Main processing βββββββββββββββββββββββββββββββββββββββββββββββ
def process_frame(self, frame: np.ndarray) -> FrameResult:
flags = []
h, w = frame.shape[:2]
# ββ Cached mode: read pre-computed detections from JSON βββββββ
cache_key = str(self.frame_id)
if self._cached_frames and cache_key in self._cached_frames:
cached = self._cached_frames[cache_key]
boxes = cached.get('boxes', [])
track_ids = cached.get('track_ids', [])
final_count = cached.get('person_count', len(boxes))
avg_spacing = cached.get('avg_spacing', 999.0)
density = cached.get('density_score', 0.0)
occupation_pct = cached.get('occupation_pct', 0.0)
compression_ratio = cached.get('compression_ratio', 0.0)
distribution_score = cached.get('distribution_score', 0.3)
flow_velocity = cached.get('flow_velocity', 0.0)
# Spatial grid from cached data or recompute
grid_counts = cached.get('grid_counts', [[0,0,0],[0,0,0],[0,0,0]])
grid_max = cached.get('grid_max', 0)
hotspot_zone = cached.get('hotspot_zone', 'center')
# Still annotate the live frame with cached boxes
annotated = frame.copy()
import cv2 as _cv2
for b in boxes:
_cv2.rectangle(annotated,
(int(b['x1']), int(b['y1'])),
(int(b['x2']), int(b['y2'])),
(0, 255, 255), 2)
self.frame_id += 1
return FrameResult(
frame_id = self.frame_id,
timestamp = time.time(),
person_count = final_count,
density_score = density,
avg_spacing = avg_spacing,
boxes = boxes,
annotated = annotated,
guardrail_flags = flags,
track_ids = track_ids,
occupation_pct = occupation_pct,
compression_ratio = compression_ratio,
flow_velocity = flow_velocity,
distribution_score = distribution_score,
grid_counts = grid_counts,
grid_max = grid_max,
hotspot_zone = hotspot_zone,
)
flags = []
h, w = frame.shape[:2]
# ββ Live YOLO mode ββββββββββββββββββββββββββββββββββββββββββββ
flags = []
h, w = frame.shape[:2]
# ββ YOLO: bounding boxes + tracking ββββββββββββββββββββββββββ
det = self.model.track(
frame,
persist=True,
imgsz=1280,
classes=[0],
conf=0.15,
iou=0.45,
tracker='botsort.yaml',
verbose=False
)[0]
boxes_raw = det.boxes
boxes, centers = [], []
track_ids = []
if boxes_raw is not None:
for box in boxes_raw:
x1, y1, x2, y2 = [int(v) for v in box.xyxy[0].tolist()]
conf = float(box.conf[0])
boxes.append({'x1': x1, 'y1': y1, 'x2': x2, 'y2': y2, 'conf': conf})
centers.append([(x1 + x2) / 2, (y1 + y2) / 2])
if box.id is not None:
track_ids.append(int(box.id[0]))
yolo_count = len(boxes)
# ββ Claude Vision: accurate count every 60 frames βββββββββββββ
vision_result = None
if self.vision:
vision_result = self.vision.get_count(frame)
# ββ Choose best count βββββββββββββββββββββββββββββββββββββββββ
if vision_result and vision_result['person_count'] > 0:
final_count = vision_result['person_count']
if vision_result['from_vision']:
flags.append(f'vision_count:{final_count}(yolo:{yolo_count})')
else:
final_count = yolo_count
# ββ Guardrail 1: impossible person count βββββββββββββββββββββ
if final_count > self.MAX_PERSONS:
flags.append(f'GR1_count_capped:{final_count}->{self.MAX_PERSONS}')
final_count = self.MAX_PERSONS
boxes = boxes[:self.MAX_PERSONS]
centers = centers[:self.MAX_PERSONS]
# ββ Average spacing βββββββββββββββββββββββββββββββββββββββββββ
avg_spacing = 999.0
if len(centers) >= 2:
c = np.array(centers)
d = cdist(c, c)
np.fill_diagonal(d, np.inf)
avg_spacing = float(d.min(axis=1).mean())
# ββ Density score βββββββββββββββββββββββββββββββββββββββββββββ
density = round(final_count / ((h * w) / 10_000), 4)
# ββ Occupation ratio ββββββββββββββββββββββββββββββββββββββββββ
frame_area = h * w
box_area_sum = sum((b['x2']-b['x1']) * (b['y2']-b['y1']) for b in boxes)
occupation_pct = round(
min((box_area_sum / frame_area) * 100, 100.0), 2
) if frame_area > 0 else 0.0
# ββ Guardrail 2: anomalous density βββββββββββββββββββββββββββ
if density > self.MAX_DENSITY:
flags.append(f'GR2_density_capped:{density:.1f}->{self.MAX_DENSITY}')
density = self.MAX_DENSITY
# ββ Spatial grid (UQU research) βββββββββββββββββββββββββββββββ
# Detects local clustering: 47 persons in one corner is more
# dangerous than 47 persons spread across the frame.
grid, grid_max, hotspot_zone = self._compute_spatial_grid(boxes, h, w)
if grid_max > 0:
flags.append(f'grid_hotspot:{hotspot_zone}({grid_max}p)')
# ββ Compression βββββββββββββββββββββββββββββββββββββββββββββββ
if avg_spacing < 999 and density > 0:
spacing_norm = min(avg_spacing / 120.0, 1.0)
density_norm = min(density / 1.0, 1.0)
compression_ratio = (1.0 - spacing_norm) * density_norm
else:
compression_ratio = 0.0
# ββ Distribution score ββββββββββββββββββββββββββββββββββββββββ
if len(centers) >= 3:
centers_arr = np.array(centers)
x_var = np.var(centers_arr[:, 0])
y_var = np.var(centers_arr[:, 1])
total_variance = (x_var + y_var) / ((h * w) / 1000.0)
distribution_score = min(total_variance, 1.0)
else:
distribution_score = 0.3
annotated = det.plot()
self.frame_id += 1
return FrameResult(
frame_id = self.frame_id,
timestamp = time.time(),
person_count = final_count,
density_score = density,
avg_spacing = round(avg_spacing, 2),
boxes = boxes,
annotated = annotated,
guardrail_flags = flags,
track_ids = track_ids,
occupation_pct = occupation_pct,
compression_ratio = round(compression_ratio, 4),
flow_velocity = 0.0,
distribution_score = round(distribution_score, 4),
# ββ NEW: spatial grid fields ββββββββββββββββββββββββββββββ
grid_counts = grid.tolist(), # 3Γ3 list for dashboard heat map
grid_max = grid_max, # max persons in any single cell
hotspot_zone = hotspot_zone, # label: 'center', 'top-left', etc.
) |