LangGraph 공식문서를 번역한 내용입니다. 필요한 경우 부연 설명을 추가하였고 이해하기 쉽게 예제를 일부 변경하였습니다. 문제가 되면 삭제하겠습니다.
https://langchain-ai.github.io/langgraph/how-tos/configuration/
에이전트를 호출하는 시점에 설정할 필요가 있다. 예를 들어, 어떤 LLM을 사용할지 구성하는 경우가 해당된다. 아래에서는 이를 수행하는 예제를 설명한다.
준비
우선, 필요한 패키지를 설치하자.
pip install langgraph langchain_openai
그래프 정의
우선, 간단한 그래프를 만들자.
import operator
from typing import Annotated, Sequence
from langchain_core.messages import BaseMessage
from langchain_anthropic import ChatAnthropic
from langgraph.graph import END, StateGraph, START
from typing_extensions import TypedDict
model = ChatAnthropic(model_name="claude-2.1")
class AgentState(TypedDict):
messages: Annotated[Sequence[BaseMessage], operator.add]
def _call_model(state):
state["messages"]
response = model.invoke(state["messages"])
return {"messages": [response]}
builder = StateGraph(AgentState)
builder.add_node("model", _call_model)
builder.add_edge(START, "model")
builder.add_edge("model", END)
graph = builder.compile()
그래프 구성
이제 사용자가 여러 LLM 중에서 선택할 수 있도록 이 예제를 확장한다고 가정해 보자. 쉽게 이를 구성할 수 있다. 아래와 같이 구성(config)을 전달함으로써 가능하다. 이 구성은 입력에 포함되지 않는 정보(따라서 상태의 일부로 추적하지 않으려는 정보)를 포함하도록 설계되었다.
from langchain_openai import ChatOpenAI
from typing import Optional
from langchain_core.runnables.config import RunnableConfig
openai_model = ChatOpenAI()
models = {
"anthropic": model,
"openai": openai_model,
}
def _call_model(state: AgentState, config: RunnableConfig):
model_name = config["configurable"].get("model", "anthropic")
model = models[model_name]
response = model.invoke(state["messages"])
return {"messages": [response]}
builder = StateGraph(AgentState)
builder.add_node("model", _call_model)
builder.add_edge(START, "model")
builder.add_edge("model", END)
graph = builder.compile()
구성 없이 호출하면, 정의한 기본값(Anthropic)을 사용하게 된다.
result = graph.invoke({"messages": [HumanMessage(content="hi")]})
print(result)
{'messages': [HumanMessage(content='hi', additional_kwargs={}, response_metadata={}),
AIMessage(content='Hello!', additional_kwargs={}, response_metadata={'id': 'msg_01WFXkfgK8AvSckLvYYrHshi', 'model': 'claude-2.1', 'stop_reason': 'end_turn', 'stop_sequence': None, 'usage': {'input_tokens': 10, 'output_tokens': 6}}, id='run-ece54b16-f8fc-4201-8405-b97122edf8d8-0', usage_metadata={'input_tokens': 10, 'output_tokens': 6, 'total_tokens': 16})]}
구성을 전달하면 다른 모델을 사용하도록 호출할 수 있다.
config = {"configurable": {"model": "openai"}}
result = graph.invoke({"messages": [HumanMessage(content="hi")]}, config=config)
print(result)
{'messages': [HumanMessage(content='hi', additional_kwargs={}, response_metadata={}),
AIMessage(content='Hello! How can I assist you today?', additional_kwargs={'refusal': None}, response_metadata={'token_usage': {'completion_tokens': 9, 'prompt_tokens': 8, 'total_tokens': 17, 'completion_tokens_details': {'reasoning_tokens': 0}}, 'model_name': 'gpt-3.5-turbo-0125', 'system_fingerprint': None, 'finish_reason': 'stop', 'logprobs': None}, id='run-f8331964-d811-4b44-afb8-56c30ade7c15-0', usage_metadata={'input_tokens': 8, 'output_tokens': 9, 'total_tokens': 17})]}
그래프를 더 많은 구성을 받을 수 있도록 조정할 수도 있다. 예를 들어, 시스템 메시지를 추가하는 것이다.
from langchain_core.messages import SystemMessage
class ConfigSchema(TypedDict):
model: Optional[str]
system_message: Optional[str]
def _call_model(state: AgentState, config: RunnableConfig):
model_name = config["configurable"].get("model", "anthropic")
model = models[model_name]
messages = state["messages"]
if "system_message" in config["configurable"]:
messages = [
SystemMessage(content=config["configurable"]["system_message"])
] + messages
response = model.invoke(messages)
return {"messages": [response]}
workflow = StateGraph(AgentState, ConfigSchema)
workflow.add_node("model", _call_model)
workflow.add_edge(START, "model")
workflow.add_edge("model", END)
graph = workflow.compile()
result = graph.invoke({"messages": [HumanMessage(content="hi")]})
print(result)
{'messages': [HumanMessage(content='hi', additional_kwargs={}, response_metadata={}),
AIMessage(content='Hello!', additional_kwargs={}, response_metadata={'id': 'msg_01VgCANVHr14PsHJSXyKkLVh', 'model': 'claude-2.1', 'stop_reason': 'end_turn', 'stop_sequence': None, 'usage': {'input_tokens': 10, 'output_tokens': 6}}, id='run-f8c5f18c-be58-4e44-9a4e-d43692d7eed1-0', usage_metadata={'input_tokens': 10, 'output_tokens': 6, 'total_tokens': 16})]}
config = {"configurable": {"system_message": "respond in italian"}}
result = graph.invoke({"messages": [HumanMessage(content="hi")]}, config=config)
print(result)
{'messages': [HumanMessage(content='hi', additional_kwargs={}, response_metadata={}),
AIMessage(content='Ciao!', additional_kwargs={}, response_metadata={'id': 'msg_011YuCYQk1Rzc8PEhVCpQGr6', 'model': 'claude-2.1', 'stop_reason': 'end_turn', 'stop_sequence': None, 'usage': {'input_tokens': 14, 'output_tokens': 7}}, id='run-a583341e-5868-4e8c-a536-881338f21252-0', usage_metadata={'input_tokens': 14, 'output_tokens': 7, 'total_tokens': 21})]}
LangGraph 참고 자료
- Controllability
- Persistence
- Memory
- Human-in-the-loop
- Streaming
- Tool calling
- Subgraphs
- State Management
- Other
- Prebuilt ReAct Agent
반응형