Spaces:
Sleeping
Sleeping
File size: 1,620 Bytes
52fdbfb | 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 | 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})
|