AliInamdar commited on
Commit
d70ea4b
Β·
verified Β·
1 Parent(s): 25d1164

Update src/streamlit_app.py

Browse files
Files changed (1) hide show
  1. src/streamlit_app.py +46 -56
src/streamlit_app.py CHANGED
@@ -1,76 +1,66 @@
1
  import streamlit as st
2
  import pandas as pd
3
- import duckdb
4
- import requests
5
- import re
6
  import os
 
7
 
8
- st.set_page_config(page_title="🧠 SQL Chatbot with Groq", layout="centered")
 
 
9
 
10
- # πŸ” Load Groq API Key from Hugging Face secret or env var
11
- GROQ_API_KEY = os.getenv("GROQ_API_KEY")
12
 
 
13
  if not GROQ_API_KEY:
14
- st.error("❌ GROQ_API_KEY not found. Please set it in Streamlit Secrets or environment.")
15
  st.stop()
16
 
17
- # 🧠 Generate SQL using Groq API
18
- def generate_sql(prompt, df):
19
- schema = ", ".join([f"{col} ({dtype})" for col, dtype in df.dtypes.items()])
20
- full_prompt = f"""
21
- You are a SQL expert. The table 'df' has the following columns and types:
22
- {schema}
23
 
24
- User question: "{prompt}"
 
 
25
 
26
- Write a valid SQL query using the 'df' table. Return only the SQL.
27
- """
28
 
29
- headers = {
30
- "Authorization": f"Bearer {GROQ_API_KEY}",
31
- "Content-Type": "application/json"
32
- }
33
- payload = {
34
- "model": "llama3-70b-8192",
35
- "messages": [{"role": "user", "content": full_prompt}],
36
- "temperature": 0.2,
37
- "max_tokens": 300
38
- }
39
 
40
- url = "https://api.groq.com/openai/v1/chat/completions"
41
- response = requests.post(url, headers=headers, json=payload)
42
- response.raise_for_status()
43
- result = response.json()
44
- return result["choices"][0]["message"]["content"].strip()
45
 
46
- # 🧽 Clean SQL
47
- def clean_sql(sql, df_columns):
48
- sql = sql.replace("`", '"')
49
- for col in df_columns:
50
- if " " in col and f'"{col}"' not in sql:
51
- pattern = r'\b' + re.escape(col) + r'\b'
52
- sql = re.sub(pattern, f'"{col}"', sql)
53
- return sql
54
 
55
- # πŸ–₯️ UI
56
- st.title("πŸ“Š Excel SQL Chatbot (Groq + Streamlit)")
57
- uploaded_file = st.file_uploader("πŸ“‚ Upload your Excel file", type=["xlsx"])
58
- user_prompt = st.text_input("🧠 Ask a question about your data")
 
 
 
 
59
 
60
- if st.button("πŸš€ Generate & Run SQL"):
61
- if uploaded_file and user_prompt:
62
- try:
63
- df = pd.read_excel(uploaded_file)
64
- sql = generate_sql(user_prompt, df)
65
- cleaned_sql = clean_sql(sql, df.columns)
66
- result = duckdb.query(cleaned_sql).to_df()
67
 
68
- st.markdown(f"### 🧾 Generated SQL")
69
- st.code(sql, language="sql")
70
- st.markdown("### πŸ“ˆ Query Results")
71
- st.dataframe(result)
 
 
 
 
72
 
73
  except Exception as e:
74
- st.error(f"❌ Error: {str(e)}")
75
  else:
76
- st.warning("⚠️ Please upload a file and enter a question.")
 
1
  import streamlit as st
2
  import pandas as pd
 
 
 
3
  import os
4
+ from groq import Groq
5
 
6
+ # Set page configuration
7
+ st.set_page_config(page_title="πŸ“Š Excel SQL Assistant", layout="centered")
8
+ st.title("🧠 Excel to SQL with GROQ + Streamlit")
9
 
10
+ # Load Groq API key from Streamlit secrets
11
+ GROQ_API_KEY = st.secrets.get("GROQ_API_KEY", None)
12
 
13
+ # Fallback warning if API key not found
14
  if not GROQ_API_KEY:
15
+ st.error("❌ GROQ API key not found. Please set it in your Hugging Face `secrets` tab.")
16
  st.stop()
17
 
18
+ # Initialize Groq client
19
+ client = Groq(api_key=GROQ_API_KEY)
 
 
 
 
20
 
21
+ # Upload Excel file
22
+ uploaded_file = st.file_uploader("πŸ“‚ Upload your Excel file", type=["xlsx"])
23
+ st.write("πŸ“ Uploaded file object:", uploaded_file) # Debugging aid
24
 
25
+ # Text input for user query
26
+ user_query = st.text_input("πŸ’¬ Ask a question about your data")
27
 
28
+ # Generate button
29
+ if st.button("πŸš€ Generate & Run SQL"):
30
+ if uploaded_file is not None and user_query.strip() != "":
31
+ try:
32
+ df = pd.read_excel(uploaded_file)
33
+ st.success("βœ… File successfully loaded!")
 
 
 
 
34
 
35
+ # Create schema-like string from the DataFrame
36
+ preview = df.head(5).to_string(index=False)
37
+ schema = f"Here are the first few rows of the dataset:\n\n{preview}"
 
 
38
 
39
+ # Prompt to Groq
40
+ full_prompt = f"""You are a data expert. Write a Pandas code snippet to answer the following question based on the data:\n\n{schema}\n\nQuestion: {user_query}"""
 
 
 
 
 
 
41
 
42
+ with st.spinner("⏳ Generating SQL-like response using Groq..."):
43
+ response = client.chat.completions.create(
44
+ model="mixtral-8x7b-32768",
45
+ messages=[
46
+ {"role": "system", "content": "You are an expert data assistant that writes pandas code based on user questions."},
47
+ {"role": "user", "content": full_prompt}
48
+ ]
49
+ )
50
 
51
+ answer = response.choices[0].message.content
52
+ st.code(answer, language="python")
 
 
 
 
 
53
 
54
+ # Optionally: try to run it
55
+ try:
56
+ local_vars = {"df": df.copy()}
57
+ exec(answer, {}, local_vars)
58
+ if 'df' in local_vars:
59
+ st.dataframe(local_vars['df'])
60
+ except Exception as e:
61
+ st.warning(f"⚠️ Could not execute the code:\n\n{e}")
62
 
63
  except Exception as e:
64
+ st.error(f"❌ Error processing file: {e}")
65
  else:
66
+ st.warning("⚠️ Please upload a file and enter a question.")