QSARion-langgraph / graph.py
Alex Arvanitidis
feat: add llm streamlit app
52fdbfb
import os
from typing import Annotated, TypedDict
from langgraph.graph import START, END, StateGraph
from langgraph.graph.message import AnyMessage, add_messages
from langchain_openai import ChatOpenAI
# This is the default state same as "MessageState" TypedDict but allows us accessibility to custom keys
class GraphsState(TypedDict):
messages: Annotated[list[AnyMessage], add_messages]
# Custom keys for additional data can be added here such as - conversation_id: str
graph = StateGraph(GraphsState)
# Core invocation of the model
def _call_model(state: GraphsState):
messages = state["messages"]
llm = ChatOpenAI(
model=os.environ["LLM_MODEL_ID"],
max_retries=2,
api_key="None",
base_url=os.environ["LLM_API_BASE"],
)
response = llm.invoke(messages)
return {"messages": [response]}# add the response to the messages using LangGraph reducer paradigm
# Define the structure (nodes and directional edges between nodes) of the graph
graph.add_edge(START, "modelNode")
graph.add_node("modelNode", _call_model)
graph.add_edge("modelNode", END)
# Compile the state graph into a runnable object
graph_runnable = graph.compile()
def invoke_our_graph(st_messages, callables):
# Ensure the callables parameter is a list as you can have multiple callbacks
if not isinstance(callables, list):
raise TypeError("callables must be a list")
# Invoke the graph with the current messages and callback configuration
return graph_runnable.invoke({"messages": st_messages}, config={"callbacks": callables})