105 lines
3.2 KiB
Python
105 lines
3.2 KiB
Python
import json
|
|
import logging
|
|
|
|
from capa_de_integracion.config import Settings
|
|
from capa_de_integracion.models.quick_replies import (
|
|
QuickReplyQuestions,
|
|
QuickReplyScreen,
|
|
)
|
|
|
|
logger = logging.getLogger(__name__)
|
|
|
|
|
|
class QuickReplyContentService:
|
|
"""Service for loading quick reply screen content from JSON files."""
|
|
|
|
def __init__(self, settings: Settings) -> None:
|
|
"""Initialize quick reply content service.
|
|
|
|
Args:
|
|
settings: Application settings
|
|
|
|
"""
|
|
self.settings = settings
|
|
self.quick_replies_path = settings.base_path / "quick_replies"
|
|
|
|
logger.info(
|
|
f"QuickReplyContentService initialized with path: {self.quick_replies_path}",
|
|
)
|
|
|
|
async def get_quick_replies(self, screen_id: str) -> QuickReplyScreen:
|
|
"""Load quick reply screen content by ID.
|
|
|
|
Args:
|
|
screen_id: Screen identifier (e.g., "pagos", "home")
|
|
|
|
Returns:
|
|
Quick reply DTO
|
|
|
|
Raises:
|
|
ValueError: If the quick reply file is not found
|
|
|
|
"""
|
|
if not screen_id or not screen_id.strip():
|
|
logger.warning("screen_id is null or empty. Returning empty quick replies")
|
|
return QuickReplyScreen(
|
|
header="empty",
|
|
body=None,
|
|
button=None,
|
|
header_section=None,
|
|
preguntas=[],
|
|
)
|
|
|
|
file_path = self.quick_replies_path / f"{screen_id}.json"
|
|
|
|
try:
|
|
if not file_path.exists():
|
|
logger.warning(f"Quick reply file not found: {file_path}")
|
|
msg = f"Quick reply file not found for screen_id: {screen_id}"
|
|
raise ValueError(
|
|
msg,
|
|
)
|
|
|
|
with open(file_path, encoding="utf-8") as f:
|
|
data = json.load(f)
|
|
|
|
# Parse questions
|
|
preguntas_data = data.get("preguntas", [])
|
|
preguntas = [
|
|
QuickReplyQuestions(
|
|
titulo=q.get("titulo", ""),
|
|
descripcion=q.get("descripcion"),
|
|
respuesta=q.get("respuesta", ""),
|
|
)
|
|
for q in preguntas_data
|
|
]
|
|
|
|
quick_reply = QuickReplyScreen(
|
|
header=data.get("header"),
|
|
body=data.get("body"),
|
|
button=data.get("button"),
|
|
header_section=data.get("header_section"),
|
|
preguntas=preguntas,
|
|
)
|
|
|
|
logger.info(
|
|
f"Successfully loaded {len(preguntas)} quick replies for screen: {screen_id}",
|
|
)
|
|
return quick_reply
|
|
|
|
except json.JSONDecodeError as e:
|
|
logger.error(f"Error parsing JSON file {file_path}: {e}", exc_info=True)
|
|
msg = f"Invalid JSON format in quick reply file for screen_id: {screen_id}"
|
|
raise ValueError(
|
|
msg,
|
|
) from e
|
|
except Exception as e:
|
|
logger.error(
|
|
f"Error loading quick replies for screen {screen_id}: {e}",
|
|
exc_info=True,
|
|
)
|
|
msg = f"Error loading quick replies for screen_id: {screen_id}"
|
|
raise ValueError(
|
|
msg,
|
|
) from e
|