Spaces:
Running
Running
File size: 13,375 Bytes
75e2b6c |
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 |
# app/routers/chat.py
import logging
import os
import json
import tempfile
from datetime import datetime
from bson import ObjectId
from fastapi import APIRouter, Depends, HTTPException, UploadFile, File, Form, Header
from fastapi.responses import JSONResponse, FileResponse
from pydantic import BaseModel
from app.database.database_query import DatabaseQuery
from app.middleware.auth import get_current_user, get_optional_user
from app.services import ChatProcessor
from app.services.image_processor import ImageProcessor
from app.services.report_process import Report
from app.services.skincare_scheduler import SkinCareScheduler
from app.services.wheel import EnvironmentalConditions
from app.services.RAG_evaluation import RAGEvaluation
router = APIRouter()
query = DatabaseQuery()
class ChatSessionTitleUpdate(BaseModel):
title: str
@router.get('/image/{filename}')
async def serve_image(filename: str):
try:
# Use an absolute path or environment variable to ensure consistency
upload_dir = os.path.abspath('uploads')
file_path = os.path.join(upload_dir, filename)
# Add logging to debug
print(f"Attempting to serve file from: {file_path}")
if not os.path.exists(file_path):
print(f"File not found: {file_path}")
raise FileNotFoundError()
return FileResponse(file_path)
except FileNotFoundError:
raise HTTPException(status_code=404, detail="Image not found")
@router.post('/chat-sessions', status_code=201)
async def create_chat_session(username: str = Depends(get_current_user)):
try:
session_id = str(ObjectId())
chat_session = {
"user_id": username,
"session_id": session_id,
"created_at": datetime.utcnow(),
"last_accessed": datetime.utcnow(),
"title": "New Chat"
}
query.create_chat_session(chat_session)
return {"message": "Chat session created", "session_id": session_id}
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@router.get('/chat-sessions')
async def get_user_chat_sessions(username: str = Depends(get_current_user)):
try:
sessions = query.get_user_chat_sessions(username)
return sessions
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@router.delete('/chat-sessions/{session_id}')
async def delete_chat_session(session_id: str, username: str = Depends(get_current_user)):
try:
result = query.delete_chat_session(session_id, username)
if result["session_deleted"]:
return {
"message": "Chat session and associated chats deleted successfully",
"chats_deleted": result["chats_deleted"]
}
raise HTTPException(status_code=404, detail="Chat session not found or unauthorized")
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@router.put('/chat-sessions/{session_id}/title')
async def update_chat_title(
session_id: str,
title_data: ChatSessionTitleUpdate,
username: str = Depends(get_current_user)
):
try:
new_title = title_data.title
if not query.verify_session(session_id, username):
raise HTTPException(status_code=404, detail="Chat session not found or unauthorized")
if query.update_chat_session_title(session_id, new_title):
return {
'message': 'Chat session title updated successfully',
'session_id': session_id,
'new_title': new_title
}
raise HTTPException(status_code=500, detail="Failed to update chat session title")
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@router.delete('/chat-sessions/all')
async def delete_all_sessions_and_chats(username: str = Depends(get_current_user)):
try:
result = query.delete_all_user_sessions_and_chats(username)
return {
"message": "Successfully deleted all chat sessions and chats",
"deleted_chats": result["deleted_chats"],
"deleted_sessions": result["deleted_sessions"]
}
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@router.get('/chats/session/{session_id}')
async def get_session_chats(session_id: str, username: str = Depends(get_current_user)):
try:
chats = query.get_session_chats(session_id, username)
return chats
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@router.get('/export-chat/{session_id}')
async def export_chat(session_id: str, username: str = Depends(get_current_user)):
try:
if not query.verify_session(session_id, username):
raise HTTPException(status_code=404, detail="Chat session not found or unauthorized")
chats = query.get_session_chats(session_id, username)
formatted_chats = []
for chat in chats:
formatted_chat = {
'query': chat.get('query', ''),
'response': chat.get('response', ''),
'references': chat.get('references', []),
'page_no': chat.get('page_no', ''),
'date': chat.get('timestamp', ''),
'chat_id': chat.get('chat_id', '')
}
formatted_chats.append(formatted_chat)
export_data = {
'session_id': session_id,
'export_date': datetime.utcnow().isoformat(),
'chats': formatted_chats
}
return export_data
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@router.get('/export-all-chats')
async def export_all_chats(username: str = Depends(get_current_user)):
try:
all_chats = query.get_all_user_chats(username)
formatted_sessions = []
for session in all_chats:
formatted_chats = []
for chat in session['chats']:
formatted_chat = {
'query': chat.get('query', ''),
'response': chat.get('response', ''),
'references': chat.get('references', []),
'page_no': chat.get('page_no', ''),
'timestamp': chat.get('timestamp', ''),
'chat_id': chat.get('chat_id', '')
}
formatted_chats.append(formatted_chat)
formatted_session = {
'session_id': session['session_id'],
'title': session['title'],
'created_at': session['created_at'],
'last_accessed': session['last_accessed'],
'chats': formatted_chats
}
formatted_sessions.append(formatted_session)
export_data = {
'user': username,
'export_date': datetime.utcnow().isoformat(),
'sessions': formatted_sessions
}
return export_data
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@router.post('/web-search')
async def web_search(
data: dict,
authorization: str = Header(None),
username: str = Depends(get_current_user)
):
try:
token = authorization.split(" ")[1]
session_id = data.get("session_id")
query = data.get("query")
num_results = data.get("num_results", 3)
num_images = data.get("num_images", 3)
if not session_id or not query:
return JSONResponse(
status_code=400,
content={"error": "session_id and query are required"}
)
chat_processor = ChatProcessor(token=token, session_id=session_id, num_results=num_results, num_images=num_images)
response = chat_processor.web_search(query=query)
return {"response": response}
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@router.post('/report-analysis')
async def analyze_report(
file: UploadFile = File(...),
query: str = Form(...),
session_id: str = Form(...),
authorization: str = Header(None),
username: str = Depends(get_current_user)
):
try:
token = authorization.split(" ")[1]
if not file.filename:
return JSONResponse(
status_code=400,
content={"status": "error", "error": "Empty file provided"}
)
if not query.strip():
return JSONResponse(
status_code=400,
content={"status": "error", "error": "Query is required"}
)
file_extension = file.filename.rsplit('.', 1)[1].lower() if '.' in file.filename else ''
allowed_extensions = {
'pdf': 'pdf',
'xlsx': 'excel',
'xls': 'excel',
'csv': 'csv',
'jpg': 'image',
'jpeg': 'image',
'png': 'image',
'doc': 'word',
'docx': 'word',
'ppt': 'ppt',
'txt': 'text',
'html': 'html'
}
if file_extension not in allowed_extensions:
return JSONResponse(
status_code=200,
content={
"status": "success",
"message": f"Unsupported file type. Allowed types: {', '.join(allowed_extensions.keys())}",
"analysis": result
}
)
temp_dir = tempfile.mkdtemp()
temp_file_path = os.path.join(temp_dir, file.filename)
try:
content = await file.read()
with open(temp_file_path, "wb") as f:
f.write(content)
processor = Report(token=token, session_id=session_id)
result = processor.process_chat(
query=query,
report_file=temp_file_path,
file_type=allowed_extensions[file_extension]
)
return {
"status": "success",
"message": "Report analyzed successfully",
"analysis": result
}
finally:
# Clean up temporary files
if os.path.exists(temp_file_path):
os.remove(temp_file_path)
os.rmdir(temp_dir)
except Exception as e:
logging.error(f"Error in analyze_report: {str(e)}")
raise HTTPException(
status_code=500,
detail={
"status": "error",
"error": "Internal server error",
"details": str(e)
}
)
@router.get('/skin-care-schedule')
async def get_skin_care_schedule(
authorization: str = Header(None),
username: str = Depends(get_current_user)
):
try:
token = authorization.split(" ")[1]
scheduler = SkinCareScheduler(token, "session_id")
schedule = scheduler.createTable()
return json.loads(schedule)
except Exception as e:
logging.error(f"Error generating skin care schedule: {str(e)}")
raise HTTPException(
status_code=500,
detail={"error": "Failed to generate skin care schedule"}
)
@router.get('/skin-care-wheel')
async def get_skin_care_wheel(
authorization: str = Header(...),
username: str = Depends(get_current_user)
):
try:
token = authorization.split(" ")[1]
condition = EnvironmentalConditions(session_id=token)
condition_data = condition.get_conditon()
return condition_data
except Exception as e:
logging.error(f"Error generating skin care wheel: {str(e)}")
raise HTTPException(
status_code=500,
detail={
"error": "Failed to generate skin care wheel",
"message": "An unexpected error occurred"
}
)
@router.post('/image_disease_search')
async def disease_search(
session_id: str = Form(...),
query: str = Form(...),
num_results: int = Form(3),
num_images: int = Form(3),
image: UploadFile = File(...),
authorization: str = Header(...),
username: str = Depends(get_current_user)
):
try:
token = authorization.split(" ")[1]
image_processor = ImageProcessor(
token=token,
session_id=session_id,
num_results=num_results,
num_images=num_images,
image=image
)
response = image_processor.web_search(query=query)
return {"response": response}
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
@router.post('/get_rag_evaluation')
async def rag_evaluation(
page: int = Form(3),
page_size: int = Form(3),
authorization: str = Header(...),
username: str = Depends(get_current_user)
):
try:
token = authorization.split(" ")[1]
evaluator = RAGEvaluation(
token=token,
page=page,
page_size=page_size
)
report = evaluator.generate_evaluation_report()
return {"response": report}
except Exception as e:
raise HTTPException(status_code=500, detail=str(e)) |