Spaces:
Sleeping
Sleeping
File size: 21,257 Bytes
73ef695 | 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 | import streamlit as st
import sqlite3
from google import genai
import os
from dotenv import load_dotenv
import pandas as pd
import requests
import json
# Load environment variables
load_dotenv()
# Configure API
# Database Configuration
DB_PATH = "data/placement.db"
def is_valid_api_key(key):
"""Check if the provided key looks like a valid Gemini API key."""
if not key:
return False
# Common placeholders and length check
placeholders = ["your_gemini_api_key_here", "INSERT_KEY_HERE", "ENTER_KEY"]
if any(p in key for p in placeholders):
return False
# Gemini keys usually start with AIza and are ~39-40 chars
return len(key) >= 30 and key.startswith("AIza")
def get_ollama_models():
"""Fetch available local models from Ollama."""
try:
response = requests.get("http://localhost:11434/api/tags", timeout=2)
if response.status_code == 200:
data = response.json()
return [m['name'] for m in data.get('models', [])]
except:
pass
return []
def call_ollama(model_name, prompt, history=None):
"""Helper to call local Ollama API."""
url = "http://localhost:11434/api/chat"
messages = []
if history:
for msg in history:
messages.append({"role": msg["role"], "content": msg["content"]})
messages.append({"role": "user", "content": prompt})
payload = {
"model": model_name,
"messages": messages,
"stream": False
}
try:
response = requests.post(url, json=payload, timeout=30)
if response.status_code == 200:
return response.json().get('message', {}).get('content', "Error: Empty response")
return f"Error: Ollama returned {response.status_code}"
except Exception as e:
return f"Error connecting to Ollama: {e}"
def get_db_connection():
conn = sqlite3.connect(DB_PATH)
return conn
def run_query(query, params=None):
conn = get_db_connection()
try:
if params:
df = pd.read_sql_query(query, conn, params=params)
else:
df = pd.read_sql_query(query, conn)
conn.close()
return df
except Exception as e:
conn.close()
return f"Error: {e}"
# ... (run_query ends)
def generate_sql(question, model_name, history=None):
# Schema Definition for the LLM
schema = """
Table: events
Columns: id (INTEGER), company_name (TEXT), event_type (TEXT), raw_filename (TEXT), topic_url (TEXT)
Table: students
Columns: id (INTEGER), roll_no (TEXT), email (TEXT), name (TEXT), branch (TEXT), year (TEXT)
Table: event_students
Columns: id (INTEGER), student_id (INTEGER), event_id (INTEGER), raw_line (TEXT)
Foreign Keys: student_id -> students.id, event_id -> events.id
"""
context_history = ""
if history:
# Get last 4 messages for context
context_history = "\nRecent Conversation Context:\n"
for msg in history[-4:]:
context_history += f"{msg['role'].capitalize()}: {msg['content']}\n"
prompt = f"""
You are a SQL Expert. Convert the following natural language question into a SQL query for a SQLite database.
Database Schema:
{schema}
{context_history}
CRITICAL RULES:
1. Return ONLY the SQL query. No markdown, no explanation.
2. **Joins are Usage**:
To find a student's events: `JOIN event_students es ON s.id = es.student_id JOIN events e ON es.event_id = e.id`
3. **ROBUST NAME MATCHING (IMPORTANT)**:
- Users might provide only part of a name (e.g., "Sameer Wanjari" for "Sameer Nandesh Wanjari").
- NEVER use `name LIKE '%First Last%'`.
- ALWAYS split the name into parts and match each part separately using AND.
- Example: For "Sameer Wanjari", use: `s.name LIKE '%Sameer%' AND s.name LIKE '%Wanjari%'`.
4. Case Insensitive: `LIKE` in SQLite is case-insensitive for ASCII, but ensure logic holds.
5. "Placed" = e.event_type contains 'Offer' or 'PPO' or 'Pre-Placement'.
6. "Interview Shortlist" = e.event_type contains 'Interview'.
7. "Test Shortlist" = e.event_type contains 'Test'.
8. **Branches**: 'branch' column in `students` table contains values like 'CSE', 'Physics'.
9. **Counts vs Lists**:
- If asked "How many" ONLY, use `COUNT(DISTINCT s.roll_no)`.
- If asked "How many" AND "Names/Who/List", use `SELECT DISTINCT s.name, e.company_name...`.
10. Select columns: `students.name`, `students.roll_no`, `students.branch`, `events.company_name`, `events.event_type`.
11. **NO HALLUCINATIONS**: Do NOT guess names or details. If the user's question references a person or company, use the exact parts they provided in a `LIKE` query.
Question: {question}
SQL:
"""
# If it's an Ollama model, use Ollama helper
if not model_name.startswith("gemini") and not model_name.startswith("gemma"):
ollama_response = call_ollama(model_name, prompt, history)
sql = ollama_response.replace("```sql", "").replace("```", "").strip()
# Basic cleanup if model includes reasoning/text
if "SELECT" in sql.upper():
start = sql.upper().find("SELECT")
sql = sql[start:]
return sql
response = client.models.generate_content(
model=model_name,
contents=prompt
)
sql = response.text.replace("```sql", "").replace("```", "").strip()
return sql
def generate_natural_answer(question, sql, df, model_name, history=None):
# safe-guard for large results
if len(df) > 50:
data_context = df.head(50).to_markdown(index=False) + f"\n...(and {len(df)-50} more rows)"
else:
data_context = df.to_markdown(index=False)
context_history = ""
if history:
context_history = "\nRecent Conversation Context:\n"
for msg in history[-4:]:
context_history += f"{msg['role'].capitalize()}: {msg['content']}\n"
prompt = f"""
You are a helpful assistant for the IIT BHU Placement Cell.
User Question: {question}
Executed SQL: {sql}
Result Data:
{data_context}
{context_history}
Task: Answer the user's question naturally based ONLY on the result data.
STRICT ANTI-HALLUCINATION RULES:
1. **ONLY Use Result Data**: Do NOT mention any names, companies, branches, or counts that are not explicitly present in the "Result Data" table above.
2. **No Assumptions**: If the result data is empty, say "I couldn't find any records." Do NOT guess.
3. **Schema Grounding**: Do NOT mention fields like "CGPA", "Year of Graduation", or "Phone Number" as they are not tracked in this database.
SPECIAL FORMAT FOR "ANALYSIS" REQUESTS:
If asked for an "analysis" or "overview" of a student/company, focus on:
- **Summarize Shortlists**: Count and list the companies/students from the data.
- **Highlight Offers**: Clearly state any 'Offers' found.
General Rules:
- Use bullet points and bold text for key information.
- Do NOT mention "SQL" or "dataframe".
"""
# If it's an Ollama model, use Ollama helper
if not model_name.startswith("gemini") and not model_name.startswith("gemma"):
return call_ollama(model_name, prompt, history)
response = client.models.generate_content(
model=model_name,
contents=prompt
)
return response.text
# Streamlit UI
st.set_page_config(page_title="Placement Query Bot", page_icon="π", layout="wide")
# Sidebar Configuration
with st.sidebar:
st.title("π TPC Bot")
st.markdown("**Created by: Sameer Wanjari**")
st.markdown("---")
# API Key Handling
api_key = os.getenv("GOOGLE_API_KEY")
if not is_valid_api_key(api_key):
st.warning("β οΈ Gemini API Key Missing")
st.info("""
**How to get a Key:**
1. Visit [Google AI Studio](https://aistudio.google.com/app/apikey)
2. Sign in with Google
3. Click **"Create API key"**
4. Copy & paste below π
""")
user_api_key = st.text_input("Enter Gemini API Key", type="password")
if user_api_key:
if is_valid_api_key(user_api_key):
os.environ["GOOGLE_API_KEY"] = user_api_key
st.success("Key set!")
st.rerun()
else:
st.error("Invalid key format. Should start with 'AIza'.")
else:
st.success("β
API Key Active")
if st.button("ποΈ Clear/Change Key"):
os.environ["GOOGLE_API_KEY"] = ""
if "messages" in st.session_state:
st.session_state.messages = []
st.rerun()
st.markdown("---")
st.header("π€ AI Model")
# Check for Ollama Models
ollama_models = get_ollama_models()
available_models = [
"gemini-2.5-flash",
"gemini-2.5-flash-lite",
"gemma-3-1b-it",
"gemma-3-4b-it",
"gemma-3-12b-it",
"gemma-3-27b-it"
]
# Add Ollama models if available
full_model_list = available_models + ollama_models
selected_model = st.selectbox(
"Choose AI Brain",
full_model_list,
index=0,
help="Select Gemini/Gemma (Cloud) or Ollama (Local)"
)
if selected_model in ollama_models:
st.info(f"π Running locally via Ollama: `{selected_model}`")
elif "gemini" in selected_model or "gemma" in selected_model:
st.info(f"βοΈ Running in Cloud via Gemini API")
st.markdown("---")
# Database Stats
conn = get_db_connection()
c = conn.cursor()
c.execute("SELECT COUNT(DISTINCT roll_no) FROM students")
total_students = c.fetchone()[0]
c.execute("SELECT COUNT(DISTINCT company_name) FROM events")
total_companies = c.fetchone()[0]
conn.close()
# Data Refresh
st.header("βοΈ Data")
if st.button("π Refresh DB"):
with st.spinner("Processing..."):
try:
import process_data
process_data.process_files()
st.success("Done! Reloading...")
st.rerun()
except Exception as e:
st.error(f"Error: {e}")
# Initialize Client
api_key = os.getenv("GOOGLE_API_KEY")
client = None
if is_valid_api_key(api_key):
try:
client = genai.Client(api_key=api_key)
except Exception as e:
st.error(f"Failed to initialize Gemini Client: {e}")
# Main Interface Tabs
tab1, tab2, tab3 = st.tabs(["π¬ Chat Assistant", "π Student Explorer", "π’ Company Explorer"])
# --- TAB 1: CHAT ---
with tab1:
st.header("Ask anything about placements")
st.markdown("Examples: *'Analysis of Sameer Wanjari'*, *'How many Physics students got offers?'*")
# Chat History logic
if "messages" not in st.session_state:
st.session_state.messages = []
# Display Chat History
for message in st.session_state.messages:
with st.chat_message(message["role"]):
st.markdown(message["content"])
if not client:
st.warning("β οΈ **Gemini API Key is missing!**")
st.info("You can still use the **Student Explorer** tab to browse data manually.")
st.markdown("To enable AI Chat:")
st.markdown("1. Get a key from [Google AI Studio](https://aistudio.google.com/app/apikey).")
st.markdown("2. Enter it in the sidebar.")
else:
# Chat Input
if prompt := st.chat_input("Ask a question..."):
# Display user message immediately
with st.chat_message("user"):
st.markdown(prompt)
st.session_state.messages.append({"role": "user", "content": prompt})
with st.chat_message("assistant"):
message_placeholder = st.empty()
message_placeholder.markdown("Thinking...")
try:
# 1. Generate SQL
sql_query = generate_sql(prompt, selected_model, st.session_state.messages[:-1])
# 2. Execute SQL
result = run_query(sql_query)
if isinstance(result, pd.DataFrame):
# 3. Generate Natural Language Answer
nl_response = generate_natural_answer(prompt, sql_query, result, selected_model, st.session_state.messages[:-1])
message_placeholder.markdown(nl_response)
# Save to history
st.session_state.messages.append({"role": "assistant", "content": nl_response})
with st.expander("View Technical Details (SQL & Data)"):
st.code(sql_query, language="sql")
st.dataframe(result)
else:
message_placeholder.error(result)
st.session_state.messages.append({"role": "assistant", "content": f"Error: {result}"})
except Exception as e:
message_placeholder.error(f"An error occurred: {e}")
st.session_state.messages.append({"role": "assistant", "content": f"An error occurred: {e}"})
# Use rerun to ensure the history loop takes over and pins the input box to the bottom
st.rerun()
# --- TAB 2: EXPLORER ---
with tab2:
st.header("Student Profile Explorer")
conn = get_db_connection()
# 1. Filters
col1, col2 = st.columns(2)
with col1:
branches = pd.read_sql("SELECT DISTINCT branch FROM students WHERE branch IS NOT NULL ORDER BY branch", conn)['branch'].tolist()
selected_branch = st.selectbox("Filter by Branch", ["All"] + branches)
with col2:
years = pd.read_sql("SELECT DISTINCT year FROM students WHERE year IS NOT NULL ORDER BY year", conn)['year'].tolist()
selected_year = st.selectbox("Filter by Year", ["All"] + years)
# 2. Student Selector
query = "SELECT DISTINCT name, roll_no FROM students WHERE 1=1"
params = []
if selected_branch != "All":
query += " AND branch = ?"
params.append(selected_branch)
if selected_year != "All":
query += " AND year = ?"
params.append(selected_year)
query += " ORDER BY name"
students_df = pd.read_sql(query, conn, params=params)
if students_df.empty:
st.warning("No students found with filters.")
else:
# Create display label "Name (Roll)"
student_options = [f"{row['name']} ({row['roll_no']})" for _, row in students_df.iterrows()]
selected_student_str = st.selectbox("Select Student", student_options, index=None, placeholder="Type to search...")
if selected_student_str:
# Extract Roll
roll_no = selected_student_str.split("(")[-1].strip(")")
st.markdown("---")
st.subheader(f"Profile: {selected_student_str}")
# Fetch History
history_query = """
SELECT e.company_name, e.event_type, e.topic_url
FROM event_students es
JOIN students s ON es.student_id = s.id
JOIN events e ON es.event_id = e.id
WHERE s.roll_no = ?
ORDER BY e.event_type, e.company_name
"""
history = pd.read_sql(history_query, conn, params=[roll_no])
if not history.empty:
# Summary Metrics
offers = history[history['event_type'].str.contains('Offer', case=False)]
interviews = history[history['event_type'].str.contains('Interview', case=False)]
tests = history[history['event_type'].str.contains('Test', case=False)]
m1, m2, m3 = st.columns(3)
m1.metric("Offers", len(offers))
m2.metric("Interviews", len(interviews))
m3.metric("Tests", len(tests))
# Detailed Timeline
st.write("#### π
Event Timeline")
# Group by type for cleaner view
for etype in history['event_type'].unique():
with st.expander(f"{etype} ({len(history[history['event_type']==etype])})", expanded=True):
subset = history[history['event_type'] == etype]
for _, row in subset.iterrows():
# Markdown list with link
if row['topic_url']:
st.markdown(f"- [{row['company_name']}]({row['topic_url']})")
else:
st.markdown(f"- {row['company_name']}")
else:
st.info("No recorded events for this student.")
conn.close()
# --- TAB 3: COMPANY EXPLORER ---
with tab3:
st.header("π’ Company Explorer")
conn = get_db_connection()
# 1. Company Selector
companies = pd.read_sql("SELECT DISTINCT company_name FROM events ORDER BY company_name", conn)['company_name'].tolist()
if not companies:
st.warning("No companies found.")
else:
selected_company = st.selectbox("Select Company", companies, index=None, placeholder="Choose a company...")
if selected_company:
st.markdown("---")
st.subheader(f"Results for: {selected_company}")
# Fetch relevant events and students
# We need to distinguish between FT and Intern
# Get IDs of events for this company
events_df = pd.read_sql("SELECT id, event_type, topic_url FROM events WHERE company_name = ?", conn, params=[selected_company])
if events_df.empty:
st.info("No events found for this company.")
else:
# Separate Full-Time and Internship Events
ft_events_df = events_df[~events_df['event_type'].str.contains("Internship|Intern", case=False, regex=True)]
intern_events_df = events_df[events_df['event_type'].str.contains("Internship|Intern", case=False, regex=True)]
def display_events_table(events_subset, section_title):
if events_subset.empty:
return
st.subheader(section_title)
# Get unique event types in this subset
unique_types = events_subset['event_type'].unique()
for etype in sorted(unique_types):
# Filter events for this specific type
matched_ids = events_subset[events_subset['event_type'] == etype]['id'].tolist()
# Query students
placeholders = ','.join(['?'] * len(matched_ids))
q = f"""
SELECT DISTINCT s.name, s.roll_no, s.branch, s.year, e.event_type, e.topic_url
FROM event_students es
JOIN students s ON es.student_id = s.id
JOIN events e ON es.event_id = e.id
WHERE es.event_id IN ({placeholders})
ORDER BY s.name
"""
results = pd.read_sql(q, conn, params=matched_ids)
if not results.empty:
with st.expander(f"{etype} ({len(results)})", expanded=False):
# Show Source Link if available
links = events_subset[events_subset['event_type'] == etype]['topic_url'].unique()
if len(links) > 0 and links[0]:
st.markdown(f"π **[View Original Forum Post]({links[0]})**")
display_df = results[['name', 'roll_no', 'branch', 'year']].copy()
display_df.columns = ["Name", "Roll No", "Branch", "Year"]
st.dataframe(display_df, hide_index=True, use_container_width=True)
display_events_table(ft_events_df, "π Full-Time")
display_events_table(intern_events_df, "πΌ Internship")
conn.close()
|