Spaces:
Sleeping
Sleeping
File size: 31,135 Bytes
c36c8e5 c442c5a c36c8e5 d864f20 c36c8e5 d864f20 c36c8e5 d864f20 c36c8e5 19f3a9e d864f20 19f3a9e c36c8e5 d864f20 c36c8e5 19f3a9e c36c8e5 19f3a9e c36c8e5 19f3a9e c36c8e5 19f3a9e c36c8e5 19f3a9e c36c8e5 67611e2 19f3a9e 67611e2 2650443 2f50e0a 19f3a9e 2f50e0a 29bf2eb 19f3a9e 29bf2eb 057135b 29bf2eb c442c5a 4791304 19f3a9e 4791304 19f3a9e 4791304 19f3a9e 4791304 19f3a9e 4791304 19f3a9e 4791304 19f3a9e 4791304 19f3a9e 4791304 c36c8e5 | 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 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468 469 470 471 472 473 474 475 476 477 478 479 480 481 482 483 484 485 486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515 516 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 559 560 561 562 563 564 565 566 567 568 569 570 571 572 573 574 575 576 577 578 579 580 581 582 | """Programmatic SQL pattern checker.
Detects known bad SQL patterns that LLMs generate incorrectly even when
instructed otherwise. Each detector returns a structured issue dict so the
pipeline can trigger a targeted LLM repair with a precise explanation.
"""
import re
from typing import Any
def _build_alias_map(sql: str) -> dict[str, str]:
"""Extract alias β full_table_name mapping from FROM / JOIN clauses.
Handles: FROM table_name alias
FROM table_name AS alias
JOIN table_name alias
JOIN table_name AS alias
Returns lower-cased keys and values.
"""
alias_map: dict[str, str] = {}
pattern = re.compile(
r'(?:FROM|JOIN)\s+"?(\w+)"?\s+(?:AS\s+)?"?(\w+)"?',
re.IGNORECASE,
)
for table, alias in pattern.findall(sql):
alias_map[alias.lower()] = table.lower()
# also map table β table in case no alias is used
alias_map[table.lower()] = table.lower()
return alias_map
def check_column_table_mismatches(sql: str) -> list[dict[str, Any]]:
"""Schema-aware check: detect alias.column references where the column
does not exist in the aliased table.
Uses the live database schema so it works for ANY table/column β nothing
is hardcoded. Returns issue dicts in the same format as check_sql_patterns.
"""
try:
from db.schema import get_schema
schema = get_schema()
except Exception:
return [] # schema unavailable, skip check
# Build {table_name_lower: {col_lower, ...}}
table_cols: dict[str, set[str]] = {
t.lower(): {c["column_name"].lower() for c in cols}
for t, cols in schema.items()
}
alias_map = _build_alias_map(sql)
issues: list[dict[str, Any]] = []
seen: set[str] = set()
# Find all alias.column references in the SQL
for alias, col in re.findall(r'\b(\w+)\.(\w+)\b', sql):
alias_l = alias.lower()
col_l = col.lower()
key = f"{alias_l}.{col_l}"
if key in seen:
continue
seen.add(key)
table_l = alias_map.get(alias_l)
if table_l is None:
continue # unknown alias (subquery alias, CTE name, etc.) β skip
if table_l not in table_cols:
continue # table not in schema β already caught by schema validator
if col_l not in table_cols[table_l]:
# Find which tables DO have this column
tables_with_col = [
t for t, cols in table_cols.items() if col_l in cols
]
# Build a helpful correction hint
if tables_with_col:
hint = (
f"Column '{col}' does NOT exist in '{table_l}'. "
f"It is available in: {', '.join(tables_with_col)}. "
f"JOIN the correct table on sol_id / so_id / po_id as appropriate "
f"and reference that table's alias instead."
)
else:
hint = (
f"Column '{col}' does NOT exist in '{table_l}' "
f"or any other table in the schema. "
f"Remove it or use a column that actually exists."
)
issues.append({
"pattern_name": f"wrong_table_for_{col_l}",
"description": (
f"CRITICAL BUG β column '{col}' referenced via alias '{alias}' "
f"which maps to table '{table_l}', but that column does not exist there."
),
"correction": hint,
})
return issues
def check_sql_patterns(sql: str) -> list[dict[str, Any]]:
"""Detect known bad patterns in a generated SQL string.
Returns a list of issue dicts:
{
"pattern_name": str, # short id
"description": str, # what is wrong and why
"correction": str, # exact fix to apply
}
An empty list means no issues found.
"""
issues: list[dict[str, Any]] = []
sql_lower = sql.lower()
# ββ Pattern 1 ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Fan-out: purchase_order JOINed to sales_allocation with SUM but no
# DISTINCT subquery β total_amount counted once per linked SO.
if (
"sales_allocation" in sql_lower
and "purchase_order" in sql_lower
and re.search(r"\bsum\s*\(", sql_lower)
and "distinct" not in sql_lower
):
issues.append({
"pattern_name": "fanout_po_link",
"description": (
"CRITICAL BUG β fan-out on sales_allocation: "
"sales_allocation has MULTIPLE rows per po_id "
"(one per linked sales order). Joining purchase_order to this table "
"and then doing SUM(total_amount) counts the same PO amount 2-3 times, "
"producing an inflated result (e.g. βΉ4,239 Cr instead of βΉ1,580 Cr)."
),
"correction": (
"Wrap purchase_order in a DISTINCT subquery FIRST, then aggregate outside:\n"
"\n"
"CORRECT pattern:\n"
"SELECT vendor_id, SUM(total_amount) AS total_value\n"
"FROM (\n"
" SELECT DISTINCT po.po_id, po.vendor_id, po.total_amount\n"
" FROM purchase_order po\n"
" JOIN sales_allocation pl ON po.po_id = pl.po_id\n"
" JOIN sales_order so ON pl.so_id = so.so_id\n"
" WHERE so.status = 'closed'\n"
") deduped\n"
"GROUP BY vendor_id\n"
"ORDER BY total_value DESC\n"
"\n"
"NEVER do: SUM(po.total_amount) directly after joining sales_allocation."
),
})
# ββ Pattern 2 ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# LAG/LEAD window function with ORDER BY that includes month but not year.
# The data spans multiple years β ordering by month alone compares months
# across different years incorrectly.
if re.search(r"\blag\s*\(|\blead\s*\(", sql_lower):
# Find all OVER (...) clauses
over_blocks = re.findall(
r"over\s*\(([^)]*order\s+by[^)]*)\)", sql, re.IGNORECASE
)
for block in over_blocks:
block_lower = block.lower()
has_month = bool(re.search(r"\bmonth\b", block_lower))
has_year = bool(re.search(r"\byear\b", block_lower))
if has_month and not has_year:
issues.append({
"pattern_name": "lag_month_only_order",
"description": (
"CRITICAL BUG β LAG/LEAD window function orders by MONTH only. "
"The sales data spans multiple years (2024β2026). Ordering by month "
"alone makes the window function compare months across different years "
"(e.g. December 2024 followed by January 2024 instead of January 2025), "
"producing incorrect growth rates."
),
"correction": (
"Always ORDER BY YEAR first, then MONTH inside window functions:\n"
"\n"
"CORRECT pattern:\n"
"WITH monthly AS (\n"
" SELECT\n"
" EXTRACT(YEAR FROM order_date::date) AS yr,\n"
" EXTRACT(MONTH FROM order_date::date) AS mo,\n"
" SUM(total_amount) AS revenue\n"
" FROM sales_order\n"
" GROUP BY yr, mo\n"
")\n"
"SELECT yr, mo, revenue,\n"
" LAG(revenue) OVER (ORDER BY yr ASC, mo ASC) AS prev_revenue\n"
"FROM monthly\n"
"ORDER BY yr ASC, mo ASC\n"
"\n"
"Also GROUP BY yr, mo β never just mo."
),
})
break # one report is enough
# ββ Pattern 3 ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# IGI/NC read from the 'quality' column of diamond tables.
# The quality column holds diamond grades (e.g. 'GH VVS'), never 'IGI'/'NC'.
# Certification is always in the last segment of variant_sku.
if re.search(r"\bquality\b", sql_lower):
# Check if IGI or NC appear as filter values near the quality column
if re.search(
r"quality\s*(=|in\s*\(|like)\s*['\"]?\s*(igi|nc|non.?igi|non.?certified)",
sql_lower,
):
issues.append({
"pattern_name": "igi_nc_from_quality_column",
"description": (
"CRITICAL BUG β IGI/NC filtered from the quality column. "
"The quality column in diamond tables contains diamond grades "
"like 'GH VVS', 'EF VVS-VS' β the values 'IGI' and 'NC' do NOT "
"exist there, so this filter always returns zero rows."
),
"correction": (
"Read certification from the LAST segment of variant_sku:\n"
" IGI certified β variant_sku LIKE '%-IGI'\n"
" Non-certified β variant_sku LIKE '%-NC'\n"
"\n"
"Apply on sales_order_line or sales_order_line_pricing.\n"
"\n"
"CORRECT pattern (customers with both IGI and NC in same order):\n"
"SELECT customer_id FROM sales_order so\n"
"WHERE so.so_id IN (\n"
" SELECT so_id FROM sales_order_line\n"
" WHERE variant_sku LIKE '%-IGI'\n"
" INTERSECT\n"
" SELECT so_id FROM sales_order_line\n"
" WHERE variant_sku LIKE '%-NC'\n"
")"
),
})
# ββ Pattern 1a βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Missing DISTINCT when selecting a header ID after joining to line tables.
# One header (so_id / po_id) matches many line rows β same ID repeated per line.
# Detectable: SELECT has a header ID, JOINs include line tables, no DISTINCT,
# no aggregation (COUNT/SUM/AVG/etc.) in the SELECT list.
SALES_LINE_TABLES_SET = {
"sales_order_line",
"sales_order_line_pricing",
"sales_order_line_gold",
"sales_order_line_diamond",
"po_line_items",
"po_line_pricing",
"po_line_diamond",
"po_line_gold",
}
HEADER_IDS = {"so_id", "po_id", "sol_id", "pol_id"}
tables_referenced = {t.lower() for t in re.findall(r'\b(\w+)\b', sql_lower)}
joins_line_table = bool(SALES_LINE_TABLES_SET & tables_referenced)
if joins_line_table:
# Extract SELECT list (between SELECT and FROM)
select_match = re.search(r'\bselect\b(.*?)\bfrom\b', sql_lower, re.DOTALL)
if select_match:
select_list = select_match.group(1).strip()
has_distinct = select_list.startswith("distinct")
has_aggregation = bool(re.search(r'\b(sum|count|avg|min|max)\s*\(', select_list))
# Check if only header IDs (and maybe names) are selected
selected_cols = {c.strip().split('.')[-1].split(' ')[0]
for c in select_list.split(',')}
selects_only_header_id = bool(HEADER_IDS & selected_cols) and not has_aggregation
if selects_only_header_id and not has_distinct:
issues.append({
"pattern_name": "missing_distinct_header_id_with_line_join",
"description": (
"DUPLICATE ROWS β selecting a header ID (so_id/po_id) after joining "
"to line-level tables without DISTINCT. One order can have many line "
"items; without DISTINCT the same so_id appears once per matching "
"line, inflating row count (e.g. 11,111 rows instead of 8,079 orders)."
),
"correction": (
"Add DISTINCT immediately after SELECT:\n"
" WRONG: SELECT so.so_id FROM ... JOIN sales_order_line ...\n"
" CORRECT: SELECT DISTINCT so.so_id FROM ... JOIN sales_order_line ...\n"
"\n"
"Also: when comparing per-unit columns against each other in WHERE, "
"do not multiply both sides by quantity β it cancels out:\n"
" REDUNDANT: making_charges_per_unit * quantity > diamond_amount_per_unit * quantity\n"
" SIMPLIFIED: making_charges_per_unit > diamond_amount_per_unit"
),
})
# ββ Pattern 1b βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# "Top X per group" answered as a global sort instead of PARTITION BY ranking.
#
# Symptom: GROUP BY has 2+ columns, ORDER BY present, no LIMIT (all rows
# returned) and no window ranking function (ROW_NUMBER/RANK/DENSE_RANK/
# PARTITION BY). This returns every group-entity combination sorted globally
# instead of the top-1 (or top-N) within each group.
#
# Example: "top customer per city"
# WRONG: GROUP BY city, customer ORDER BY revenue DESC β 126 rows (all)
# RIGHT: ROW_NUMBER() OVER (PARTITION BY city ORDER BY revenue DESC), WHERE rnk=1
has_window_ranking = bool(re.search(
r"\b(?:row_number|rank|dense_rank)\s*\(|\bpartition\s+by\b",
sql_lower,
))
has_limit = bool(re.search(r"\blimit\s+\d+", sql_lower))
has_order_by = bool(re.search(r"\border\s+by\b", sql_lower))
if not has_window_ranking and has_order_by and not has_limit:
# Count distinct columns in GROUP BY clause
group_by_match = re.search(r"\bgroup\s+by\b(.+?)(?:\border\s+by\b|\blimit\b|\bhaving\b|$)",
sql_lower, re.DOTALL)
if group_by_match:
group_cols = [c.strip() for c in group_by_match.group(1).split(",") if c.strip()]
if len(group_cols) >= 2:
issues.append({
"pattern_name": "top_per_group_missing_partition_by",
"description": (
"POSSIBLE WRONG RESULT β 'top per group' answered as a global sort. "
"The query uses GROUP BY with multiple columns and ORDER BY, but has "
"no PARTITION BY or ROW_NUMBER/RANK window function and no LIMIT. "
"This returns ALL rows sorted globally β not one top row per group. "
"For questions like 'top customer per city' or 'best product per category', "
"you must use ROW_NUMBER() OVER (PARTITION BY group_col ORDER BY metric DESC) "
"in a subquery, then filter WHERE rnk = 1 outside."
),
"correction": (
"Re-read the question. If it asks for the top item WITHIN each group "
"(e.g. 'per city', 'per category', 'for each X'), use this pattern:\n"
"\n"
"SELECT group_col, entity_col, metric\n"
"FROM (\n"
" SELECT group_col, entity_col,\n"
" SUM(metric_col) AS metric,\n"
" ROW_NUMBER() OVER (\n"
" PARTITION BY group_col\n"
" ORDER BY SUM(metric_col) DESC\n"
" ) AS rnk\n"
" FROM ...\n"
" WHERE so.status = 'closed'\n"
" GROUP BY group_col, entity_col\n"
") t\n"
"WHERE rnk = 1\n"
"ORDER BY metric DESC\n"
"\n"
"If the question asks for a global top (not per group), add LIMIT N "
"to the original query instead."
),
})
# ββ Pattern 2a βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Cumulative/running window applied directly to raw table rows without
# pre-aggregating by date. SUM(...) OVER (ORDER BY date) on a raw scan
# produces one row per ORDER, not one per date.
# Detectable: OVER (ORDER BY ...) present + no subquery/CTE with GROUP BY.
if re.search(r"\bover\s*\(.*?order\s+by\b", sql_lower, re.DOTALL):
has_window = bool(re.search(r"\bsum\s*\([^)]+\)\s+over\s*\(", sql_lower))
# Count how many times SELECT appears β more than one means a subquery exists
select_count = len(re.findall(r"\bselect\b", sql_lower))
# GROUP BY anywhere in the SQL (covers both CTE and inline subquery patterns)
has_any_group_by = bool(re.search(r"\bgroup\s+by\b", sql_lower))
# If there's a subquery (multiple SELECTs) with GROUP BY, treat it as pre-aggregated
has_pre_aggregation = has_any_group_by and select_count > 1
if has_window and not has_pre_aggregation:
issues.append({
"pattern_name": "cumulative_window_without_pre_aggregation",
"description": (
"WRONG RESULT β SUM(...) OVER (ORDER BY date) applied directly to raw rows. "
"With multiple orders per date, the window produces one cumulative value "
"per ORDER ROW, not per date β same date appears multiple times with "
"different cumulative totals. The correct approach is to GROUP BY date "
"first in a subquery, then apply the cumulative window on top."
),
"correction": (
"Aggregate by date first, then apply the window:\n"
"\n"
"CORRECT:\n"
"SELECT order_date, daily_revenue,\n"
" SUM(daily_revenue) OVER (ORDER BY order_date) AS cumulative_revenue\n"
"FROM (\n"
" SELECT order_date::date AS order_date,\n"
" SUM(total_amount) AS daily_revenue\n"
" FROM sales_order\n"
" WHERE status = 'closed'\n"
" GROUP BY order_date::date\n"
") t\n"
"ORDER BY order_date"
),
})
# ββ Pattern 2b βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# "Top N for BOTH metric A and metric B" β using ORDER BY a, b LIMIT N
# ranks by a (b is just tiebreaker). Needs two independent RANK() windows.
# Detectable: ORDER BY has two or more columns AND LIMIT present AND no RANK/ROW_NUMBER.
if (
re.search(r"\border\s+by\b[^;]+,", sql_lower) # ORDER BY with multiple cols
and re.search(r"\blimit\s+\d+", sql_lower)
and not re.search(r"\b(?:rank|row_number|dense_rank)\s*\(", sql_lower)
and re.search(r"\bsum\s*\(", sql_lower) # aggregation present
):
issues.append({
"pattern_name": "dual_metric_limit_not_dual_rank",
"description": (
"POSSIBLE BUG β ORDER BY metricA, metricB LIMIT N is NOT two independent "
"rankings. metricB is only a tiebreaker; the LIMIT picks top-N by metricA. "
"If the question asks for items that rank in the top N for BOTH metrics "
"independently, you must use two separate RANK() window functions."
),
"correction": (
"Use two independent RANK() windows and filter where both ranks <= N:\n"
"\n"
"SELECT * FROM (\n"
" SELECT product_id,\n"
" SUM(metric_a) AS metric_a,\n"
" SUM(metric_b) AS metric_b,\n"
" RANK() OVER (ORDER BY SUM(metric_a) DESC) AS rank_a,\n"
" RANK() OVER (ORDER BY SUM(metric_b) DESC) AS rank_b\n"
" FROM ...\n"
" GROUP BY product_id\n"
") t\n"
"WHERE rank_a <= N AND rank_b <= N"
),
})
# ββ Pattern 3a βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# WHERE status filter alongside CASE WHEN status β wrong denominator.
# When computing "percentage of X vs Y", the WHERE clause must NOT pre-filter
# by status because that shrinks the denominator (misses open/processing orders).
# CASE WHEN inside SUM() handles the split; no WHERE on status needed.
if (
re.search(r"\bcase\s+when\b.*?\bstatus\b", sql_lower, re.DOTALL)
and re.search(r"\bwhere\b.*?\bstatus\s+in\s*\(", sql_lower, re.DOTALL)
and re.search(r"\bsum\s*\(", sql_lower)
):
issues.append({
"pattern_name": "case_when_status_with_where_filter",
"description": (
"WRONG DENOMINATOR β a WHERE status IN (...) filter is combined with "
"CASE WHEN so.status = ... inside SUM(). "
"The WHERE clause removes rows before aggregation, making the denominator "
"(SUM of all orders) too small and inflating every percentage. "
"For percentage breakdowns across statuses, the CASE WHEN handles the split "
"and the WHERE clause on status must be removed."
),
"correction": (
"Remove the WHERE status filter. Let CASE WHEN handle the split:\n"
"\n"
"CORRECT pattern:\n"
"SELECT cm.customer_id, cm.customer_name,\n"
" ROUND((SUM(CASE WHEN so.status = 'closed' THEN so.total_amount ELSE 0 END)\n"
" * 100.0 / SUM(so.total_amount))::numeric, 2) AS pct_closed,\n"
" ROUND((SUM(CASE WHEN so.status = 'cancelled' THEN so.total_amount ELSE 0 END)\n"
" * 100.0 / SUM(so.total_amount))::numeric, 2) AS pct_cancelled\n"
"FROM sales_order so\n"
"JOIN customer_master cm ON so.customer_id = cm.customer_id\n"
"GROUP BY cm.customer_id, cm.customer_name\n"
"\n"
"No WHERE on status β SUM(so.total_amount) must include ALL orders as denominator."
),
})
# ββ Pattern 3b βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# "per order" metric computed with SUM(quantity) as denominator instead of
# COUNT(DISTINCT so_id). SUM(quantity) = revenue per unit; "per order"
# requires COUNT(DISTINCT so_id).
# Heuristic: division where the denominator contains sum(...quantity...)
if re.search(r"/\s*sum\s*\([^)]*quantit", sql_lower):
issues.append({
"pattern_name": "per_unit_instead_of_per_order",
"description": (
"POSSIBLE BUG β dividing by SUM(quantity) gives revenue per UNIT (per piece). "
"If the question asks for 'per order', the denominator must be "
"COUNT(DISTINCT so_id), not SUM(quantity). "
"These are completely different metrics: "
"SUM(line_total)/SUM(quantity) = avg revenue per item sold; "
"SUM(line_total)/COUNT(DISTINCT so_id) = avg revenue each time product appears in an order."
),
"correction": (
"Check the question: does it say 'per order' or 'per unit/piece'?\n"
" 'per order' β SUM(lp.line_total) / COUNT(DISTINCT so.so_id)\n"
" 'per unit' β SUM(lp.line_total) / SUM(lp.quantity)\n"
" 'per customer' β SUM(lp.line_total) / COUNT(DISTINCT so.customer_id)\n"
"If the question says 'per order', rewrite using COUNT(DISTINCT so.so_id)."
),
})
# ββ Pattern 3c βββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# PostgreSQL ROUND() requires numeric, not double precision.
# ROUND(expr, N) fails with "function round(double precision, integer) does not exist"
# if expr evaluates to double precision. Fix: cast to ::numeric before ROUND().
if re.search(r"\bround\s*\(", sql_lower):
# Check if any ROUND( call lacks a ::numeric cast inside it
round_calls = re.findall(r"round\s*\(([^;]+?),\s*\d+\s*\)", sql, re.IGNORECASE)
for call in round_calls:
if "::numeric" not in call.lower() and "::decimal" not in call.lower():
issues.append({
"pattern_name": "round_missing_numeric_cast",
"description": (
"PostgreSQL TYPE ERROR β ROUND(value, N) only accepts numeric as first "
"argument. If value is double precision (e.g. result of division or "
"SUM()), PostgreSQL raises: "
"'function round(double precision, integer) does not exist'. "
"You must cast to ::numeric before calling ROUND."
),
"correction": (
"Always cast the expression to ::numeric inside ROUND:\n"
" WRONG: ROUND(SUM(x) * 100.0 / SUM(y), 2)\n"
" CORRECT: ROUND((SUM(x) * 100.0 / SUM(y))::numeric, 2)\n"
"\n"
"Apply this to every ROUND(..., N) call in the query."
),
})
break # one report per query is enough
# ββ Pattern 4 ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Schema-aware: detect alias.column where column doesn't exist in that table.
# Generic β works for gold_kt on pricing table, or any future similar mistake.
issues.extend(check_column_table_mismatches(sql))
# ββ Pattern 5 ββββββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
# Sales line tables used without joining sales_order for the status filter.
# Any query on line-level tables (pricing, gold, diamond, sales_order_line)
# must join back to sales_order and apply status = 'closed'
# unless a different status is explicitly present in the SQL.
SALES_LINE_TABLES = {
"sales_order_line_pricing",
"sales_order_line_gold",
"sales_order_line_diamond",
"sales_order_line",
}
SALES_HEADER = "sales_order"
tables_in_sql = {t.lower() for t in re.findall(r'\b(\w+)\b', sql_lower)}
uses_line_table = bool(SALES_LINE_TABLES & tables_in_sql)
has_sales_header = SALES_HEADER in tables_in_sql
has_status_filter = bool(re.search(r"\bstatus\s*=", sql_lower))
if uses_line_table and not has_status_filter:
# Only flag if the header table is absent (status can't be filtered)
# OR if the header is present but status filter is still missing
issues.append({
"pattern_name": "missing_status_closed_on_line_tables",
"description": (
"MISSING status = 'closed' filter: the query uses sales line tables "
"(sales_order_line_pricing / sales_order_line_gold / sales_order_line_diamond) "
"but does not filter by sales_order status. "
"Line tables have no status column β you must JOIN sales_order "
"and add WHERE so.status = 'closed' to exclude incomplete/cancelled orders."
),
"correction": (
"Add a JOIN to sales_order and filter by status:\n"
"\n"
"JOIN sales_order_line sol ON lp.sol_id = sol.sol_id\n"
"JOIN sales_order so ON sol.so_id = so.so_id\n"
"WHERE so.status = 'closed'\n"
"\n"
"Full corrected structure example:\n"
"SELECT g.gold_kt,\n"
" SUM(lp.gold_amount_per_unit * lp.quantity) AS total_gold_amount,\n"
" SUM(lp.diamond_amount_per_unit * lp.quantity) AS total_diamond_amount,\n"
" SUM(lp.making_charges_per_unit * lp.quantity) AS total_making_charges\n"
"FROM sales_order_line_pricing lp\n"
"JOIN sales_order_line_gold g ON lp.sol_id = g.sol_id\n"
"JOIN sales_order_line sol ON lp.sol_id = sol.sol_id\n"
"JOIN sales_order so ON sol.so_id = so.so_id\n"
"WHERE so.status = 'closed'\n"
"GROUP BY g.gold_kt\n"
"ORDER BY g.gold_kt"
),
})
return issues
def format_issues_for_repair(issues: list[dict[str, Any]]) -> str:
"""Format detected issues into a clear repair instruction for the LLM."""
lines = [
"YOUR GENERATED SQL HAS THE FOLLOWING CRITICAL BUGS β REWRITE TO FIX ALL OF THEM:\n"
]
for i, issue in enumerate(issues, 1):
lines.append(f"BUG {i}: {issue['description']}")
lines.append(f"FIX {i}: {issue['correction']}")
lines.append("")
return "\n".join(lines)
|