Spaces:
Running
Running
File size: 15,461 Bytes
6b731f7 5ce70d3 6b731f7 7502356 6b731f7 5ce70d3 6b731f7 7502356 5ce70d3 6b731f7 7502356 6b731f7 7502356 6b731f7 c073e6b 6b731f7 5ce70d3 7502356 6b731f7 | 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 | """
Reasoner Module - The REASON step of the Reasoning Loop.
Decides what to investigate next based on:
- The user's original question
- What we've discovered so far (findings)
- Available tools
- Dataset schema
The Reasoner does NOT execute anything. It only produces a structured
decision about what action to take next.
Architecture:
Reasoner.reason() β ReasoningOutput
- status: "investigating" | "done"
- reasoning: why this action (decision ledger entry)
- tool_name: which tool to run
- arguments: tool arguments
- hypothesis: what we're testing
This replaces the old approach where a massive system prompt told the LLM
"follow steps 1-15." Instead, the Reasoner makes a strategic decision
each iteration based on what it's learned so far.
"""
import json
import re
from dataclasses import dataclass, field
from typing import Dict, Any, List, Optional, Callable
from .findings import FindingsAccumulator
@dataclass
class ReasoningOutput:
"""Output from one REASON step."""
status: str # "investigating" or "done"
reasoning: str # Why this action was chosen
tool_name: Optional[str] # Tool to execute (None if done)
arguments: Dict[str, Any] # Tool arguments
hypothesis: str # What we're testing with this action
confidence: float = 0.0 # How confident the reasoner is (0-1)
@classmethod
def done(cls, reasoning: str, confidence: float = 0.8) -> "ReasoningOutput":
"""Create a 'done' output (no more investigation needed)."""
return cls(
status="done",
reasoning=reasoning,
tool_name=None,
arguments={},
hypothesis="",
confidence=confidence
)
# System prompt for the Reasoner LLM call
REASONER_SYSTEM_PROMPT = """You are a senior data scientist. Your job is to decide the SINGLE MOST IMPORTANT next investigation step.
You are given:
1. The user's question
2. What has been discovered so far
3. The dataset schema
4. Available tools
Your task: Decide ONE action to take next. Be strategic:
- Start with understanding (profiling, correlations) before acting
- Test the most impactful hypothesis first
- Don't repeat actions that have already been done
- Stop when you have enough evidence to answer the question confidently
CRITICAL RULES:
- Output ONLY valid JSON, no other text
- Use EXACT tool names from the available tools list
- Use EXACT column names from the dataset schema
- For the file_path argument, ALWAYS use the ORIGINAL DATA FILE path (the CSV/parquet that was uploaded), NOT any output artifact paths (HTML reports, plots, etc.)
- If a previous tool produced a new data file (CSV/parquet), use THAT as file_path
- NEVER use an HTML, PNG, or report path as file_path for data-consuming tools
- For visualization, pick the chart type that best answers the question
- NEVER hallucinate column names - use only columns from the schema
TOOL FAILURE RULES:
- NEVER retry a tool that has already FAILED β try a DIFFERENT tool or approach instead
- If the "FAILED TOOLS" section lists a tool, that tool WILL fail again β do not call it
- If multiple tools have failed, consider stopping and synthesizing what you have
QUERY TYPE AWARENESS:
- For questions about "important features", "feature importance", "correlations", "patterns", or "explain the data":
Use EDA tools (profile_dataset, analyze_correlations, auto_feature_selection, generate_eda_plots)
Do NOT use model training tools (train_with_autogluon, train_model, etc.) β training is unnecessary for feature explanation
- Only use model training tools when the user explicitly asks to train, predict, build a model, or classify/regress"""
REASONER_USER_TEMPLATE = """**User's question**: {question}
**Dataset info**:
- Original data file (use this for file_path): {file_path}
- Rows: {num_rows:,} | Columns: {num_columns}
- Numeric columns: {numeric_columns}
- Categorical columns: {categorical_columns}
{target_info}
**Investigation so far**:
{findings_context}
**Available tools**:
{tools_description}
IMPORTANT:
- For ANY tool that needs a file_path argument, use "{file_path}" β the original data file. Do NOT use paths to HTML reports, plots, or other output artifacts.
- If a tool is listed under FAILED TOOLS above, do NOT call it again β it will fail. Choose a different tool or stop.
Decide the next action. Respond with ONLY this JSON:
{{
"status": "investigating" or "done",
"reasoning": "1-2 sentence explanation of why this action is needed",
"tool_name": "exact_tool_name",
"arguments": {{"arg1": "value1", "arg2": "value2"}},
"hypothesis": "what we expect to learn from this action"
}}
If you have enough evidence to answer the user's question, respond:
{{
"status": "done",
"reasoning": "We have sufficient evidence because...",
"tool_name": null,
"arguments": {{}},
"hypothesis": ""
}}"""
# System prompt for generating hypotheses (Exploratory mode)
HYPOTHESIS_SYSTEM_PROMPT = """You are a senior data scientist examining a dataset for the first time.
Given the dataset profile, generate 3-5 hypotheses worth investigating.
Focus on:
- Surprising patterns (unexpected correlations, outliers)
- Business-relevant relationships (what drives the target variable?)
- Data quality issues that could affect analysis
- Distribution anomalies
Output ONLY valid JSON array of hypotheses, ranked by priority (most interesting first)."""
HYPOTHESIS_USER_TEMPLATE = """**Dataset**: {file_path}
- Rows: {num_rows:,} | Columns: {num_columns}
- Numeric: {numeric_columns}
- Categorical: {categorical_columns}
{target_info}
{profile_summary}
Generate hypotheses as JSON:
[
{{"text": "hypothesis description", "priority": 0.9, "suggested_tool": "tool_name"}},
...
]"""
class Reasoner:
"""
The REASON step of the Reasoning Loop.
Makes a strategic decision about what to investigate next,
based on the user's question and accumulated findings.
Usage:
reasoner = Reasoner(llm_caller=orchestrator._llm_text_call)
output = reasoner.reason(
question="Why are customers churning?",
dataset_info=schema_info,
findings=findings_accumulator,
available_tools=tools_description,
file_path="data.csv"
)
if output.status == "investigating":
result = execute_tool(output.tool_name, output.arguments)
else:
# Done investigating, synthesize answer
...
"""
def __init__(self, llm_caller: Callable):
"""
Args:
llm_caller: Function (system_prompt, user_prompt, max_tokens) -> str
Wraps the orchestrator's provider-specific LLM call.
"""
self.llm_caller = llm_caller
def reason(
self,
question: str,
dataset_info: Dict[str, Any],
findings: FindingsAccumulator,
available_tools: str,
file_path: str,
target_col: Optional[str] = None
) -> ReasoningOutput:
"""
Decide the next investigation step.
Args:
question: User's original question
dataset_info: Dataset schema (columns, types, stats)
findings: Accumulated findings from previous iterations
available_tools: Text description of available tools
file_path: Current file path (latest output or original)
target_col: Optional target column
Returns:
ReasoningOutput with the next action to take
"""
# Build the user prompt
numeric_cols = dataset_info.get("numeric_columns", [])
categorical_cols = dataset_info.get("categorical_columns", [])
target_info = ""
if target_col:
target_info = f"- Target column: '{target_col}'"
user_prompt = REASONER_USER_TEMPLATE.format(
question=question,
file_path=file_path,
num_rows=dataset_info.get("num_rows", 0),
num_columns=dataset_info.get("num_columns", 0),
numeric_columns=", ".join([f"'{c}'" for c in numeric_cols[:15]]),
categorical_columns=", ".join([f"'{c}'" for c in categorical_cols[:15]]),
target_info=target_info,
findings_context=findings.get_context_for_reasoning(),
tools_description=available_tools
)
# Call LLM
response_text = self.llm_caller(
system_prompt=REASONER_SYSTEM_PROMPT,
user_prompt=user_prompt,
max_tokens=1024
)
# Parse response (pass findings so we can reject failed tools)
return self._parse_response(response_text, file_path, findings)
def generate_hypotheses(
self,
dataset_info: Dict[str, Any],
file_path: str,
target_col: Optional[str] = None,
profile_summary: str = ""
) -> List[Dict[str, Any]]:
"""
Generate hypotheses for exploratory analysis.
Called at the start of Exploratory mode to seed the
reasoning loop with interesting questions to investigate.
Args:
dataset_info: Dataset schema
file_path: Path to dataset
target_col: Optional target column
profile_summary: Optional profiling results summary
Returns:
List of hypothesis dicts with text, priority, suggested_tool
"""
numeric_cols = dataset_info.get("numeric_columns", [])
categorical_cols = dataset_info.get("categorical_columns", [])
target_info = ""
if target_col:
target_info = f"- Target column: '{target_col}'"
user_prompt = HYPOTHESIS_USER_TEMPLATE.format(
file_path=file_path,
num_rows=dataset_info.get("num_rows", 0),
num_columns=dataset_info.get("num_columns", 0),
numeric_columns=", ".join([f"'{c}'" for c in numeric_cols[:15]]),
categorical_columns=", ".join([f"'{c}'" for c in categorical_cols[:15]]),
target_info=target_info,
profile_summary=profile_summary or "No profile available yet."
)
response_text = self.llm_caller(
system_prompt=HYPOTHESIS_SYSTEM_PROMPT,
user_prompt=user_prompt,
max_tokens=1024
)
return self._parse_hypotheses(response_text)
def _parse_response(self, response_text: str, file_path: str, findings: Optional[FindingsAccumulator] = None) -> ReasoningOutput:
"""Parse LLM response into ReasoningOutput."""
try:
# Try direct JSON parse
data = json.loads(response_text.strip())
except json.JSONDecodeError:
# Try to extract JSON from markdown/text
json_match = re.search(r'\{[^{}]*(?:\{[^{}]*\}[^{}]*)*\}', response_text, re.DOTALL)
if json_match:
try:
data = json.loads(json_match.group(0))
except json.JSONDecodeError:
# Fallback: return a profiling action
return ReasoningOutput(
status="investigating",
reasoning="Could not parse LLM response, defaulting to profiling",
tool_name="profile_dataset",
arguments={"file_path": file_path},
hypothesis="Understanding the data structure first"
)
else:
return ReasoningOutput(
status="investigating",
reasoning="Could not parse LLM response, defaulting to profiling",
tool_name="profile_dataset",
arguments={"file_path": file_path},
hypothesis="Understanding the data structure first"
)
status = data.get("status", "investigating")
tool_name = data.get("tool_name")
arguments = data.get("arguments", {})
# π‘οΈ SAFETY: If LLM says "investigating" but provides no tool, treat as "done"
# This prevents wasting iterations on empty responses (seen in logs: 5 consecutive skips)
if status == "investigating" and not tool_name:
print(f" β οΈ Reasoner returned 'investigating' with no tool β forcing done")
return ReasoningOutput.done(
reasoning=data.get("reasoning", "No further tool selected. Synthesizing available findings."),
confidence=max(0.4, float(data.get("confidence", 0.4)))
)
# Ensure file_path is in arguments if tool needs it
if tool_name and "file_path" not in arguments and tool_name not in [
"execute_python_code", "get_smart_summary"
]:
arguments["file_path"] = file_path
# π‘οΈ SAFETY: Override file_path if LLM picked a non-data file (HTML, PNG, etc.)
if "file_path" in arguments:
fp = arguments["file_path"]
non_data_extensions = ('.html', '.png', '.jpg', '.jpeg', '.svg', '.gif', '.pdf')
if fp.lower().endswith(non_data_extensions):
arguments["file_path"] = file_path
# π‘οΈ SAFETY: Reject tools that already failed β force "done" to stop wasting iterations
if tool_name and findings and tool_name in findings.failed_tools:
print(f" β οΈ Reasoner picked failed tool '{tool_name}' β forcing done")
return ReasoningOutput.done(
reasoning=f"Tool '{tool_name}' previously failed. Stopping to synthesize available findings.",
confidence=max(0.3, findings.answer_confidence)
)
return ReasoningOutput(
status=status,
reasoning=data.get("reasoning", ""),
tool_name=tool_name if status == "investigating" else None,
arguments=arguments,
hypothesis=data.get("hypothesis", ""),
confidence=data.get("confidence", 0.5)
)
def _parse_hypotheses(self, response_text: str) -> List[Dict[str, Any]]:
"""Parse hypothesis generation response."""
try:
data = json.loads(response_text.strip())
if isinstance(data, list):
return data
except json.JSONDecodeError:
pass
# Try to extract JSON array
array_match = re.search(r'\[.*\]', response_text, re.DOTALL)
if array_match:
try:
data = json.loads(array_match.group(0))
if isinstance(data, list):
return data
except json.JSONDecodeError:
pass
# Fallback: generate basic hypotheses
return [
{"text": "What are the key statistical properties of this dataset?", "priority": 0.9, "suggested_tool": "profile_dataset"},
{"text": "Are there any significant correlations between variables?", "priority": 0.8, "suggested_tool": "analyze_correlations"},
{"text": "What does the distribution of key variables look like?", "priority": 0.7, "suggested_tool": "generate_eda_plots"}
]
|