74 lines
2.6 KiB
Python
74 lines
2.6 KiB
Python
import logging
|
|
|
|
from langgraph.graph import END, START, StateGraph
|
|
|
|
from app.modules.agent.engine.graphs.progress import emit_progress_sync
|
|
from app.modules.agent.llm import AgentLlmService
|
|
from app.modules.agent.engine.graphs.state import AgentGraphState
|
|
|
|
LOGGER = logging.getLogger(__name__)
|
|
|
|
|
|
class BaseGraphFactory:
|
|
def __init__(self, llm: AgentLlmService) -> None:
|
|
self._llm = llm
|
|
|
|
def build(self, checkpointer=None):
|
|
graph = StateGraph(AgentGraphState)
|
|
graph.add_node("context", self._context_node)
|
|
graph.add_node("answer", self._answer_node)
|
|
graph.add_edge(START, "context")
|
|
graph.add_edge("context", "answer")
|
|
graph.add_edge("answer", END)
|
|
return graph.compile(checkpointer=checkpointer)
|
|
|
|
def _context_node(self, state: AgentGraphState) -> dict:
|
|
emit_progress_sync(
|
|
state,
|
|
stage="graph.default.context",
|
|
message="Готовлю контекст ответа по данным запроса.",
|
|
)
|
|
rag = state.get("rag_context", "")
|
|
conf = state.get("confluence_context", "")
|
|
emit_progress_sync(
|
|
state,
|
|
stage="graph.default.context.done",
|
|
message="Контекст собран, перехожу к формированию ответа.",
|
|
)
|
|
result = {"rag_context": rag, "confluence_context": conf}
|
|
LOGGER.warning(
|
|
"graph step result: graph=default step=context rag_len=%s confluence_len=%s",
|
|
len(rag or ""),
|
|
len(conf or ""),
|
|
)
|
|
return result
|
|
|
|
def _answer_node(self, state: AgentGraphState) -> dict:
|
|
emit_progress_sync(
|
|
state,
|
|
stage="graph.default.answer",
|
|
message="Формирую текст ответа для пользователя.",
|
|
)
|
|
msg = state.get("message", "")
|
|
rag = state.get("rag_context", "")
|
|
conf = state.get("confluence_context", "")
|
|
user_input = "\n\n".join(
|
|
[
|
|
f"User request:\n{msg}",
|
|
f"RAG context:\n{rag}",
|
|
f"Confluence context:\n{conf}",
|
|
]
|
|
)
|
|
answer = self._llm.generate("general_answer", user_input, log_context="graph.default.answer")
|
|
emit_progress_sync(
|
|
state,
|
|
stage="graph.default.answer.done",
|
|
message="Черновик ответа подготовлен.",
|
|
)
|
|
result = {"answer": answer}
|
|
LOGGER.warning(
|
|
"graph step result: graph=default step=answer answer_len=%s",
|
|
len(answer or ""),
|
|
)
|
|
return result
|