File size: 14,616 Bytes
c51e04d |
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 |
import streamlit as st
import os
# from dotenv import load_dotenv
# Load environment variables (only for local development)
try:
from dotenv import load_dotenv
load_dotenv()
except ImportError:
# dotenv not available in Streamlit Cloud, use Streamlit secrets instead
pass
import io
import sys
from contextlib import redirect_stdout, redirect_stderr
import matplotlib.pyplot as plt
# Import required packages
from langchain_groq import ChatGroq
from langgraph.types import Command
from langgraph.prebuilt import create_react_agent
from langchain_core.tools import tool
from typing_extensions import Literal
from langgraph.graph import MessagesState, StateGraph, START, END
from langchain_core.messages import BaseMessage, HumanMessage
from typing import Annotated
from langchain_community.tools import DuckDuckGoSearchRun
from langchain_community.tools.tavily_search import TavilySearchResults
from langchain_experimental.utilities import PythonREPL
from pydantic import SecretStr
from langchain_core.runnables import RunnableConfig
# Page configuration
st.set_page_config(
page_title="AI Research & Chart Generator",
page_icon="π",
layout="wide",
initial_sidebar_state="expanded"
)
# Custom CSS
st.markdown("""
<style>
.main-header {
text-align: center;
padding: 1rem 0;
background: linear-gradient(90deg, #667eea 0%, #764ba2 100%);
color: white;
border-radius: 10px;
margin-bottom: 2rem;
}
.chat-message {
padding: 1rem;
border-radius: 10px;
margin: 1rem 0;
border-left: 4px solid #667eea;
}
.researcher-message {
background-color: #f0f8ff;
border-left-color: #4CAF50;
}
.chart-generator-message {
background-color: #fff5f5;
border-left-color: #FF6B6B;
}
.user-message {
background-color: #f9f9f9;
border-left-color: #667eea;
}
</style>
""", unsafe_allow_html=True)
# Initialize session state
if 'workflow_result' not in st.session_state:
st.session_state.workflow_result = None
if 'chart_generated' not in st.session_state:
st.session_state.chart_generated = False
@st.cache_resource
def initialize_workflow():
"""Initialize the workflow with proper configuration."""
# Get API keys from environment or Streamlit secrets
groq_api_key = os.getenv("GROQ_API_KEY") or st.secrets.get("GROQ_API_KEY", "")
tavily_api_key = os.getenv("TAVILY_API_KEY") or st.secrets.get("TAVILY_API_KEY", "")
if not groq_api_key:
st.error("β Groq API key not found! Please add it in Streamlit secrets or .env file")
st.stop()
# Set up LLM
llm = ChatGroq(
model="llama3-70b-8192",
api_key=SecretStr(groq_api_key) if groq_api_key else None,
temperature=0.1
)
# Set up search tool
if tavily_api_key:
search_tool = TavilySearchResults(tavily_api_key=tavily_api_key)
else:
search_tool = DuckDuckGoSearchRun()
# Set up Python REPL
repl = PythonREPL()
# Define Python REPL tool
@tool
def python_repl_tool(
code: Annotated[str, "The python code to execute to generate your chart."],
):
"""Use this to execute python code. If you want to see the output of a value,
you should print it out with `print(...)`. This is visible to the user."""
try:
# Enhanced code with matplotlib backend for Streamlit
enhanced_code = f"""
import matplotlib
matplotlib.use('Agg')
import matplotlib.pyplot as plt
import pandas as pd
import numpy as np
import seaborn as sns
import warnings
warnings.filterwarnings('ignore')
# Configure for better display
plt.style.use('default')
plt.rcParams['figure.figsize'] = (12, 8)
plt.rcParams['figure.dpi'] = 100
{code}
# Check if plot was created and save
if plt.get_fignums():
plt.savefig('generated_chart.png', bbox_inches='tight', dpi=150)
print("Chart created and saved successfully!")
chart_created = True
else:
chart_created = False
print("No chart was created.")
"""
# Execute the enhanced code
result = repl.run(enhanced_code)
# Check if chart file was actually created
if os.path.exists('generated_chart.png'):
st.session_state.chart_generated = True
# Display the chart immediately in Streamlit
try:
import matplotlib.pyplot as plt
import matplotlib.image as mpimg
# Read and display the saved image
img = mpimg.imread('generated_chart.png')
fig, ax = plt.subplots(figsize=(12, 8))
ax.imshow(img)
ax.axis('off')
st.pyplot(fig)
plt.close('all') # Clean up
except Exception as display_error:
st.warning(f"Chart saved but display failed: {display_error}")
else:
st.session_state.chart_generated = False
return f"Successfully executed:\n```python\n{code}\n```\nOutput: {result}\n\nIf you have completed all tasks, respond with FINAL ANSWER"
except Exception as e:
return f"Failed to execute. Error: {repr(e)}"
# System prompt function
def make_system_prompt(instruction: str) -> str:
return (
"You are a helpful AI assistant, collaborating with other assistants."
" Use the provided tools to progress towards answering the question."
" If you are unable to fully answer, that's OK, another assistant with different tools "
" will help where you left off. Execute what you can to make progress."
" If you or any of the other assistants have the final answer or deliverable,"
" prefix your response with FINAL ANSWER so the team knows to stop."
f"\n{instruction}"
)
# Node routing function
def get_next_node(last_message: BaseMessage, goto: str):
if "FINAL ANSWER" in last_message.content:
return END
return goto
# Agent 1: Research Node
def research_node(state: MessagesState) -> Command:
research_agent = create_react_agent(
llm,
tools=[search_tool],
prompt=make_system_prompt(
"""You can only do research. You are working with a chart generator colleague.
Your job is to:
1. Search for the requested data
2. Gather specific numerical data, statistics, or information needed
3. Present the data in a clear, structured format
4. Do NOT attempt to create charts yourself
When you have sufficient data, clearly indicate that your chart_generator
colleague should take over to create the visualization."""
),
)
result = research_agent.invoke(state)
goto = get_next_node(result["messages"][-1], "chart_generator")
result["messages"][-1] = HumanMessage(
content=result["messages"][-1].content,
name="researcher"
)
return Command(update={"messages": result["messages"]}, goto=goto)
# Agent 2: Chart Generator Node
def chart_node(state: MessagesState) -> Command:
chart_agent = create_react_agent(
llm,
tools=[python_repl_tool],
prompt=make_system_prompt(
"""You can only generate charts. You are working with a researcher colleague.
Your job is to:
1. Take the data provided by the researcher
2. Create the requested visualization using matplotlib
3. Use proper labels, titles, and formatting
4. Once the chart is created successfully, respond with FINAL ANSWER
Available libraries: matplotlib, pandas, numpy, seaborn
IMPORTANT: Always include plt.show() at the end of your code to ensure the chart is displayed.
Do NOT search for additional data - use what the researcher provided.
Example chart code structure:
```python
# Your data processing here
plt.figure(figsize=(12, 8))
# Your plotting code here
plt.title('Your Chart Title')
plt.xlabel('X Label')
plt.ylabel('Y Label')
plt.grid(True, alpha=0.3)
plt.tight_layout()
plt.show() # This is essential for display
```"""
),
)
result = chart_agent.invoke(state)
goto = get_next_node(result["messages"][-1], "researcher")
result["messages"][-1] = HumanMessage(
content=result["messages"][-1].content,
name="chart_generator"
)
return Command(update={"messages": result["messages"]}, goto=goto)
# Build the workflow
workflow = StateGraph(MessagesState)
workflow.add_node("researcher", research_node)
workflow.add_node("chart_generator", chart_node)
workflow.add_edge(START, "researcher")
# Compile the workflow
app = workflow.compile()
return app
def display_conversation(messages):
"""Display the conversation in a nice format."""
for i, msg in enumerate(messages):
if hasattr(msg, 'name') and msg.name:
if msg.name == "researcher":
st.markdown(f"""
<div class="chat-message researcher-message">
<strong>π RESEARCHER:</strong><br>
{msg.content}
</div>
""", unsafe_allow_html=True)
elif msg.name == "chart_generator":
st.markdown(f"""
<div class="chat-message chart-generator-message">
<strong>π CHART GENERATOR:</strong><br>
{msg.content}
</div>
""", unsafe_allow_html=True)
elif i == 0: # User message
st.markdown(f"""
<div class="chat-message user-message">
<strong>π€ USER:</strong><br>
{msg.content}
</div>
""", unsafe_allow_html=True)
# Main app
def main():
# Header
st.markdown("""
< ivory="e8e616e0-d894-4936-a3f5-391682ee794c" title="app.py" contentType="text/python">
<div class="main-header">
<h1>π€ AI Research & Chart Generator</h1>
<p>Multi-Agent System for Intelligent Data Research and Visualization</p>
</div>
""", unsafe_allow_html=True)
# Sidebar
with st.sidebar:
st.header("π How it works")
st.markdown("""
1. **π Research Agent**: Searches for data online
2. **π Chart Generator**: Creates visualizations
3. **π€ Collaboration**: Agents work together seamlessly
""")
st.header("π‘ Example Queries")
example_queries = [
"Show me top 10 most populated countries with a bar chart",
"What is UK's GDP in past 3 years, draw line chart",
"Create a line chart of Bitcoin price trend in last 6 months",
"IPL winners in last 5 years with their final match scores",
"Global temperature trends in last decade visualization"
]
for query in example_queries:
if st.button(f"π {query[:30]}...", key=query, use_container_width=True):
st.session_state.selected_query = query
# Initialize workflow
try:
app = initialize_workflow()
st.success("β
Multi-Agent System Initialized Successfully!")
except Exception as e:
st.error(f"β Failed to initialize: {str(e)}")
st.stop()
# Main input
col1, col2 = st.columns([4, 1])
with col1:
user_query = st.text_input(
"π― What would you like to research and visualize?",
value=st.session_state.get('selected_query', ''),
placeholder="e.g., Show me top 10 most populated countries with a bar chart"
)
with col2:
recursion_limit = st.number_input("Max Steps", min_value=5, max_value=2500, value=1500)
# Generate button
if st.button("π Generate Research & Chart", type="primary", use_container_width=True):
if user_query:
st.session_state.chart_generated = False
with st.spinner("π€ Agents are working together..."):
try:
config: RunnableConfig = {"recursion_limit": recursion_limit}
result = app.invoke(
{"messages": [("user", user_query)]},
config=config
)
st.session_state.workflow_result = result
except Exception as e:
st.error(f"β Error during execution: {str(e)}")
st.exception(e)
else:
st.warning("β οΈ Please enter a query!")
# Display results
if st.session_state.workflow_result:
st.header("π£οΈ Agent Conversation")
with st.expander("View Full Conversation", expanded=True):
display_conversation(st.session_state.workflow_result["messages"])
# Check for generated chart file
chart_path = "generated_chart.png"
if os.path.exists(chart_path):
st.success("π Chart generated successfully!")
st.image(chart_path, caption="Generated Chart", use_column_width=True)
st.session_state.chart_generated = True
# Download option
with open(chart_path, "rb") as file:
st.download_button(
label="π₯ Download Chart",
data=file.read(),
file_name="ai_generated_chart.png",
mime="image/png"
)
elif st.session_state.chart_generated:
st.warning("β οΈ Chart was generated but file not found.")
else:
st.info("βΉοΈ No chart generated yet or agents are still working.")
if __name__ == "__main__":
main() |