Spaces:
Sleeping
Sleeping
File size: 20,106 Bytes
2832da8 84efb1f 2832da8 f6a6a60 2832da8 f6a6a60 2832da8 f6a6a60 2832da8 f6a6a60 2832da8 f6a6a60 2832da8 f6a6a60 2832da8 f6a6a60 2832da8 f6a6a60 2832da8 f6a6a60 2832da8 f6a6a60 2832da8 f6a6a60 2832da8 f6a6a60 2832da8 |
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 |
import aiosqlite
import json
import os
from typing import Optional, List, Dict, Any
from datetime import datetime
import uuid
import logging
logger = logging.getLogger(__name__)
class Database:
"""Pure SQLite database handler for AI Language Tutor"""
def __init__(self, db_path: str = "/tmp/ai_tutor.db"):
self.db_path = db_path
async def initialize(self):
"""Initialize database with schema"""
async with aiosqlite.connect(self.db_path) as db:
# Read and execute schema - look for it in parent directory
schema_path = os.path.join(os.path.dirname(__file__), 'schema.sql')
with open(schema_path, 'r') as f:
schema = f.read()
await db.executescript(schema)
await db.commit()
logger.info("Database initialized successfully")
async def find_existing_curriculum(
self,
query: str,
native_language: str,
target_language: str,
proficiency: str,
user_id: Optional[int] = None
) -> Optional[Dict[str, Any]]:
"""Find existing curriculum for exact query and metadata match"""
logger.info(f"Looking for curriculum: query='{query[:50]}...', native={native_language}, target={target_language}, proficiency={proficiency}, user_id={user_id}")
async with aiosqlite.connect(self.db_path) as db:
db.row_factory = aiosqlite.Row
# Always look for exact query matches first, prioritizing user-specific matches
if user_id is not None:
# User-specific search: Find exact query match for the user
logger.info(f"Searching for exact match for user {user_id}")
async with db.execute("""
SELECT c.*, m.native_language, m.target_language, m.proficiency, m.title, m.query
FROM curricula c
JOIN metadata_extractions m ON c.metadata_extraction_id = m.id
WHERE m.user_id = ? AND m.query = ? AND m.native_language = ?
AND m.target_language = ? AND m.proficiency = ?
ORDER BY c.created_at DESC
LIMIT 1
""", (user_id, query, native_language, target_language, proficiency)) as cursor:
row = await cursor.fetchone()
if row:
logger.info(f"Found exact user match: {dict(row)['id']}")
return dict(row)
# Look for exact query match from any user (only if the query is exactly the same)
logger.info("Searching for exact query match (any user)")
async with db.execute("""
SELECT c.*, m.native_language, m.target_language, m.proficiency, m.title, m.query
FROM curricula c
JOIN metadata_extractions m ON c.metadata_extraction_id = m.id
WHERE m.query = ? AND m.native_language = ? AND m.target_language = ? AND m.proficiency = ?
ORDER BY c.created_at DESC
LIMIT 1
""", (query, native_language, target_language, proficiency)) as cursor:
row = await cursor.fetchone()
if row:
logger.info(f"Found exact query match: {dict(row)['id']}")
return dict(row)
else:
logger.info("No exact query match found")
logger.info("No existing curriculum found")
return None
async def save_metadata_extraction(
self,
query: str,
metadata: Dict[str, Any],
user_id: Optional[int] = None
) -> str:
"""Save extracted metadata and return extraction ID"""
extraction_id = str(uuid.uuid4())
# Validate proficiency before inserting into the database
allowed_proficiencies = {"beginner", "intermediate", "advanced"}
proficiency = metadata.get('proficiency')
if proficiency not in allowed_proficiencies:
logger.warning(
f"Unknown proficiency '{proficiency}' received; defaulting to 'beginner'."
)
proficiency = "beginner"
metadata["proficiency"] = "beginner"
async with aiosqlite.connect(self.db_path) as db:
await db.execute("""
INSERT INTO metadata_extractions
(id, user_id, query, native_language, target_language, proficiency, title, description, metadata_json)
VALUES (?, ?, ?, ?, ?, ?, ?, ?, ?)
""", (
extraction_id,
user_id,
query,
metadata.get('native_language'),
metadata.get('target_language'),
metadata.get('proficiency'),
metadata.get('title'),
metadata.get('description'),
json.dumps(metadata)
))
await db.commit()
logger.info(f"Saved metadata extraction: {extraction_id}")
return extraction_id
async def save_curriculum(
self,
metadata_extraction_id: str,
curriculum: Dict[str, Any],
user_id: Optional[int] = None
) -> str:
"""Save generated curriculum and return curriculum ID"""
curriculum_id = str(uuid.uuid4())
async with aiosqlite.connect(self.db_path) as db:
await db.execute("""
INSERT INTO curricula
(id, metadata_extraction_id, user_id, lesson_topic, curriculum_json, content_generation_status)
VALUES (?, ?, ?, ?, ?, 'pending')
""", (
curriculum_id,
metadata_extraction_id,
user_id,
curriculum.get('lesson_topic', ''),
json.dumps(curriculum)
))
await db.commit()
logger.info(f"Saved curriculum: {curriculum_id}")
return curriculum_id
async def copy_curriculum_for_user(
self,
source_curriculum_id: str,
metadata_extraction_id: str,
user_id: Optional[int] = None
) -> str:
"""Copy an existing curriculum for a new user"""
new_curriculum_id = str(uuid.uuid4())
async with aiosqlite.connect(self.db_path) as db:
# Get source curriculum
async with db.execute("""
SELECT lesson_topic, curriculum_json FROM curricula WHERE id = ?
""", (source_curriculum_id,)) as cursor:
row = await cursor.fetchone()
if not row:
raise ValueError(f"Source curriculum {source_curriculum_id} not found")
lesson_topic, curriculum_json = row
# Create new curriculum
await db.execute("""
INSERT INTO curricula
(id, metadata_extraction_id, user_id, lesson_topic, curriculum_json, is_content_generated, content_generation_status)
VALUES (?, ?, ?, ?, ?, 0, 'pending')
""", (
new_curriculum_id,
metadata_extraction_id,
user_id,
lesson_topic,
curriculum_json
))
# Copy all learning content
await db.execute("""
INSERT INTO learning_content
(id, curriculum_id, content_type, lesson_index, lesson_topic, content_json)
SELECT
lower(hex(randomblob(16))),
?,
content_type,
lesson_index,
lesson_topic,
content_json
FROM learning_content
WHERE curriculum_id = ?
""", (new_curriculum_id, source_curriculum_id))
# Mark as content generated
await db.execute("""
UPDATE curricula
SET is_content_generated = 1,
content_generation_status = 'completed',
content_generation_completed_at = CURRENT_TIMESTAMP
WHERE id = ?
""", (new_curriculum_id,))
await db.commit()
logger.info(f"Copied curriculum {source_curriculum_id} to {new_curriculum_id} for user {user_id}")
return new_curriculum_id
async def save_learning_content(
self,
curriculum_id: str,
content_type: str,
lesson_index: int,
lesson_topic: str,
content: Any
) -> str:
"""Save learning content (flashcards, exercises, or simulation)"""
content_id = str(uuid.uuid4())
async with aiosqlite.connect(self.db_path) as db:
await db.execute("""
INSERT INTO learning_content
(id, curriculum_id, content_type, lesson_index, lesson_topic, content_json)
VALUES (?, ?, ?, ?, ?, ?)
""", (
content_id,
curriculum_id,
content_type,
lesson_index,
lesson_topic,
json.dumps(content) if isinstance(content, (dict, list)) else content
))
await db.commit()
logger.info(f"Saved {content_type} for lesson {lesson_index}")
return content_id
async def mark_curriculum_content_generated(self, curriculum_id: str):
"""Mark curriculum as having all content generated"""
async with aiosqlite.connect(self.db_path) as db:
await db.execute("""
UPDATE curricula
SET is_content_generated = 1,
content_generation_status = 'completed',
content_generation_completed_at = CURRENT_TIMESTAMP
WHERE id = ?
""", (curriculum_id,))
await db.commit()
async def update_content_generation_status(
self,
curriculum_id: str,
status: str,
error_message: Optional[str] = None
):
"""Update content generation status for a curriculum"""
async with aiosqlite.connect(self.db_path) as db:
if status == 'generating':
await db.execute("""
UPDATE curricula
SET content_generation_status = ?,
content_generation_started_at = CURRENT_TIMESTAMP,
content_generation_error = NULL
WHERE id = ?
""", (status, curriculum_id))
elif status == 'completed':
await db.execute("""
UPDATE curricula
SET content_generation_status = ?,
content_generation_completed_at = CURRENT_TIMESTAMP,
content_generation_error = NULL,
is_content_generated = 1
WHERE id = ?
""", (status, curriculum_id))
elif status == 'failed':
await db.execute("""
UPDATE curricula
SET content_generation_status = ?,
content_generation_error = ?
WHERE id = ?
""", (status, error_message, curriculum_id))
else:
await db.execute("""
UPDATE curricula
SET content_generation_status = ?,
content_generation_error = ?
WHERE id = ?
""", (status, error_message, curriculum_id))
await db.commit()
async def get_content_generation_status(self, curriculum_id: str) -> Optional[Dict[str, Any]]:
"""Get content generation status for a curriculum"""
async with aiosqlite.connect(self.db_path) as db:
db.row_factory = aiosqlite.Row
async with db.execute("""
SELECT
id,
content_generation_status,
content_generation_error,
content_generation_started_at,
content_generation_completed_at,
is_content_generated
FROM curricula
WHERE id = ?
""", (curriculum_id,)) as cursor:
row = await cursor.fetchone()
if row:
return dict(row)
return None
async def get_metadata_extraction(self, extraction_id: str) -> Optional[Dict[str, Any]]:
"""Get metadata extraction by ID"""
async with aiosqlite.connect(self.db_path) as db:
db.row_factory = aiosqlite.Row
async with db.execute("""
SELECT * FROM metadata_extractions WHERE id = ?
""", (extraction_id,)) as cursor:
row = await cursor.fetchone()
if row:
return dict(row)
return None
async def get_curriculum(self, curriculum_id: str) -> Optional[Dict[str, Any]]:
"""Get curriculum by ID"""
async with aiosqlite.connect(self.db_path) as db:
db.row_factory = aiosqlite.Row
async with db.execute("""
SELECT c.*, m.native_language, m.target_language, m.proficiency
FROM curricula c
JOIN metadata_extractions m ON c.metadata_extraction_id = m.id
WHERE c.id = ?
""", (curriculum_id,)) as cursor:
row = await cursor.fetchone()
if row:
return dict(row)
return None
async def get_learning_content(
self,
curriculum_id: str,
content_type: Optional[str] = None,
lesson_index: Optional[int] = None
) -> List[Dict[str, Any]]:
"""Get learning content for a curriculum"""
query = "SELECT * FROM learning_content WHERE curriculum_id = ?"
params = [curriculum_id]
if content_type:
query += " AND content_type = ?"
params.append(content_type)
if lesson_index is not None:
query += " AND lesson_index = ?"
params.append(lesson_index)
query += " ORDER BY lesson_index"
async with aiosqlite.connect(self.db_path) as db:
db.row_factory = aiosqlite.Row
async with db.execute(query, params) as cursor:
rows = await cursor.fetchall()
return [dict(row) for row in rows]
async def get_user_metadata_extractions(
self,
user_id: int,
limit: int = 20
) -> List[Dict[str, Any]]:
"""Get user's metadata extraction history"""
async with aiosqlite.connect(self.db_path) as db:
db.row_factory = aiosqlite.Row
async with db.execute("""
SELECT * FROM metadata_extractions
WHERE user_id = ?
ORDER BY created_at DESC
LIMIT ?
""", (user_id, limit)) as cursor:
rows = await cursor.fetchall()
return [dict(row) for row in rows]
async def get_user_curricula(
self,
user_id: int,
limit: int = 20
) -> List[Dict[str, Any]]:
"""Get user's curricula"""
async with aiosqlite.connect(self.db_path) as db:
db.row_factory = aiosqlite.Row
async with db.execute("""
SELECT c.*, m.native_language, m.target_language, m.proficiency, m.title
FROM curricula c
JOIN metadata_extractions m ON c.metadata_extraction_id = m.id
WHERE c.user_id = ?
ORDER BY c.created_at DESC
LIMIT ?
""", (user_id, limit)) as cursor:
rows = await cursor.fetchall()
return [dict(row) for row in rows]
async def get_user_learning_journeys(
self,
user_id: int,
limit: int = 20
) -> List[Dict[str, Any]]:
"""Get user's complete learning journeys"""
async with aiosqlite.connect(self.db_path) as db:
db.row_factory = aiosqlite.Row
async with db.execute("""
SELECT * FROM user_learning_journeys
WHERE user_id = ?
LIMIT ?
""", (user_id, limit)) as cursor:
rows = await cursor.fetchall()
return [dict(row) for row in rows]
async def get_curriculum_content_status(self, curriculum_id: str) -> Optional[Dict[str, Any]]:
"""Get content generation status for a curriculum"""
async with aiosqlite.connect(self.db_path) as db:
db.row_factory = aiosqlite.Row
async with db.execute("""
SELECT * FROM curriculum_content_status WHERE curriculum_id = ?
""", (curriculum_id,)) as cursor:
row = await cursor.fetchone()
if row:
return dict(row)
return None
async def get_full_curriculum_details(self, curriculum_id: str, include_content: bool = True) -> Optional[Dict[str, Any]]:
"""Get full curriculum details, optionally including all content."""
curriculum = await self.get_curriculum(curriculum_id)
if not curriculum:
return None
try:
curriculum_data = json.loads(curriculum['curriculum_json'])
lessons = curriculum_data.get('sub_topics', [])
except json.JSONDecodeError:
curriculum_data = {}
lessons = []
if include_content:
content_list = await self.get_learning_content(curriculum_id)
content_map = {}
for content in content_list:
lesson_index = content['lesson_index']
content_type = content['content_type']
if lesson_index not in content_map:
content_map[lesson_index] = {}
try:
parsed_content = json.loads(content['content_json'])
except json.JSONDecodeError:
parsed_content = content['content_json']
content_map[lesson_index][content_type] = {
"id": content['id'],
"lesson_topic": content['lesson_topic'],
"content": parsed_content,
"created_at": content['created_at']
}
# Embed content into lessons
for i, lesson in enumerate(lessons):
lesson['content'] = content_map.get(i, {})
curriculum['curriculum'] = curriculum_data
del curriculum['curriculum_json']
return curriculum
async def search_curricula_by_languages(
self,
native_language: str,
target_language: str,
proficiency: Optional[str] = None,
limit: int = 10
) -> List[Dict[str, Any]]:
"""Search for existing curricula by language combination"""
query = """
SELECT c.*, m.native_language, m.target_language, m.proficiency, m.title
FROM curricula c
JOIN metadata_extractions m ON c.metadata_extraction_id = m.id
WHERE m.native_language = ? AND m.target_language = ?
"""
params = [native_language, target_language]
if proficiency:
query += " AND m.proficiency = ?"
params.append(proficiency)
query += " ORDER BY c.created_at DESC LIMIT ?"
params.append(limit)
async with aiosqlite.connect(self.db_path) as db:
db.row_factory = aiosqlite.Row
async with db.execute(query, params) as cursor:
rows = await cursor.fetchall()
return [dict(row) for row in rows]
# Global database instance
db = Database() |