Scaryscar's picture
Update app.py
4b48a04 verified
import torch
from transformers import AutoTokenizer, AutoModelForCausalLM
import gradio as gr
import time
import matplotlib.pyplot as plt
import numpy as np
from io import BytesIO
import base64
import re
import os
from typing import Optional
# ======================
# GPU Optimization Setup
# ======================
def configure_hardware():
"""Aggressive GPU configuration with automatic fallback"""
try:
if torch.cuda.is_available():
device = torch.device("cuda")
torch.backends.cudnn.benchmark = True
dtype = torch.float16
print("🚀 Using CUDA GPU acceleration")
elif hasattr(torch.backends, 'mps') and torch.backends.mps.is_available():
device = torch.device("mps")
dtype = torch.float16
print("🍏 Using Apple MPS acceleration")
else:
device = torch.device("cpu")
torch.set_num_threads(os.cpu_count() or 4)
dtype = torch.float32
print("⚡ Using CPU with thread optimization")
return device, dtype
except Exception as e:
print(f"⚠️ Hardware config error: {e}, using CPU fallback")
return torch.device("cpu"), torch.float32
device, torch_dtype = configure_hardware()
# ======================
# Model Loading
# ======================
def load_models():
"""Load model with retries and automatic device placement"""
for attempt in range(3):
try:
tokenizer = AutoTokenizer.from_pretrained("google/gemma-2-2b-it")
model = AutoModelForCausalLM.from_pretrained(
"google/gemma-2-2b-it",
torch_dtype=torch_dtype,
device_map="auto",
low_cpu_mem_usage=True
)
if model.device != device:
model = model.to(device)
print(f"✅ Model loaded on {model.device}")
return model, tokenizer
except Exception as e:
if attempt == 2:
raise
print(f"⚠️ Attempt {attempt+1} failed: {e}")
time.sleep(2)
model, tokenizer = load_models()
# ======================
# Core Processing
# ======================
def generate_plot(labels, values, title="Comparison"):
"""Generate and encode matplotlib plot"""
plt.figure(figsize=(8,4))
plt.bar(labels, values, color=['#4C72B0', '#DD8452'])
plt.title(title)
plt.grid(axis='y', linestyle='--', alpha=0.7)
buf = BytesIO()
plt.savefig(buf, format='png', dpi=100, bbox_inches='tight')
buf.seek(0)
img_str = base64.b64encode(buf.read()).decode('utf-8')
plt.close()
return img_str
def solve_known_problems(prompt: str) -> Optional[str]:
"""Predefined solutions for common problems"""
prompt_lower = prompt.lower()
numbers = [int(n) for n in re.findall(r'\d+', prompt)]
# 2+2 problem
if "2+2" in prompt_lower:
return """🔢 Step-by-Step Solution:
1. Start with first number: 2
2. Add second number: + 2
3. Combine the values: 2 + 2 = 4
✅ Final Answer: 4"""
# Shopping problem
if ("notebook" in prompt_lower and "pen" in prompt_lower and
len(numbers) >= 4 and any(w in prompt_lower for w in ["rs.", "$"])):
notebook_total = numbers[0] * numbers[2]
pen_total = numbers[1] * numbers[3]
total = notebook_total + pen_total
plot = generate_plot(
labels=['Notebooks', 'Pens'],
values=[notebook_total, pen_total],
title="Expense Breakdown"
)
return f"""🛍️ Step-by-Step Solution:
1. Notebook cost: {numbers[0]} × Rs.{numbers[2]} = Rs.{notebook_total}
2. Pen cost: {numbers[1]} × Rs.{numbers[3]} = Rs.{pen_total}
3. Total expense: Rs.{notebook_total} + Rs.{pen_total} = Rs.{total}
💵 Total Amount Spent: Rs.{total}
![Expense Breakdown](data:image/png;base64,{plot})"""
# Sales comparison
if ("difference" in prompt_lower and "sales" in prompt_lower and
len(numbers) >= 2):
diff = numbers[0] - numbers[1]
plot = generate_plot(
labels=['Today', 'Yesterday'],
values=[numbers[0], numbers[1]],
title="Sales Comparison"
)
return f"""📊 Step-by-Step Solution:
1. Today's sales: {numbers[0]}
2. Yesterday's sales: {numbers[1]}
3. Difference: {numbers[0]} - {numbers[1]} = {diff}
📈 Sales Difference: {diff}
![Sales Comparison](data:image/png;base64,{plot})"""
# Complex numbers
if "z^2" in prompt and "complex" in prompt_lower:
return """🧮 Step-by-Step Solution:
1. Given equation: z² + 16 - 30i = 0
2. Rewrite: z² = -16 + 30i
3. Let z = a + bi → z² = (a²-b²) + (2ab)i
4. Equate components:
- Real part: a² - b² = -16
- Imaginary part: 2ab = 30 → ab = 15
5. Solve system:
b = 15/a → a² - (225/a²) = -16
Multiply by a²: a⁴ + 16a² - 225 = 0
6. Let x = a² → x² + 16x - 225 = 0
7. Quadratic formula: x = [-16 ± √(256 + 900)]/2
→ x = 9 or -25
8. Valid solution: a² = 9 → a = ±3
→ b = 15/3 = 5 or b = 15/-3 = -5
✅ Solutions: z = 3 + 5i or z = -3 - 5i"""
return None
def generate_response(prompt: str) -> str:
"""Generate step-by-step solution with performance tracking"""
start_time = time.time()
# First try predefined solutions
predefined = solve_known_problems(prompt)
if predefined:
gen_time = time.time() - start_time
return f"{predefined}\n\n⏱️ Generated in {gen_time:.3f} seconds"
# Generate with model
try:
formatted_prompt = f"""Provide a detailed, step-by-step solution to the following problem. Break down each part clearly and show all working.
Problem: {prompt}
Solution Steps:"""
inputs = tokenizer(formatted_prompt, return_tensors="pt").to(device)
outputs = model.generate(
**inputs,
max_new_tokens=1000,
temperature=0.3,
top_k=40,
top_p=0.9,
do_sample=True,
pad_token_id=tokenizer.eos_token_id
)
response = tokenizer.decode(outputs[0], skip_special_tokens=True)
response = response.replace(formatted_prompt, "").strip()
if not response or len(response) < 20:
response = "Here's the step-by-step approach:\n1. Analyze the problem\n2. Break it into components\n3. Solve each part\n4. Combine results\n\n(Detailed steps could not be generated)"
gen_time = time.time() - start_time
return f"{response}\n\n⏱️ Generated in {gen_time:.3f} seconds"
except Exception as e:
return f"Error generating response: {str(e)}"
# ======================
# Gradio Interface
# ======================
examples = [
"What is 2+2? Explain step by step.",
"Sara bought 3 notebooks and two pens. Each notebook costs Rs.120 and each pen costs Rs.30. How much money did Sara spend in total?",
"Find the value of z in the equation z^2 + 16 - 30i = 0, where z is a complex number.",
"If today a company makes 2000 sales and yesterday it made 1455 sales, what is the difference between them?"
]
with gr.Blocks(title="Ultimate Problem Solver", theme=gr.themes.Soft()) as demo:
gr.Markdown("""# 🧠 Ultimate Step-by-Step Problem Solver
*Powered by Gemma-2B with GPU Acceleration*""")
with gr.Row():
input_prompt = gr.Textbox(
label="Enter your problem",
placeholder="Type your math, word problem, or equation here...",
lines=3,
max_lines=6
)
output_response = gr.Markdown(label="Detailed Solution")
with gr.Row():
submit_btn = gr.Button("Solve", variant="primary")
clear_btn = gr.Button("Clear")
gr.Examples(
examples=examples,
inputs=input_prompt,
label="Try these examples",
examples_per_page=2
)
submit_btn.click(
fn=generate_response,
inputs=input_prompt,
outputs=output_response,
api_name="solve"
)
clear_btn.click(
lambda: ("", ""),
outputs=[input_prompt, output_response]
)
if __name__ == "__main__":
demo.launch(
server_name="0.0.0.0",
server_port=7860,
share=False
)