File size: 15,218 Bytes
feed86d |
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 |
"""
Streamlit App for Multi-Agent Research Assistant
================================================
Beautiful UI with real-time progress tracking and interactive results
"""
import streamlit as st
import sys
import os
from datetime import datetime
import json
# Add the project directory to path
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
# Import the multi-agent system
from multi_agent_system import MultiAgentSystem
# Page configuration
st.set_page_config(
page_title="Multi-Agent Research Assistant",
page_icon="π€",
layout="wide",
initial_sidebar_state="expanded"
)
# Custom CSS
st.markdown("""
<style>
.main-header {
font-size: 3rem;
font-weight: bold;
background: linear-gradient(90deg, #667eea 0%, #764ba2 100%);
-webkit-background-clip: text;
-webkit-text-fill-color: transparent;
text-align: center;
margin-bottom: 1rem;
}
.sub-header {
text-align: center;
color: #666;
margin-bottom: 2rem;
}
.agent-box {
padding: 1rem;
border-radius: 10px;
margin: 1rem 0;
border-left: 4px solid;
}
.researcher-box {
background-color: #e3f2fd;
border-color: #2196f3;
}
.analyst-box {
background-color: #f3e5f5;
border-color: #9c27b0;
}
.writer-box {
background-color: #e8f5e9;
border-color: #4caf50;
}
.critic-box {
background-color: #fff3e0;
border-color: #ff9800;
}
.metric-card {
background: white;
padding: 1.5rem;
border-radius: 10px;
box-shadow: 0 2px 4px rgba(0,0,0,0.1);
text-align: center;
}
.stButton>button {
width: 100%;
background: linear-gradient(90deg, #667eea 0%, #764ba2 100%);
color: white;
border: none;
padding: 0.75rem;
font-size: 1.1rem;
font-weight: bold;
border-radius: 8px;
transition: transform 0.2s;
}
.stButton>button:hover {
transform: translateY(-2px);
box-shadow: 0 4px 8px rgba(0,0,0,0.2);
}
</style>
""", unsafe_allow_html=True)
# Initialize session state
if 'system' not in st.session_state:
st.session_state.system = None
if 'research_history' not in st.session_state:
st.session_state.research_history = []
if 'current_result' not in st.session_state:
st.session_state.current_result = None
def initialize_system(token):
"""Initialize the multi-agent system"""
try:
with st.spinner("π€ Initializing AI agents..."):
system = MultiAgentSystem(token=token, max_iterations=2)
st.success("β
System initialized successfully!")
return system
except Exception as e:
st.error(f"β Initialization failed: {str(e)}")
return None
def display_progress(step):
"""Display progress bar based on current step"""
steps = {
"researcher": (25, "π Researching..."),
"analyst": (50, "π Analyzing..."),
"writer": (75, "βοΈ Writing report..."),
"critic": (90, "π― Quality check..."),
"complete": (100, "β
Complete!")
}
if step in steps:
progress, text = steps[step]
st.progress(progress)
st.info(text)
def display_agent_output(agent_name, content, box_class):
"""Display agent output in a styled box"""
st.markdown(f'<div class="agent-box {box_class}">', unsafe_allow_html=True)
st.markdown(f"### {agent_name}")
st.markdown(content)
st.markdown('</div>', unsafe_allow_html=True)
def main():
# Header
st.markdown('<h1 class="main-header">π€ Multi-Agent Research Assistant</h1>', unsafe_allow_html=True)
st.markdown('<p class="sub-header">Powered by LangGraph & Advanced AI Agents</p>', unsafe_allow_html=True)
# Sidebar
with st.sidebar:
st.header("βοΈ Configuration")
# Token input
token = st.text_input(
"HuggingFace API Token",
type="password",
help="Enter your HuggingFace API token"
)
# Initialize button
if st.button("π Initialize System"):
if token:
st.session_state.system = initialize_system(token)
else:
st.error("Please enter your HuggingFace token")
st.divider()
# System status
st.header("π System Status")
if st.session_state.system:
st.success("π’ System Active")
st.metric("Research Queries", len(st.session_state.research_history))
else:
st.warning("π΄ System Inactive")
st.divider()
# Example questions
st.header("π‘ Example Questions")
examples = [
"what is 2+2",
"calculate (15*3)+7",
"what is artificial intelligence",
"what is machine learning",
"what is python programming"
]
for example in examples:
if st.button(f"π {example}", key=f"ex_{example}"):
st.session_state.example_question = example
st.divider()
# History
st.header("π Research History")
if st.session_state.research_history:
for i, item in enumerate(reversed(st.session_state.research_history[-5:])):
with st.expander(f"π {item['question'][:30]}..."):
st.write(f"**Time:** {item['timestamp']}")
st.write(f"**Score:** {item['score']}/10")
else:
st.info("No research history yet")
st.divider()
# Clear history
if st.button("ποΈ Clear History"):
st.session_state.research_history = []
st.session_state.current_result = None
st.rerun()
# Main content
if not st.session_state.system:
# Welcome screen
col1, col2, col3 = st.columns([1, 2, 1])
with col2:
st.info("π Please initialize the system using the sidebar")
st.markdown("### π Features")
features = [
"π **Smart Research**: Automatic tool selection and execution",
"π **Deep Analysis**: AI-powered insight extraction",
"βοΈ **Professional Reports**: Well-structured documentation",
"π― **Quality Assurance**: Automated review and refinement",
"π **Iterative Improvement**: Multiple revision cycles"
]
for feature in features:
st.markdown(feature)
st.markdown("### π οΈ Technology Stack")
tech = [
"LangGraph for agent orchestration",
"Meta Llama 3.1 8B Instruct",
"Pydantic for structured outputs",
"NumExpr for safe calculations"
]
for item in tech:
st.markdown(f"- {item}")
else:
# Research interface
st.markdown("## π Ask Your Question")
# Check if example was clicked
default_question = st.session_state.get('example_question', '')
if default_question:
st.session_state.example_question = ''
question = st.text_input(
"Enter your research question:",
value=default_question,
placeholder="e.g., what is 2+2, what is artificial intelligence...",
key="question_input"
)
col1, col2 = st.columns([3, 1])
with col1:
research_button = st.button("π Start Research", type="primary")
with col2:
clear_button = st.button("π Clear Results")
if clear_button:
st.session_state.current_result = None
st.rerun()
if research_button and question:
# Create progress container
progress_container = st.container()
result_container = st.container()
with progress_container:
st.markdown("### π Research in Progress")
progress_bar = st.progress(0)
status_text = st.empty()
# Capture output
import io
from contextlib import redirect_stdout
output_capture = io.StringIO()
try:
with redirect_stdout(output_capture):
# Run research
final_state = st.session_state.system.research(question)
# Update progress
progress_bar.progress(100)
status_text.success("β
Research Complete!")
if final_state:
# Store result
st.session_state.current_result = final_state
# Add to history
st.session_state.research_history.append({
'question': question,
'timestamp': datetime.now().strftime("%Y-%m-%d %H:%M:%S"),
'score': final_state['critique_output'].score
})
st.rerun()
except Exception as e:
progress_bar.progress(100)
status_text.error(f"β Error: {str(e)}")
# Display results
if st.session_state.current_result:
st.markdown("---")
result = st.session_state.current_result
# Metrics row
st.markdown("## π Research Metrics")
col1, col2, col3, col4 = st.columns(4)
with col1:
st.markdown('<div class="metric-card">', unsafe_allow_html=True)
st.metric("Quality Score", f"{result['critique_output'].score}/10")
st.markdown('</div>', unsafe_allow_html=True)
with col2:
st.markdown('<div class="metric-card">', unsafe_allow_html=True)
st.metric("Iterations", result['report_iterations'])
st.markdown('</div>', unsafe_allow_html=True)
with col3:
st.markdown('<div class="metric-card">', unsafe_allow_html=True)
st.metric("Confidence", f"{result['research_output'].confidence*100:.0f}%")
st.markdown('</div>', unsafe_allow_html=True)
with col4:
st.markdown('<div class="metric-card">', unsafe_allow_html=True)
sources = ", ".join(result['research_output'].sources_used)
st.metric("Sources", len(result['research_output'].sources_used))
st.caption(sources)
st.markdown('</div>', unsafe_allow_html=True)
st.markdown("---")
# Tabbed interface for results
tab1, tab2, tab3, tab4 = st.tabs(["π Final Report", "π Research", "π Analysis", "π― Quality Review"])
with tab1:
report = result['report_output']
st.markdown(f"# {report.title}")
st.markdown(report.content)
# Download button
st.download_button(
label="π₯ Download Report",
data=report.content,
file_name=f"research_report_{datetime.now().strftime('%Y%m%d_%H%M%S')}.txt",
mime="text/plain"
)
with tab2:
research = result['research_output']
display_agent_output(
"π Research Agent",
f"""
**Answer:** {research.answer}
**Sources Used:** {', '.join(research.sources_used)}
**Confidence:** {research.confidence*100:.1f}%
""",
"researcher-box"
)
with tab3:
analysis = result['analysis_output']
display_agent_output(
"π Analysis Agent",
f"""
**Key Points:**
{chr(10).join(f'β’ {point}' for point in analysis.key_points)}
**Implications:**
{analysis.implications}
""",
"analyst-box"
)
with tab4:
critique = result['critique_output']
# Score gauge
score = critique.score
color = "π’" if score >= 8 else "π‘" if score >= 6 else "π΄"
st.markdown(f"### {color} Quality Score: {score}/10")
st.progress(score / 10)
st.markdown(f"""
**Status:** {"β
Approved" if not critique.needs_revision else "π Needs Revision"}
""")
# Export all data
st.markdown("---")
if st.button("π¦ Export Full Research Data (JSON)"):
export_data = {
'question': result['question'],
'timestamp': datetime.now().isoformat(),
'research': {
'answer': result['research_output'].answer,
'sources': result['research_output'].sources_used,
'confidence': result['research_output'].confidence
},
'analysis': {
'key_points': result['analysis_output'].key_points,
'implications': result['analysis_output'].implications
},
'report': {
'title': result['report_output'].title,
'content': result['report_output'].content
},
'quality': {
'score': result['critique_output'].score,
'needs_revision': result['critique_output'].needs_revision
}
}
st.download_button(
label="π₯ Download JSON",
data=json.dumps(export_data, indent=2),
file_name=f"research_data_{datetime.now().strftime('%Y%m%d_%H%M%S')}.json",
mime="application/json"
)
if __name__ == "__main__":
main() |