Spaces:
Running
Running
File size: 8,721 Bytes
28035e9 37a0153 28035e9 37a0153 28035e9 | 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 | """Main DSPy reasoning pipeline β optimized for speed.
Reduced from 9 stages to 4 LLM calls in the happy path:
1. AnalyzeAndPlan (question understanding + schema analysis + query planning)
2. SQLGeneration
3. SQLCritiqueAndFix (one pass; only retries on failure)
4. InterpretAndInsight (interpretation + insights in one call)
"""
import json
import logging
import re
from typing import Any
import dspy
from ai.groq_setup import get_lm
from ai.signatures import (
AnalyzeAndPlan,
SQLGeneration,
SQLRepair,
InterpretAndInsight,
)
from ai.validator import validate_sql, check_sql_against_schema
from db.schema import format_schema
from db.relationships import format_relationships
from db.profiler import get_data_profile
from db.executor import execute_sql
logger = logging.getLogger(__name__)
MAX_REPAIR_RETRIES = 2
class SQLAnalystPipeline:
"""End-to-end reasoning pipeline: question β SQL β results β insights."""
def __init__(self, provider: str = "groq"):
# For now we always use the globally configured LM (Groq).
self.provider = provider
self._lm = get_lm(provider)
# DSPy predict modules β rely on global dspy.settings
self.analyze = dspy.Predict(AnalyzeAndPlan)
self.generate_sql = dspy.Predict(SQLGeneration)
self.interpret = dspy.Predict(InterpretAndInsight)
self.repair = dspy.Predict(SQLRepair)
# ββ public API ββββββββββββββββββββββββββββββββββββββββββββββββββββββ
def run(self, question: str) -> dict[str, Any]:
"""Run the full pipeline and return {sql, data, answer, insights}."""
schema_str = format_schema()
rels_str = format_relationships()
profile_str = get_data_profile()
# 1. Analyze & Plan (single LLM call replaces 3 former stages)
logger.info("Stage 1 β Analyze & Plan")
plan = self.analyze(
question=question,
schema_info=schema_str,
relationships=rels_str,
data_profile=profile_str,
)
plan_text = (
f"Intent: {plan.intent}\n"
f"Tables: {plan.relevant_tables}\n"
f"Columns: {plan.relevant_columns}\n"
f"Joins: {plan.join_conditions}\n"
f"Where: {plan.where_conditions}\n"
f"Aggregations: {plan.aggregations}\n"
f"Group By: {plan.group_by}\n"
f"Order By: {plan.order_by}\n"
f"Limit: {plan.limit_val}"
)
# 2. SQL Generation
logger.info("Stage 2 β SQL Generation")
sql_result = self.generate_sql(
question=question,
schema_info=schema_str,
query_plan=plan_text,
)
sql = self._clean_sql(sql_result.sql_query)
# 3. Code-based schema validation (instant β no LLM call)
logger.info("Stage 3 β Schema Validation")
from db.schema import get_schema
schema_valid, schema_issues = check_sql_against_schema(sql, get_schema())
if not schema_valid:
logger.warning(f"Schema issues detected: {schema_issues}")
# Try regenerating SQL once with the issues as feedback
sql_result = self.generate_sql(
question=question,
schema_info=schema_str,
query_plan=plan_text + f"\n\nPREVIOUS SQL HAD ISSUES: {schema_issues}. Fix them.",
)
sql = self._clean_sql(sql_result.sql_query)
# 4. Safety validation (no LLM call)
is_safe, reason = validate_sql(sql)
if not is_safe:
return {
"sql": sql,
"data": [],
"answer": f"Query rejected: {reason}",
"insights": "",
}
# 5. SQL Execution + repair loop
logger.info("Stage 4 β Executing SQL")
exec_result = execute_sql(sql)
for attempt in range(MAX_REPAIR_RETRIES):
if exec_result["success"]:
break
logger.warning(f"SQL error (attempt {attempt + 1}): {exec_result['error']}")
repair_result = self.repair(
sql_query=sql,
error_message=exec_result["error"],
schema_info=schema_str,
question=question,
)
sql = self._clean_sql(repair_result.corrected_sql)
is_safe, reason = validate_sql(sql)
if not is_safe:
return {
"sql": sql,
"data": [],
"answer": f"Repaired query rejected: {reason}",
"insights": "",
}
exec_result = execute_sql(sql)
if not exec_result["success"]:
return {
"sql": sql,
"data": [],
"answer": f"Failed after {MAX_REPAIR_RETRIES} repairs. Error: {exec_result['error']}",
"insights": "",
}
data = exec_result["data"]
data_for_llm = data[:50]
results_json = json.dumps(data_for_llm, default=str)
# 6. Interpret & Insight (single LLM call replaces 2 former stages)
logger.info("Stage 5 β Interpret & Insight")
result = self.interpret(
question=question,
sql_query=sql,
query_results=results_json,
)
return {
"sql": sql,
"data": data,
"answer": result.answer,
"insights": result.insights,
}
def generate_sql_only(self, question: str) -> str:
"""Run the pipeline up to SQL generation and return just the SQL."""
schema_str = format_schema()
rels_str = format_relationships()
profile_str = get_data_profile()
plan = self.analyze(
question=question,
schema_info=schema_str,
relationships=rels_str,
data_profile=profile_str,
)
plan_text = (
f"Intent: {plan.intent}\n"
f"Tables: {plan.relevant_tables}\n"
f"Columns: {plan.relevant_columns}\n"
f"Joins: {plan.join_conditions}\n"
f"Where: {plan.where_conditions}\n"
f"Aggregations: {plan.aggregations}\n"
f"Group By: {plan.group_by}\n"
f"Order By: {plan.order_by}\n"
f"Limit: {plan.limit_val}"
)
sql_result = self.generate_sql(
question=question,
schema_info=schema_str,
query_plan=plan_text,
)
sql = self._clean_sql(sql_result.sql_query)
# Code-based schema check
from db.schema import get_schema
schema_valid, schema_issues = check_sql_against_schema(sql, get_schema())
if not schema_valid:
sql_result = self.generate_sql(
question=question,
schema_info=schema_str,
query_plan=plan_text + f"\n\nPREVIOUS SQL HAD ISSUES: {schema_issues}. Fix them.",
)
sql = self._clean_sql(sql_result.sql_query)
return sql
# ββ helpers βββββββββββββββββββββββββββββββββββββββββββββββββββββββββ
@staticmethod
def _clean_sql(raw: str) -> str:
"""Strip markdown fences, trailing prose, and whitespace from LLM SQL."""
sql = raw.strip()
# 1. Remove ```sql ... ``` wrappers
if sql.startswith("```"):
lines = sql.split("\n")
lines = [l for l in lines if not l.strip().startswith("```")]
sql = "\n".join(lines).strip()
# 2. Extract only the first valid SQL statement
match = re.search(
r"((?:SELECT|WITH)\b[\s\S]*?)(;|\n\n(?=[A-Z][a-z])|$)",
sql,
re.IGNORECASE,
)
if match:
sql = match.group(1).strip()
# 3. Remove trailing lines that look like natural language
cleaned_lines: list[str] = []
for line in sql.split("\n"):
stripped = line.strip()
if not stripped:
cleaned_lines.append(line)
continue
if re.match(
r"^(However|Note|This|The|Please|But|Also|In |It |I |Here|Since|Because|Although|Unfortunately)",
stripped,
):
break
cleaned_lines.append(line)
sql = "\n".join(cleaned_lines).strip()
# 4. Remove trailing semicolons
sql = sql.rstrip(";")
return sql
|