Spaces:
Sleeping
Sleeping
File size: 18,802 Bytes
c024705 b84fe3f c024705 b84fe3f c024705 b84fe3f c024705 d4d8805 c024705 |
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 517 518 519 520 521 522 523 524 525 526 527 528 529 530 531 532 533 534 535 536 537 538 539 540 541 542 543 544 545 546 547 548 549 550 551 552 553 554 555 556 557 558 |
#!/usr/bin/env python3
"""
AIMHSA Unified Launcher
Runs both backend API and frontend on a single port using Flask
"""
import os
import sys
import time
import webbrowser
import argparse
from flask import Flask, request, jsonify, send_from_directory, render_template_string
from flask_cors import CORS
import json
import numpy as np
from openai import OpenAI
from dotenv import load_dotenv
import sqlite3
from werkzeug.security import generate_password_hash, check_password_hash
import uuid
import tempfile
import pytesseract
from werkzeug.utils import secure_filename
# Load environment variables
load_dotenv()
# Configuration
EMBED_FILE = "storage/embeddings.json"
CHAT_MODEL = os.getenv("CHAT_MODEL", "llama3.2")
EMBED_MODEL = os.getenv("EMBED_MODEL", "nomic-embed-text")
DB_FILE = "storage/conversations.db"
OLLAMA_BASE_URL = os.getenv("OLLAMA_BASE_URL", "http://localhost:11434/v1")
OLLAMA_API_KEY = os.getenv("OLLAMA_API_KEY", "ollama")
# Get port from .env, fallback to 8000
SERVER_PORT = int(os.getenv("SERVER_PORT", "8000"))
SERVER_HOST = os.getenv("SERVER_HOST", "0.0.0.0")
# Initialize Flask app
app = Flask(__name__)
CORS(app)
# Initialize OpenAI client for Ollama
openai_client = OpenAI(
base_url=OLLAMA_BASE_URL,
api_key=OLLAMA_API_KEY
)
# System prompt for AIMHSA
SYSTEM_PROMPT = """You are AIMHSA, a professional mental health support assistant for Rwanda.
## CRITICAL SCOPE ENFORCEMENT - REJECT OFF-TOPIC QUERIES
- You ONLY provide mental health, emotional well-being, and psychological support
- IMMEDIATELY REJECT any questions about: technology, politics, sports, entertainment, cooking, general knowledge, science, business, or any non-mental health topics
- For rejected queries, respond with: "I'm a mental health support assistant and can only help with emotional well-being and mental health concerns. Let's focus on how you're feeling today - is there anything causing you stress, anxiety, or affecting your mood?"
- NEVER provide detailed answers to non-mental health questions
- Always redirect to mental health topics after rejection
## Professional Guidelines
- Be warm, empathetic, and culturally sensitive
- Provide evidence-based information from the context when available
- Do NOT diagnose or prescribe medications
- Encourage professional care when appropriate
- For emergencies, always mention Rwanda's Mental Health Hotline: 105
- Keep responses professional, concise, and helpful
- Use the provided context to give accurate, relevant information
- Maintain a natural, conversational tone
- Ensure professional mental health support standards
Remember: You are a professional mental health support system. ALWAYS enforce scope boundaries by rejecting non-mental health queries and redirecting to emotional well-being topics.
"""
# Global variables for embeddings
chunk_texts = []
chunk_sources = []
chunk_embeddings = None
def init_storage():
"""Initialize database and load embeddings"""
os.makedirs(os.path.dirname(DB_FILE), exist_ok=True)
os.makedirs(os.path.dirname(EMBED_FILE), exist_ok=True)
conn = sqlite3.connect(DB_FILE)
try:
# Create tables
conn.execute("""
CREATE TABLE IF NOT EXISTS messages (
id INTEGER PRIMARY KEY AUTOINCREMENT,
conv_id TEXT NOT NULL,
role TEXT NOT NULL,
content TEXT NOT NULL,
ts REAL NOT NULL
)
""")
conn.execute("""
CREATE TABLE IF NOT EXISTS attachments (
id INTEGER PRIMARY KEY AUTOINCREMENT,
conv_id TEXT NOT NULL,
filename TEXT NOT NULL,
text TEXT NOT NULL,
ts REAL NOT NULL
)
""")
conn.execute("""
CREATE TABLE IF NOT EXISTS sessions (
id INTEGER PRIMARY KEY AUTOINCREMENT,
key TEXT UNIQUE NOT NULL,
conv_id TEXT NOT NULL,
ts REAL NOT NULL
)
""")
conn.execute("""
CREATE TABLE IF NOT EXISTS users (
username TEXT PRIMARY KEY,
password_hash TEXT NOT NULL,
created_ts REAL NOT NULL
)
""")
conn.execute("""
CREATE TABLE IF NOT EXISTS conversations (
conv_id TEXT PRIMARY KEY,
owner_key TEXT,
preview TEXT,
ts REAL
)
""")
conn.commit()
finally:
conn.close()
# Load embeddings
global chunk_texts, chunk_sources, chunk_embeddings
try:
with open(EMBED_FILE, "r", encoding="utf-8") as f:
chunks_data = json.load(f)
chunk_texts = [c["text"] for c in chunks_data]
chunk_sources = [{"source": c["source"], "chunk": c["chunk"]} for c in chunks_data]
chunk_embeddings = np.array([c["embedding"] for c in chunks_data], dtype=np.float32)
print(f"β
Loaded {len(chunk_texts)} embedding chunks")
except FileNotFoundError:
print("β οΈ Embeddings file not found. RAG features will be limited.")
chunk_texts = []
chunk_sources = []
chunk_embeddings = None
def cosine_similarity(a, b):
"""Calculate cosine similarity between embeddings"""
a_norm = a / np.linalg.norm(a, axis=1, keepdims=True)
b_norm = b / np.linalg.norm(b, axis=1, keepdims=True)
return np.dot(a_norm, b_norm.T)
def retrieve(query: str, k: int = 4):
"""Retrieve relevant chunks using embeddings"""
if chunk_embeddings is None:
return []
try:
# Use OpenAI client for embeddings
response = openai_client.embeddings.create(
model=EMBED_MODEL,
input=query
)
q_emb = np.array([response.data[0].embedding], dtype=np.float32)
sims = cosine_similarity(chunk_embeddings, q_emb)[:,0]
top_idx = sims.argsort()[-k:][::-1]
return [(chunk_texts[i], chunk_sources[i]) for i in top_idx]
except Exception as e:
print(f"Error in retrieve: {e}")
return []
def build_context(snippets):
"""Build context from retrieved snippets"""
lines = []
for i, (doc, meta) in enumerate(snippets, 1):
src = f"{meta.get('source','unknown')}#chunk{meta.get('chunk')}"
lines.append(f"[{i}] ({src}) {doc}")
return "\n\n".join(lines)
def save_message(conv_id: str, role: str, content: str):
"""Save message to database"""
conn = sqlite3.connect(DB_FILE)
try:
conn.execute(
"INSERT INTO messages (conv_id, role, content, ts) VALUES (?, ?, ?, ?)",
(conv_id, role, content, time.time()),
)
conn.commit()
finally:
conn.close()
def load_history(conv_id: str):
"""Load conversation history"""
conn = sqlite3.connect(DB_FILE)
try:
cur = conn.execute(
"SELECT role, content FROM messages WHERE conv_id = ? ORDER BY id ASC",
(conv_id,),
)
rows = cur.fetchall()
return [{"role": r[0], "content": r[1]} for r in rows]
finally:
conn.close()
# ============================================================================
# FRONTEND ROUTES
# ============================================================================
@app.route('/')
def index():
"""Serve main chat interface"""
return send_from_directory('chatbot', 'index.html')
@app.route('/landing')
@app.route('/landing.html')
def landing():
"""Serve landing page"""
return send_from_directory('chatbot', 'landing.html')
@app.route('/login')
@app.route('/login.html')
def login():
"""Serve login page"""
return send_from_directory('chatbot', 'login.html')
@app.route('/register')
@app.route('/register.html')
def register():
"""Serve registration page"""
return send_from_directory('chatbot', 'register.html')
@app.route('/admin_dashboard.html')
def admin_dashboard():
"""Serve admin dashboard"""
return send_from_directory('chatbot', 'admin_dashboard.html')
@app.route('/professional_dashboard.html')
def professional_dashboard():
"""Serve professional dashboard"""
return send_from_directory('chatbot', 'professional_dashboard.html')
@app.route('/<path:filename>')
def static_files(filename):
"""Serve static files (CSS, JS, etc.)"""
return send_from_directory('chatbot', filename)
# ============================================================================
# API ROUTES
# ============================================================================
@app.route('/healthz')
def healthz():
"""Health check endpoint"""
return {"ok": True}
@app.route('/ask', methods=['POST'])
def ask():
"""Main chat endpoint with scope validation"""
data = request.get_json(force=True)
query = (data.get("query") or "").strip()
if not query:
return jsonify({"error": "Missing 'query'"}), 400
# Simple scope validation for non-mental health topics
query_lower = query.lower()
non_mental_health_indicators = [
'computer', 'technology', 'programming', 'politics', 'sports', 'football',
'recipe', 'cooking', 'weather', 'mathematics', 'history', 'business',
'movie', 'music', 'travel', 'shopping', 'news', 'science'
]
# Check if query is clearly outside mental health scope
if any(indicator in query_lower for indicator in non_mental_health_indicators):
rejection_message = "I'm a mental health support assistant and can only help with emotional well-being and mental health concerns. Let's focus on how you're feeling today - is there anything causing you stress, anxiety, or affecting your mood?"
conv_id = data.get("id") or str(uuid.uuid4())
save_message(conv_id, "user", query)
save_message(conv_id, "assistant", rejection_message)
return jsonify({
"answer": rejection_message,
"id": conv_id,
"scope_rejection": True
})
# Conversation ID handling
conv_id = data.get("id")
new_conv = False
if not conv_id:
conv_id = str(uuid.uuid4())
new_conv = True
# Load conversation history
history = load_history(conv_id)
# Build messages for AI
messages = [{"role": "system", "content": SYSTEM_PROMPT}]
# Add conversation history
for entry in history:
role = entry.get("role", "user")
if role in ("user", "assistant"):
messages.append({"role": role, "content": entry.get("content", "")})
# Add current query
messages.append({"role": "user", "content": query})
# Get context from embeddings if available
context = ""
if chunk_embeddings is not None:
top = retrieve(query, k=4)
context = build_context(top)
# Build user prompt with context
if context:
user_prompt = f"""Answer the user's question using ONLY the CONTEXT below.
If the context is insufficient, be honest and provide safe, general guidance.
QUESTION:
{query}
CONTEXT:
{context}
"""
else:
user_prompt = query
# Replace the last user message with the enhanced prompt
messages[-1] = {"role": "user", "content": user_prompt}
try:
# Get AI response using OpenAI client
response = openai_client.chat.completions.create(
model=CHAT_MODEL,
messages=messages,
temperature=0.7,
max_tokens=1000
)
answer = response.choices[0].message.content
# Save conversation
save_message(conv_id, "user", query)
save_message(conv_id, "assistant", answer)
# Prepare response
resp = {"answer": answer, "id": conv_id}
if new_conv:
resp["new"] = True
return jsonify(resp)
except Exception as e:
return jsonify({"error": f"Unexpected error: {str(e)}"}), 500
@app.route('/api/register', methods=['POST'])
def api_register():
"""User registration endpoint"""
try:
data = request.get_json(force=True)
except Exception:
return jsonify({"error": "Invalid JSON"}), 400
username = (data.get("username") or "").strip()
password = (data.get("password") or "")
if not username or not password:
return jsonify({"error": "username and password required"}), 400
pw_hash = generate_password_hash(password)
conn = sqlite3.connect(DB_FILE)
try:
try:
conn.execute(
"INSERT INTO users (username, password_hash, created_ts) VALUES (?, ?, ?)",
(username, pw_hash, time.time()),
)
conn.commit()
except sqlite3.IntegrityError:
return jsonify({"error": "username exists"}), 409
finally:
conn.close()
return jsonify({"ok": True, "account": username})
@app.route('/api/login', methods=['POST'])
def api_login():
"""User login endpoint"""
try:
data = request.get_json(force=True)
except Exception:
return jsonify({"error": "Invalid JSON"}), 400
username = (data.get("username") or "").strip()
password = (data.get("password") or "")
if not username or not password:
return jsonify({"error": "username and password required"}), 400
conn = sqlite3.connect(DB_FILE)
try:
cur = conn.execute("SELECT password_hash FROM users WHERE username = ?", (username,))
row = cur.fetchone()
if not row:
return jsonify({"error": "invalid credentials"}), 401
stored = row[0]
if not check_password_hash(stored, password):
return jsonify({"error": "invalid credentials"}), 401
finally:
conn.close()
return jsonify({"ok": True, "account": username})
@app.route('/api/history')
def api_history():
"""Get conversation history"""
conv_id = request.args.get("id")
if not conv_id:
return jsonify({"error": "Missing 'id' parameter"}), 400
try:
hist = load_history(conv_id)
return jsonify({"id": conv_id, "history": hist})
except Exception as e:
return jsonify({"error": str(e)}), 500
@app.route('/api/reset', methods=['POST'])
def api_reset():
"""Reset database"""
conn = sqlite3.connect(DB_FILE)
try:
conn.execute("DELETE FROM messages")
conn.execute("DELETE FROM attachments")
conn.execute("DELETE FROM sessions")
conn.execute("DELETE FROM conversations")
conn.execute("DELETE FROM users")
conn.commit()
finally:
conn.close()
return jsonify({"ok": True})
@app.route('/session', methods=['POST'])
def api_session():
"""
Create or retrieve session by IP or account.
Request JSON: { "account": "<optional account id>" }
Returns: { "id": "<conv_id>", "new": true|false }
"""
try:
data = request.get_json(silent=True) or {}
except Exception:
data = {}
account = (data.get("account") or "").strip()
if account:
key = f"acct:{account}"
else:
ip = request.remote_addr or "unknown"
key = f"ip:{ip}"
# Simple session creation logic
conv_id = str(uuid.uuid4())
# Save session to database
conn = sqlite3.connect(DB_FILE)
try:
# Check if session exists
cur = conn.execute("SELECT conv_id FROM sessions WHERE key = ?", (key,))
row = cur.fetchone()
if row:
# Update existing session
conn.execute("UPDATE sessions SET ts = ? WHERE key = ?", (time.time(), key))
conn.commit()
return jsonify({"id": row[0], "new": False})
else:
# Create new session
conn.execute(
"INSERT INTO sessions (key, conv_id, ts) VALUES (?, ?, ?)",
(key, conv_id, time.time())
)
# Also create a conversations entry
conn.execute(
"INSERT OR IGNORE INTO conversations (conv_id, owner_key, preview, ts) VALUES (?, ?, ?, ?)",
(conv_id, key, "New chat", time.time())
)
conn.commit()
return jsonify({"id": conv_id, "new": True})
finally:
conn.close()
# ============================================================================
# MAIN FUNCTION
# ============================================================================
def test_ollama_connection():
"""Test connection to Ollama"""
try:
print("π Testing Ollama connection...")
response = openai_client.chat.completions.create(
model=CHAT_MODEL,
messages=[{"role": "user", "content": "Hello"}],
max_tokens=10
)
print("β
Ollama connection successful!")
return True
except Exception as e:
print(f"β Ollama connection failed: {e}")
print("π‘ Make sure Ollama is running: ollama serve")
return False
def main():
parser = argparse.ArgumentParser(description="AIMHSA Unified Launcher - Single Port")
parser.add_argument("--port", "-p", type=int, default=SERVER_PORT, help=f"Port to run on (default: {SERVER_PORT})")
parser.add_argument("--host", default=SERVER_HOST, help=f"Host to bind to (default: {SERVER_HOST})")
parser.add_argument("--skip-ollama-test", action="store_true", help="Skip Ollama connection test")
args = parser.parse_args()
print("="*60)
print("π§ AIMHSA - AI Mental Health Support Assistant")
print("="*60)
print(f"π Running on: http://{args.host}:{args.port}")
print(f"π€ Ollama URL: {OLLAMA_BASE_URL}")
print(f"π§ Chat Model: {CHAT_MODEL}")
print(f"π Embed Model: {EMBED_MODEL}")
print("="*60)
# Test Ollama connection
if not args.skip_ollama_test:
if not test_ollama_connection():
print("β οΈ Continuing without Ollama connection test...")
# Initialize storage and embeddings
print("π Initializing AIMHSA...")
init_storage()
print("Available routes:")
print(f" - http://localhost:{args.port}/ (main chat)")
print(f" - http://localhost:{args.port}/landing (landing page)")
print(f" - http://localhost:{args.port}/login (login page)")
print(f" - http://localhost:{args.port}/register (register page)")
print("="*60)
# Open browser
try:
webbrowser.open(f"http://localhost:{args.port}")
except Exception:
pass
print("β
AIMHSA is ready!")
print("Press Ctrl+C to stop")
# Run Flask app
app.run(host=args.host, port=args.port, debug=False)
if __name__ == "__main__":
main() |