Spaces:
Sleeping
Sleeping
File size: 16,410 Bytes
cb55d04 |
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 |
# app.py - Enhanced with voice query support (Text responses only)
from fastapi import FastAPI, HTTPException, UploadFile, File
from fastapi.staticfiles import StaticFiles
from fastapi.responses import FileResponse, JSONResponse, HTMLResponse
from fastapi.middleware.cors import CORSMiddleware
from pydantic import BaseModel
from contextlib import asynccontextmanager
import sys
import os
import asyncio
import time
import uuid
from typing import Optional
import logging
# Set up logging
logging.basicConfig(level=logging.INFO)
logger = logging.getLogger(__name__)
# Add current directory to path to fix import issues
sys.path.append(os.path.dirname(os.path.abspath(__file__)))
# Global RAG system instance
rag_system = None
@asynccontextmanager
async def lifespan(app: FastAPI):
"""Lifespan context manager for startup/shutdown events"""
# Startup
global rag_system
try:
logger.info("π Starting Well Being Agent...")
# Import here to avoid circular imports
from Agent import load_index, BreastCancerRAGSystem
logger.info("π Loading configuration and index...")
# Add delay to ensure everything is loaded
await asyncio.sleep(2)
index, retriever = load_index()
if index and retriever:
rag_system = BreastCancerRAGSystem(index, retriever)
logger.info("β
RAG System initialized successfully")
# Test the system
try:
test_answer = rag_system.get_enhanced_answer("Hello, are you working?")
logger.info(f"β
System test successful: {test_answer[:50]}...")
except Exception as e:
logger.warning(f"β οΈ System test failed: {e}")
else:
logger.error("β Failed to load index - system will not work properly")
rag_system = None
except Exception as e:
logger.error(f"β Startup error: {e}")
import traceback
traceback.print_exc()
yield
# Shutdown
logger.info("π Shutting down Well Being Agent...")
app = FastAPI(
title="Well Being Agent - Breast Cancer Support",
description="AI-powered breast cancer support system providing evidence-based information and emotional support",
version="1.0.0",
lifespan=lifespan
)
# Add CORS middleware
app.add_middleware(
CORSMiddleware,
allow_origins=["*"],
allow_credentials=True,
allow_methods=["*"],
allow_headers=["*"],
)
class QueryRequest(BaseModel):
query: str
language: str = "auto"
response_type: str = "text"
class QueryResponse(BaseModel):
answer: str
status: str
language: str = "english"
class VoiceResponse(BaseModel):
text: str
language: str = "english"
status: str = "success"
# Create directories if they don't exist
os.makedirs("static/audio", exist_ok=True)
logger.info(f"π Created directory structure: static/audio")
logger.info(f"π Current working directory: {os.getcwd()}")
# Serve static files
try:
app.mount("/static", StaticFiles(directory="static"), name="static")
logger.info("β
Static files mounted successfully")
except Exception as e:
logger.error(f"β Failed to mount static files: {e}")
# Frontend serving
@app.get("/")
async def serve_frontend():
"""Serve the main frontend page"""
try:
if not os.path.exists('index.html'):
logger.error("β index.html not found!")
fallback_html = """
<!DOCTYPE html>
<html>
<head>
<title>Well Being Agent - System Running</title>
<style>
body { font-family: Arial, sans-serif; margin: 40px; background: #f5f5f5; }
.container { max-width: 800px; margin: 0 auto; background: white; padding: 30px; border-radius: 15px; box-shadow: 0 5px 15px rgba(0,0,0,0.1); }
.status { color: green; font-weight: bold; }
.error { color: red; }
</style>
</head>
<body>
<div class="container">
<h1>π Well Being Agent - Backend Running</h1>
<p class="status">β
Server is running successfully</p>
<p class="error">β οΈ index.html file not found</p>
<p>Current directory: """ + os.getcwd() + """</p>
<p>Static audio directory: """ + str(os.path.exists('static/audio')) + """</p>
</div>
</body>
</html>
"""
return HTMLResponse(content=fallback_html, status_code=200)
return FileResponse('index.html')
except Exception as e:
logger.error(f"β Error serving frontend: {e}")
return JSONResponse(
{"error": "Frontend serving failed", "details": str(e)},
status_code=500
)
@app.get("/styles.css")
async def serve_css():
"""Serve CSS file"""
try:
if os.path.exists('styles.css'):
return FileResponse('styles.css', media_type='text/css')
else:
return JSONResponse({"error": "CSS file not found"}, status_code=404)
except Exception as e:
return JSONResponse({"error": "CSS serving failed"}, status_code=500)
@app.get("/script.js")
async def serve_js():
"""Serve JavaScript file"""
try:
if os.path.exists('script.js'):
return FileResponse('script.js', media_type='application/javascript')
else:
return JSONResponse({"error": "JavaScript file not found"}, status_code=404)
except Exception as e:
return JSONResponse({"error": "JavaScript serving failed"}, status_code=500)
@app.post("/ask-query", response_model=QueryResponse)
async def ask_query(request: QueryRequest):
"""Main endpoint for processing queries"""
try:
if not rag_system:
return QueryResponse(
answer="I'm currently initializing. Please wait a moment and try again.",
status="error",
language="english"
)
if not request.query or not request.query.strip():
return QueryResponse(
answer="Please enter a question about breast cancer support.",
status="error",
language="english"
)
# Determine language
if request.language == "auto":
detected_language = rag_system.detect_language(request.query)
else:
detected_language = request.language
logger.info(f"π Processing query in {detected_language}, Type: {request.response_type}")
# Process the query with response type
answer = rag_system.get_enhanced_answer(
user_query=request.query,
language=detected_language,
response_type=request.response_type
)
return QueryResponse(
answer=answer,
status="success",
language=detected_language
)
except Exception as e:
logger.error(f"Error processing query: {e}")
return QueryResponse(
answer="I apologize, but I'm having trouble processing your request right now. Please try again in a moment.",
status="error",
language="english"
)
@app.post("/voice-query", response_model=VoiceResponse)
async def process_voice_query(
file: UploadFile = File(...),
language: str = "auto" # Auto-detect language from speech
):
"""Process voice query and return TEXT response only (English & Urdu)"""
try:
# Validate file type
if not file.content_type or not file.content_type.startswith('audio/'):
raise HTTPException(status_code=400, detail="File must be an audio file")
logger.info(f"π€ Processing voice query - Language preference: {language}")
# Import audio processor with proper error handling
try:
from audio_processor import audio_processor
except ImportError as e:
logger.error(f"β Failed to import audio_processor: {e}")
return VoiceResponse(
text="Audio processing service is currently unavailable.",
status="error",
language="english"
)
# Convert speech to text with language detection
stt_result = await audio_processor.speech_to_text(file, language)
if not stt_result or not stt_result.get('text'):
raise HTTPException(status_code=400, detail="Could not transcribe audio")
query_text = stt_result['text']
detected_language = stt_result.get('language', 'english')
logger.info(f"π Transcribed text ({detected_language}): {query_text}")
# Process the query through RAG system
if not rag_system:
return VoiceResponse(
text="System is initializing. Please try again in a moment.",
status="error",
language=detected_language
)
# β
Always use TEXT response type for voice queries
answer = rag_system.get_enhanced_answer(
user_query=query_text,
language=detected_language, # Use detected language
response_type="text" # Always text response
)
logger.info(f"β
Voice query processed successfully - Response in {detected_language}")
return VoiceResponse(
text=answer, # Always return text
language=detected_language,
status="success"
)
except HTTPException:
raise
except Exception as e:
logger.error(f"Error processing voice query: {e}")
return VoiceResponse(
text="Sorry, I encountered an error processing your voice message.",
status="error",
language="english"
)
# Audio serving endpoint (kept for any future use)
@app.get("/audio/{filename}")
async def serve_audio_direct(filename: str):
"""Direct audio serving endpoint"""
try:
audio_path = os.path.join("static", "audio", filename)
logger.info(f"π Direct audio request for: {filename}")
if not os.path.exists(audio_path):
logger.error(f"β Audio file not found: {audio_path}")
raise HTTPException(status_code=404, detail=f"Audio file {filename} not found")
# Determine content type
if filename.endswith('.mp3'):
media_type = "audio/mpeg"
elif filename.endswith('.wav'):
media_type = "audio/wav"
else:
media_type = "audio/mpeg"
logger.info(f"π Serving audio file: {audio_path}")
return FileResponse(audio_path, media_type=media_type, filename=filename)
except Exception as e:
logger.error(f"β Error serving audio file: {e}")
raise HTTPException(status_code=500, detail="Error serving audio file")
@app.get("/debug-audio")
async def debug_audio():
"""Debug endpoint to check audio file locations"""
import glob
audio_info = {
"current_directory": os.getcwd(),
"static_directory_exists": os.path.exists("static"),
"static_audio_exists": os.path.exists("static/audio"),
"audio_files_in_static_audio": [],
"static_files_mounted": True
}
# Check static/audio directory
if os.path.exists("static/audio"):
audio_files = glob.glob("static/audio/*.mp3") + glob.glob("static/audio/*.wav")
audio_info["audio_files_in_static_audio"] = [
{
"name": os.path.basename(f),
"size": os.path.getsize(f),
"path": f,
"absolute_path": os.path.abspath(f),
}
for f in audio_files
]
return JSONResponse(audio_info)
@app.get("/predefined-questions")
async def get_predefined_questions(language: str = "english"):
"""Get predefined questions for breast cancer patients"""
try:
if not rag_system:
return JSONResponse({
"questions": [],
"status": "system_initializing"
})
questions = rag_system.get_predefined_questions(language)
return JSONResponse({
"questions": questions,
"status": "success",
"language": language
})
except Exception as e:
logger.error(f"Error getting predefined questions: {e}")
return JSONResponse({
"questions": [],
"status": "error"
})
@app.get("/health")
async def health_check():
"""Health check endpoint"""
health_status = {
"status": "healthy" if rag_system else "initializing",
"rag_system_loaded": rag_system is not None,
"service": "Well Being Agent - Breast Cancer Support",
"version": "1.0.0"
}
return JSONResponse(health_status)
@app.get("/info")
async def system_info():
"""System information endpoint"""
info = {
"name": "Well Being Agent",
"description": "AI-powered breast cancer support system",
"version": "1.0.0",
"status": "ready" if rag_system else "initializing",
"features": [
"Breast cancer information",
"Treatment guidance",
"Fertility options",
"Recovery timelines",
"Emotional support",
"Multilingual support (English/Urdu)",
"Voice query support (Text responses)"
]
}
return JSONResponse(info)
# Debug endpoint to check file existence
@app.get("/debug-files")
async def debug_files():
"""Check if required files exist"""
files = {
'index.html': os.path.exists('index.html'),
'styles.css': os.path.exists('styles.css'),
'script.js': os.path.exists('script.js'),
'Agent.py': os.path.exists('Agent.py'),
'audio_processor.py': os.path.exists('audio_processor.py'),
'current_directory': os.getcwd()
}
return JSONResponse(files)
async def cleanup_old_audio_files():
"""Clean up audio files older than 1 hour"""
while True:
try:
audio_dir = os.path.join("static", "audio")
if os.path.exists(audio_dir):
current_time = time.time()
for filename in os.listdir(audio_dir):
file_path = os.path.join(audio_dir, filename)
if os.path.isfile(file_path):
# Delete files older than 1 hour
if current_time - os.path.getctime(file_path) > 3600:
os.remove(file_path)
logger.info(f"π§Ή Cleaned up old audio file: {filename}")
except Exception as e:
logger.error(f"Error cleaning up audio files: {e}")
await asyncio.sleep(3600)
# Start cleanup task when app starts
@app.on_event("startup")
async def start_cleanup_task():
asyncio.create_task(cleanup_old_audio_files())
# Fallback route for SPA
@app.get("/{full_path:path}")
async def serve_frontend_fallback(full_path: str):
"""Fallback to serve index.html for SPA routing"""
if os.path.exists(full_path) and full_path != "":
return FileResponse(full_path)
return FileResponse('index.html')
if __name__ == "__main__":
import uvicorn
# Use port 7860 for Hugging Face, 8000 for local development
port = int(os.environ.get("PORT", 7860)) # CHANGED: Default to 7860
logger.info(f"π Starting Well Being Agent Server on port {port}...")
uvicorn.run(app, host="0.0.0.0", port=port, log_level="info") |