File size: 11,852 Bytes
a7aea83 035b0ce a7aea83 035b0ce a7aea83 035b0ce a7aea83 035b0ce a7aea83 035b0ce a7aea83 035b0ce a7aea83 035b0ce d4bdabc a7aea83 035b0ce a7aea83 035b0ce a7aea83 035b0ce a7aea83 |
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 |
##############
###modules/studentact/student_activities_v2.py
import streamlit as st
import re
import io
from io import BytesIO
import pandas as pd
import numpy as np
import time
import matplotlib.pyplot as plt
from datetime import datetime
from spacy import displacy
import random
import base64
import seaborn as sns
import logging
# Importaciones de la base de datos
from ..database.morphosintax_mongo_db import get_student_morphosyntax_analysis
from ..database.semantic_mongo_db import get_student_semantic_analysis
from ..database.discourse_mongo_db import get_student_discourse_analysis
from ..database.chat_mongo_db import get_chat_history
logger = logging.getLogger(__name__)
###################################################################################
def display_student_activities(username: str, lang_code: str, t: dict):
"""
Muestra todas las actividades del estudiante
Args:
username: Nombre del estudiante
lang_code: Código del idioma
t: Diccionario de traducciones
"""
try:
st.header(t.get('activities_title', 'Mis Actividades'))
# Tabs para diferentes tipos de análisis
tabs = st.tabs([
t.get('morpho_activities', 'Análisis Morfosintáctico'),
t.get('semantic_activities', 'Análisis Semántico'),
t.get('discourse_activities', 'Análisis del Discurso'),
t.get('chat_activities', 'Conversaciones con el Asistente')
])
# Tab de Análisis Morfosintáctico
with tabs[0]:
display_morphosyntax_activities(username, t)
# Tab de Análisis Semántico
with tabs[1]:
display_semantic_activities(username, t)
# Tab de Análisis del Discurso
with tabs[2]:
display_discourse_activities(username, t)
# Tab de Conversaciones del Chat
with tabs[3]:
display_chat_activities(username, t)
except Exception as e:
logger.error(f"Error mostrando actividades: {str(e)}")
st.error(t.get('error_loading_activities', 'Error al cargar las actividades'))
###############################################################################################
def display_morphosyntax_activities(username: str, t: dict):
"""Muestra actividades de análisis morfosintáctico"""
try:
analyses = get_student_morphosyntax_analysis(username)
if not analyses:
st.info(t.get('no_morpho_analyses', 'No hay análisis morfosintácticos registrados'))
return
for analysis in analyses:
with st.expander(
f"{t.get('analysis_date', 'Fecha')}: {analysis['timestamp']}",
expanded=False
):
st.text(f"{t.get('analyzed_text', 'Texto analizado')}:")
st.write(analysis['text'])
if 'arc_diagrams' in analysis:
st.subheader(t.get('syntactic_diagrams', 'Diagramas sintácticos'))
for diagram in analysis['arc_diagrams']:
st.write(diagram, unsafe_allow_html=True)
except Exception as e:
logger.error(f"Error mostrando análisis morfosintáctico: {str(e)}")
st.error(t.get('error_morpho', 'Error al mostrar análisis morfosintáctico'))
###############################################################################################
def display_semantic_activities(username: str, t: dict):
"""Muestra actividades de análisis semántico"""
try:
logger.info(f"Recuperando análisis semántico para {username}")
analyses = get_student_semantic_analysis(username)
if not analyses:
logger.info("No se encontraron análisis semánticos")
st.info(t.get('no_semantic_analyses', 'No hay análisis semánticos registrados'))
return
logger.info(f"Procesando {len(analyses)} análisis semánticos")
for analysis in analyses:
try:
# Verificar campos necesarios
if not all(key in analysis for key in ['timestamp', 'concept_graph']):
logger.warning(f"Análisis incompleto: {analysis.keys()}")
continue
# Formatear fecha
timestamp = datetime.fromisoformat(analysis['timestamp'].replace('Z', '+00:00'))
formatted_date = timestamp.strftime("%d/%m/%Y %H:%M:%S")
# Crear expander
with st.expander(f"{t.get('analysis_date', 'Fecha')}: {formatted_date}", expanded=False):
# Procesar y mostrar gráfico
if analysis.get('concept_graph'):
try:
# Convertir de base64 a bytes
logger.debug("Decodificando gráfico de conceptos")
image_data = analysis['concept_graph']
# Si el gráfico ya es bytes, usarlo directamente
if isinstance(image_data, bytes):
image_bytes = image_data
else:
# Si es string base64, decodificar
image_bytes = base64.b64decode(image_data)
logger.debug(f"Longitud de bytes de imagen: {len(image_bytes)}")
# Mostrar imagen
st.image(
image_bytes,
caption=t.get('concept_network', 'Red de Conceptos'),
use_column_width=True
)
logger.debug("Gráfico mostrado exitosamente")
except Exception as img_error:
logger.error(f"Error procesando gráfico: {str(img_error)}")
st.error(t.get('error_loading_graph', 'Error al cargar el gráfico'))
else:
st.info(t.get('no_graph', 'No hay visualización disponible'))
except Exception as e:
logger.error(f"Error procesando análisis individual: {str(e)}")
continue
except Exception as e:
logger.error(f"Error mostrando análisis semántico: {str(e)}")
st.error(t.get('error_semantic', 'Error al mostrar análisis semántico'))
###################################################################################################
def display_discourse_activities(username: str, t: dict):
"""Muestra actividades de análisis del discurso"""
try:
logger.info(f"Recuperando análisis del discurso para {username}")
analyses = get_student_discourse_analysis(username)
if not analyses:
logger.info("No se encontraron análisis del discurso")
st.info(t.get('no_discourse_analyses', 'No hay análisis del discurso registrados'))
return
logger.info(f"Procesando {len(analyses)} análisis del discurso")
for analysis in analyses:
try:
# Verificar campos mínimos necesarios
if not all(key in analysis for key in ['timestamp', 'combined_graph']):
logger.warning(f"Análisis incompleto: {analysis.keys()}")
continue
# Formatear fecha
timestamp = datetime.fromisoformat(analysis['timestamp'].replace('Z', '+00:00'))
formatted_date = timestamp.strftime("%d/%m/%Y %H:%M:%S")
with st.expander(f"{t.get('analysis_date', 'Fecha')}: {formatted_date}", expanded=False):
if analysis['combined_graph']:
logger.debug("Decodificando gráfico combinado")
try:
image_bytes = base64.b64decode(analysis['combined_graph'])
st.image(image_bytes, use_column_width=True)
logger.debug("Gráfico mostrado exitosamente")
except Exception as img_error:
logger.error(f"Error decodificando imagen: {str(img_error)}")
st.error(t.get('error_loading_graph', 'Error al cargar el gráfico'))
else:
st.info(t.get('no_visualization', 'No hay visualización comparativa disponible'))
except Exception as e:
logger.error(f"Error procesando análisis individual: {str(e)}")
continue
except Exception as e:
logger.error(f"Error mostrando análisis del discurso: {str(e)}")
st.error(t.get('error_discourse', 'Error al mostrar análisis del discurso'))
#################################################################################
def display_discourse_comparison(analysis: dict, t: dict):
"""Muestra la comparación de análisis del discurso"""
st.subheader(t.get('comparison_results', 'Resultados de la comparación'))
col1, col2 = st.columns(2)
with col1:
st.markdown(f"**{t.get('concepts_text_1', 'Conceptos Texto 1')}**")
df1 = pd.DataFrame(analysis['key_concepts1'])
st.dataframe(df1)
with col2:
st.markdown(f"**{t.get('concepts_text_2', 'Conceptos Texto 2')}**")
df2 = pd.DataFrame(analysis['key_concepts2'])
st.dataframe(df2)
#################################################################################
def display_chat_activities(username: str, t: dict):
"""
Muestra historial de conversaciones del chat
"""
try:
# Obtener historial del chat
chat_history = get_chat_history(
username=username,
analysis_type='sidebar',
limit=50
)
if not chat_history:
st.info(t.get('no_chat_history', 'No hay conversaciones registradas'))
return
for chat in reversed(chat_history): # Mostrar las más recientes primero
try:
# Convertir timestamp a datetime para formato
timestamp = datetime.fromisoformat(chat['timestamp'].replace('Z', '+00:00'))
formatted_date = timestamp.strftime("%d/%m/%Y %H:%M:%S")
with st.expander(
f"{t.get('chat_date', 'Fecha de conversación')}: {formatted_date}",
expanded=False
):
if 'messages' in chat and chat['messages']:
# Mostrar cada mensaje en la conversación
for message in chat['messages']:
role = message.get('role', 'unknown')
content = message.get('content', '')
# Usar el componente de chat de Streamlit
with st.chat_message(role):
st.markdown(content)
# Agregar separador entre mensajes
st.divider()
else:
st.warning(t.get('invalid_chat_format', 'Formato de chat no válido'))
except Exception as e:
logger.error(f"Error mostrando conversación: {str(e)}")
continue
except Exception as e:
logger.error(f"Error mostrando historial del chat: {str(e)}")
st.error(t.get('error_chat', 'Error al mostrar historial del chat'))
|