|
|
|
|
|
|
|
import io
|
|
import base64
|
|
from datetime import datetime, timezone
|
|
import logging
|
|
|
|
|
|
import matplotlib.pyplot as plt
|
|
|
|
|
|
from .mongo_db import (
|
|
get_collection,
|
|
insert_document,
|
|
find_documents,
|
|
update_document,
|
|
delete_document
|
|
)
|
|
|
|
|
|
logger = logging.getLogger(__name__)
|
|
COLLECTION_NAME = 'student_semantic_analysis'
|
|
|
|
def store_student_semantic_result(username, text, analysis_result):
|
|
"""
|
|
Guarda el resultado del análisis semántico en MongoDB.
|
|
"""
|
|
try:
|
|
|
|
concept_graph_data = None
|
|
if 'concept_graph' in analysis_result and analysis_result['concept_graph'] is not None:
|
|
try:
|
|
|
|
concept_graph_data = base64.b64encode(analysis_result['concept_graph']).decode('utf-8')
|
|
except Exception as e:
|
|
logger.error(f"Error al codificar gráfico conceptual: {str(e)}")
|
|
|
|
|
|
analysis_document = {
|
|
'username': username,
|
|
'timestamp': datetime.now(timezone.utc).isoformat(),
|
|
'text': text,
|
|
'analysis_type': 'semantic',
|
|
'key_concepts': analysis_result.get('key_concepts', []),
|
|
'concept_graph': concept_graph_data
|
|
}
|
|
|
|
|
|
result = insert_document(COLLECTION_NAME, analysis_document)
|
|
if result:
|
|
logger.info(f"Análisis semántico guardado con ID: {result} para el usuario: {username}")
|
|
return True
|
|
|
|
logger.error("No se pudo insertar el documento en MongoDB")
|
|
return False
|
|
|
|
except Exception as e:
|
|
logger.error(f"Error al guardar el análisis semántico: {str(e)}")
|
|
return False
|
|
|
|
|
|
def get_student_semantic_analysis(username, limit=10):
|
|
"""
|
|
Recupera los análisis semánticos de un estudiante.
|
|
"""
|
|
try:
|
|
|
|
collection = get_collection(COLLECTION_NAME)
|
|
if collection is None:
|
|
logger.error("No se pudo obtener la colección semantic")
|
|
return []
|
|
|
|
|
|
query = {
|
|
"username": username,
|
|
"analysis_type": "semantic"
|
|
}
|
|
|
|
|
|
projection = {
|
|
"timestamp": 1,
|
|
"concept_graph": 1,
|
|
"_id": 1
|
|
}
|
|
|
|
|
|
try:
|
|
cursor = collection.find(query, projection).sort("timestamp", -1)
|
|
if limit:
|
|
cursor = cursor.limit(limit)
|
|
|
|
|
|
results = list(cursor)
|
|
logger.info(f"Recuperados {len(results)} análisis semánticos para {username}")
|
|
return results
|
|
|
|
except Exception as db_error:
|
|
logger.error(f"Error en la consulta a MongoDB: {str(db_error)}")
|
|
return []
|
|
|
|
except Exception as e:
|
|
logger.error(f"Error recuperando análisis semántico: {str(e)}")
|
|
return []
|
|
|
|
|
|
|
|
def update_student_semantic_analysis(analysis_id, update_data):
|
|
"""
|
|
Actualiza un análisis semántico existente.
|
|
Args:
|
|
analysis_id: ID del análisis a actualizar
|
|
update_data: Datos a actualizar
|
|
"""
|
|
query = {"_id": analysis_id}
|
|
update = {"$set": update_data}
|
|
return update_document(COLLECTION_NAME, query, update)
|
|
|
|
def delete_student_semantic_analysis(analysis_id):
|
|
"""
|
|
Elimina un análisis semántico.
|
|
Args:
|
|
analysis_id: ID del análisis a eliminar
|
|
"""
|
|
query = {"_id": analysis_id}
|
|
return delete_document(COLLECTION_NAME, query)
|
|
|
|
def get_student_semantic_data(username):
|
|
"""
|
|
Obtiene todos los análisis semánticos de un estudiante.
|
|
Args:
|
|
username: Nombre del usuario
|
|
Returns:
|
|
dict: Diccionario con todos los análisis del estudiante
|
|
"""
|
|
analyses = get_student_semantic_analysis(username, limit=None)
|
|
|
|
formatted_analyses = []
|
|
for analysis in analyses:
|
|
formatted_analysis = {
|
|
'timestamp': analysis['timestamp'],
|
|
'text': analysis['text'],
|
|
'key_concepts': analysis['key_concepts'],
|
|
'entities': analysis['entities']
|
|
|
|
}
|
|
formatted_analyses.append(formatted_analysis)
|
|
|
|
return {
|
|
'entries': formatted_analyses
|
|
}
|
|
|
|
|
|
__all__ = [
|
|
'store_student_semantic_result',
|
|
'get_student_semantic_analysis',
|
|
'update_student_semantic_analysis',
|
|
'delete_student_semantic_analysis',
|
|
'get_student_semantic_data'
|
|
] |