Spaces:
Sleeping
Sleeping
File size: 17,292 Bytes
50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 2a7fd26 50fcf88 |
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 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 |
"""
Local Chart Detection Module - NO API CALLS
Uses OpenCV and image analysis for chart detection without any LLM cost.
This module provides FREE chart detection as an alternative to expensive Gemini Vision API calls.
Author: SmartDoc AI
License: MIT
"""
import logging
from typing import Dict, Any
logger = logging.getLogger(__name__)
class LocalChartDetector:
"""
Detects charts in images using OpenCV - completely free, no API calls.
Detection Features:
- Edge detection (Canny)
- Line detection (HoughLinesP)
- Circle detection (HoughCircles)
- Contour analysis for shapes
- Axis pattern recognition
Detectable Chart Types:
- Line charts (multiple organized lines)
- Bar charts (rectangular shapes)
- Pie charts (circular patterns)
- Scatter plots (lines + circles)
- Charts with axes (H/V line patterns)
- Bubble charts (circles with variable size)
- Zone diagrams (areas with color coding)
"""
@staticmethod
def detect_charts(image) -> Dict[str, Any]:
"""
Detects complex charts and visualizations only - rejects tables, maps, and simple graphics.
Returns a dictionary with detection results and features.
"""
import time
start_time = time.time()
try:
import cv2
import numpy as np
from PIL import Image as PILImage
# --- Image Preparation ---
# Convert PIL image to OpenCV format if needed
if isinstance(image, PILImage.Image):
image_cv = cv2.cvtColor(np.array(image), cv2.COLOR_RGB2BGR)
else:
image_cv = image
height, width = image_cv.shape[:2]
# Always downscale for detection (even if caller forgot)
MAX_DETECT_DIM = 900
if max(height, width) > MAX_DETECT_DIM:
scale = MAX_DETECT_DIM / max(height, width)
image_cv = cv2.resize(image_cv, (int(width * scale), int(height * scale)), interpolation=cv2.INTER_AREA)
height, width = image_cv.shape[:2]
gray = cv2.cvtColor(image_cv, cv2.COLOR_BGR2GRAY)
# Optional: reduce OpenCV internal thread usage (helps in HF containers)
try:
cv2.setNumThreads(1)
except Exception:
pass
# --- Edge Detection ---
edges = cv2.Canny(gray, 50, 150)
# --- Edge Density Calculation ---
w_half = width // 2
left_region = edges[:, :w_half]
right_region = edges[:, w_half:]
left_edge_density = np.sum(left_region > 0) / (left_region.shape[0] * left_region.shape[1])
right_edge_density = np.sum(right_region > 0) / (right_region.shape[0] * right_region.shape[1])
overall_edge_density = np.sum(edges > 0) / (edges.shape[0] * edges.shape[1])
has_text_region = (
(left_edge_density > 0.08 and right_edge_density > 0.08) or
overall_edge_density > 0.15
)
# --- Line Detection ---
lines = cv2.HoughLinesP(
edges,
rho=1,
theta=np.pi/180,
threshold=120, # slightly higher reduces line explosion
minLineLength=100,
maxLineGap=10
)
line_count = len(lines) if lines is not None else 0
diag_lines_raw = 0
raw_angles = []
if lines is not None:
for line in lines:
x1, y1, x2, y2 = line[0]
angle = np.abs(np.arctan2(y2 - y1, x2 - x1) * 180 / np.pi)
if 10 < angle < 80 or 100 < angle < 170:
diag_lines_raw += 1
raw_angles.append(angle)
run_circles = diag_lines_raw >= 1 or line_count >= 6
# --- Circle Detection (Optimized) ---
circle_count = 0
circles = None
if run_circles:
scale = 0.5 if max(height, width) > 800 else 1.0
small_gray = cv2.resize(gray, (int(width*scale), int(height*scale)), interpolation=cv2.INTER_AREA) if scale < 1.0 else gray
circles = cv2.HoughCircles(
small_gray,
cv2.HOUGH_GRADIENT,
dp=2.5,
minDist=60,
param1=50,
param2=55,
minRadius=18,
maxRadius=100
)
if circles is not None:
circle_count = circles.shape[2]
# --- Color Diversity Analysis ---
small_for_hist = cv2.resize(image_cv, (256, 256), interpolation=cv2.INTER_AREA)
hsv = cv2.cvtColor(small_for_hist, cv2.COLOR_BGR2HSV)
hist = cv2.calcHist([hsv], [0], None, [180], [0, 180])
color_peaks = int(np.sum(hist > (np.mean(hist) * 2)))
# --- Contour Detection ---
contours, _ = cv2.findContours(edges, cv2.RETR_EXTERNAL, cv2.CHAIN_APPROX_SIMPLE)
significant_contours = 0
rectangle_contours = 0
similar_rectangles = []
large_contours = 0
small_scattered_contours = 0
for contour in contours:
area = cv2.contourArea(contour)
if area < 500:
small_scattered_contours += 1
elif 1500 < area < 40000:
significant_contours += 1
peri = cv2.arcLength(contour, True)
approx = cv2.approxPolyDP(contour, 0.04 * peri, True)
if len(approx) == 4:
rectangle_contours += 1
x, y, w, h = cv2.boundingRect(contour)
similar_rectangles.append((w, h, area))
elif 40000 < area < 500000:
large_contours += 1
# --- Bar Chart Pattern Detection ---
bar_pattern = False
if len(similar_rectangles) >= 6:
widths = [r[0] for r in similar_rectangles]
heights = [r[1] for r in similar_rectangles]
width_std = np.std(widths)
height_std = np.std(heights)
avg_width = np.mean(widths)
avg_height = np.mean(heights)
if (width_std < avg_width * 0.3 or height_std < avg_height * 0.3):
bar_pattern = True
# --- Line Classification (filtered) ---
horizontal_lines = 0
vertical_lines = 0
diag_lines_filtered = 0
line_angles = []
very_short_lines = 0
if lines is not None:
for line in lines:
x1, y1, x2, y2 = line[0]
length = np.hypot(x2 - x1, y2 - y1)
if length < 50:
very_short_lines += 1
continue
if length < 80:
continue
angle = np.abs(np.arctan2(y2 - y1, x2 - x1) * 180 / np.pi)
line_angles.append(angle)
if angle < 10 or angle > 170:
horizontal_lines += 1
elif 80 < angle < 100:
vertical_lines += 1
else:
diag_lines_filtered += 1
angle_variance = float(np.var(line_angles)) if len(line_angles) > 2 else 0.0
# --- Debug Logging ---
logger.debug(f"Chart detection features: lines={line_count}, diag_lines_raw={diag_lines_raw}, diag_lines_filtered={diag_lines_filtered}, circles={circle_count}, horizontal_lines={horizontal_lines}, vertical_lines={vertical_lines}, color_peaks={color_peaks}, angle_variance={angle_variance}")
# --- Chart Heuristics and Classification ---
chart_types = []
confidence = 0.0
description = ""
rejection_reason = ""
# Negative checks (text slides, decorative backgrounds, tables)
if has_text_region and circle_count < 2 and diag_lines_filtered < 2 and not bar_pattern:
if small_scattered_contours > 100 or very_short_lines > 50:
rejection_reason = f"Text slide with decorative background (overall density: {overall_edge_density:.2%})"
logger.debug(f"Rejected: {rejection_reason}")
return _chart_result(False, 0.0, [], rejection_reason, line_count, circle_count, overall_edge_density)
if very_short_lines > 50 and circle_count < 2 and diag_lines_filtered < 3 and line_count < 10:
rejection_reason = f"Decorative network background ({very_short_lines} tiny lines, no data elements)"
logger.debug(f"Rejected: {rejection_reason}")
return _chart_result(False, 0.0, [], rejection_reason, line_count, circle_count, overall_edge_density)
if horizontal_lines > 12 and vertical_lines > 12 and circle_count == 0 and diag_lines_filtered < 2:
grid_lines = horizontal_lines + vertical_lines
total_lines = line_count
grid_ratio = grid_lines / max(total_lines, 1)
if grid_ratio > 0.75:
rejection_reason = f"Simple table pattern (H:{horizontal_lines}, V:{vertical_lines})"
logger.debug(f"Rejected: {rejection_reason}")
return _chart_result(False, 0.0, [], rejection_reason, line_count, circle_count, overall_edge_density)
# Positive chart heuristics (bubble, scatter, line, pie, bar, complex)
# RELAXED: Detect as line chart if 2+ diagonal lines and angle variance > 40, or 1+ diagonal line and 1+ axis
if (
(diag_lines_filtered >= 2 and angle_variance > 40) or
(diag_lines_filtered >= 1 and (horizontal_lines >= 1 or vertical_lines >= 1))
):
chart_types.append("line_chart")
confidence = max(confidence, min(0.88, 0.6 + (diag_lines_filtered / 40)))
if (horizontal_lines >= 1 or vertical_lines >= 1):
confidence = min(0.95, confidence + 0.08)
if not description:
description = f"Line chart: {diag_lines_filtered} diagonal lines, axes: {horizontal_lines+vertical_lines}, variance: {angle_variance:.0f}"
if circle_count >= 5:
chart_types.append("bubble_chart")
confidence = min(0.92, 0.70 + (min(circle_count, 20) * 0.01))
description = f"Bubble chart: {circle_count} circles"
if color_peaks > 5:
confidence = min(0.95, confidence + 0.1)
description += f", {int(color_peaks)} color zones"
if large_contours > 2:
confidence = min(0.97, confidence + 0.05)
chart_types.append("zone_diagram")
description += f", {large_contours} colored regions"
elif circle_count >= 3 and diag_lines_filtered > 2:
chart_types.append("scatter_plot")
confidence = max(confidence, 0.75)
description = f"Scatter plot: {circle_count} data points"
if circle_count > 0 and circle_count < 5:
if "bubble_chart" not in chart_types:
chart_types.append("pie_chart")
confidence = max(confidence, 0.80)
if not description:
description = f"Pie chart: {circle_count} circular pattern(s)"
if bar_pattern and rectangle_contours >= 6:
chart_types.append("bar_chart")
confidence = max(confidence, 0.75 + (min(rectangle_contours, 12) / 40))
if not description:
description = f"Bar chart: {rectangle_contours} bars"
if circle_count >= 3 and large_contours >= 2 and color_peaks > 5:
chart_types.append("complex_visualization")
confidence = max(confidence, 0.85)
if not description:
description = "Complex visualization with zones and data points"
has_moderate_axes = (1 <= horizontal_lines <= 6 or 1 <= vertical_lines <= 6)
has_real_data = (circle_count >= 3 or diag_lines_filtered >= 2 or bar_pattern)
if has_moderate_axes and has_real_data and confidence > 0.3:
confidence = min(0.90, confidence + 0.10)
if not description:
description = f"Chart with axes and data elements"
# Final chart determination
strong_indicator = (
(diag_lines_filtered >= 2 and angle_variance > 40) or
(diag_lines_filtered >= 1 and (horizontal_lines >= 1 or vertical_lines >= 1)) or
circle_count >= 5 or
(circle_count >= 3 and large_contours >= 2) or
bar_pattern or
(circle_count >= 3 and color_peaks > 5)
)
has_chart = (
len(chart_types) > 0 and
confidence > 0.4 and
strong_indicator
)
total_time = time.time() - start_time
if has_chart:
logger.info(f"?? OpenCV detection: {total_time*1000:.0f}ms (lines:{line_count}, diag_lines_filtered:{diag_lines_filtered}, circles:{circle_count}, axes:{horizontal_lines+vertical_lines}, angle_variance:{angle_variance})")
else:
logger.debug(f"?? OpenCV detection: {total_time*1000:.0f}ms (rejected)")
return {
'has_chart': has_chart,
'confidence': float(confidence),
'chart_types': list(set(chart_types)),
'description': description or "Potential chart detected",
'features': {
'lines': line_count,
'diagonal_lines_raw': diag_lines_raw,
'diagonal_lines_filtered': diag_lines_filtered,
'circles': circle_count,
'contours': significant_contours,
'rectangles': rectangle_contours,
'horizontal_lines': horizontal_lines,
'vertical_lines': vertical_lines,
'angle_variance': float(angle_variance),
'bar_pattern': bar_pattern,
'large_contours': large_contours,
'color_peaks': int(color_peaks),
'text_region': has_text_region,
'very_short_lines': very_short_lines,
'overall_edge_density': float(overall_edge_density),
'detection_time_ms': float(total_time * 1000)
}
}
except ImportError as e:
logger.warning(f"OpenCV not installed: {e}")
logger.info("Install with: pip install opencv-python")
return {
'has_chart': False,
'confidence': 0.0,
'chart_types': [],
'description': 'OpenCV required for local detection',
'features': {},
'error': 'opencv_not_installed'
}
except Exception as e:
logger.error(f"Chart detection error: {e}")
return {
'has_chart': False,
'confidence': 0.0,
'chart_types': [],
'description': f'Detection error: {str(e)}',
'features': {},
'error': str(e)
}
def _chart_result(has_chart, confidence, chart_types, description, line_count, circle_count, overall_edge_density):
"""Helper to return a standard chart detection result dict."""
return {
'has_chart': has_chart,
'confidence': confidence,
'chart_types': chart_types,
'description': description,
'features': {
'lines': line_count,
'circles': circle_count,
'overall_edge_density': float(overall_edge_density)
}
}
# Detection configuration thresholds (BALANCED - detect real charts, reject pure text)
DETECTION_CONFIG = {
'min_circles_bubble_chart': 5,
'min_circles_scatter': 3,
'min_diagonal_lines': 5, # Lowered from 8 for line charts
'min_angle_variance': 150, # Lowered from 200 for line charts
'min_rectangle_contours': 6,
'min_confidence_threshold': 0.4, # Lowered from 0.5
'max_grid_ratio': 0.75,
'max_text_edge_density_both': 0.08, # Both sides text
'max_text_edge_density_overall': 0.15, # Entire page text
'min_very_short_lines_mesh': 50,
'axis_confidence_bonus': 0.10,
'min_line_length': 80,
'contour_area_min': 1500,
'contour_area_max': 40000,
'large_contour_min': 40000,
'large_contour_max': 500000,
'circle_radius_min': 15,
'circle_radius_max': 300,
'min_bar_chart_bars': 6,
'min_color_peaks': 5
}
|