Skip to main content
本指南介绍子图的使用机制。子图是一个,它作为另一个图中的节点使用。 子图的适用场景包括:
  • 构建多智能体系统
  • 在多个图中复用一组节点
  • 分布式开发:当你希望不同团队独立负责图的不同部分时,可以将每个部分定义为子图,只要遵守子图接口(输入和输出 schema),父图无需了解子图的任何内部细节即可构建

配置

pip install -U langgraph
为 LangGraph 开发配置 LangSmith 注册 LangSmith 以快速发现问题并提升 LangGraph 项目的性能。LangSmith 让你可以使用追踪数据来调试、测试和监控基于 LangGraph 构建的 LLM 应用——点击这里了解如何开始使用。

定义子图通信方式

添加子图时,需要定义父图与子图之间的通信方式:
模式适用场景状态 schema
在节点内调用子图父图与子图具有不同的状态 schema(无共享键),或需要在两者之间转换状态编写一个包装函数,将父图状态映射为子图输入,并将子图输出映射回父图状态
将子图添加为节点父图与子图共享状态键——子图读取并写入与父图相同的通道直接将已编译的子图传入 add_node——无需包装函数

在节点内调用子图

当父图与子图具有不同的状态 schema(无共享键)时,在节点函数内调用子图。这在多智能体系统中很常见,例如希望为每个智能体维护独立的私有消息历史时。 节点函数在调用子图前将父图状态转换为子图状态,并在返回前将结果转换回父图状态。
from typing_extensions import TypedDict
from langgraph.graph.state import StateGraph, START

class SubgraphState(TypedDict):
    bar: str

# Subgraph

def subgraph_node_1(state: SubgraphState):
    return {"bar": "hi! " + state["bar"]}

subgraph_builder = StateGraph(SubgraphState)
subgraph_builder.add_node(subgraph_node_1)
subgraph_builder.add_edge(START, "subgraph_node_1")
subgraph = subgraph_builder.compile()

# Parent graph

class State(TypedDict):
    foo: str

def call_subgraph(state: State):
    # Transform the state to the subgraph state
    subgraph_output = subgraph.invoke({"bar": state["foo"]})
    # Transform response back to the parent state
    return {"foo": subgraph_output["bar"]}

builder = StateGraph(State)
builder.add_node("node_1", call_subgraph)
builder.add_edge(START, "node_1")
graph = builder.compile()
from typing_extensions import TypedDict
from langgraph.graph.state import StateGraph, START

# Define subgraph
class SubgraphState(TypedDict):
    # note that none of these keys are shared with the parent graph state
    bar: str
    baz: str

def subgraph_node_1(state: SubgraphState):
    return {"baz": "baz"}

def subgraph_node_2(state: SubgraphState):
    return {"bar": state["bar"] + state["baz"]}

subgraph_builder = StateGraph(SubgraphState)
subgraph_builder.add_node(subgraph_node_1)
subgraph_builder.add_node(subgraph_node_2)
subgraph_builder.add_edge(START, "subgraph_node_1")
subgraph_builder.add_edge("subgraph_node_1", "subgraph_node_2")
subgraph = subgraph_builder.compile()

# Define parent graph
class ParentState(TypedDict):
    foo: str

def node_1(state: ParentState):
    return {"foo": "hi! " + state["foo"]}

def node_2(state: ParentState):
    # Transform the state to the subgraph state
    response = subgraph.invoke({"bar": state["foo"]})
    # Transform response back to the parent state
    return {"foo": response["bar"]}


builder = StateGraph(ParentState)
builder.add_node("node_1", node_1)
builder.add_node("node_2", node_2)
builder.add_edge(START, "node_1")
builder.add_edge("node_1", "node_2")
graph = builder.compile()

for chunk in graph.stream({"foo": "foo"}, subgraphs=True):
    print(chunk)
((), {'node_1': {'foo': 'hi! foo'}})
(('node_2:577b710b-64ae-31fb-9455-6a4d4cc2b0b9',), {'subgraph_node_1': {'baz': 'baz'}})
(('node_2:577b710b-64ae-31fb-9455-6a4d4cc2b0b9',), {'subgraph_node_2': {'bar': 'hi! foobaz'}})
((), {'node_2': {'foo': 'hi! foobaz'}})
以下是一个包含两层子图的示例:父图 -> 子图 -> 孙图。
# Grandchild graph
from typing_extensions import TypedDict
from langgraph.graph.state import StateGraph, START, END

class GrandChildState(TypedDict):
    my_grandchild_key: str

def grandchild_1(state: GrandChildState) -> GrandChildState:
    # NOTE: child or parent keys will not be accessible here
    return {"my_grandchild_key": state["my_grandchild_key"] + ", how are you"}


grandchild = StateGraph(GrandChildState)
grandchild.add_node("grandchild_1", grandchild_1)

grandchild.add_edge(START, "grandchild_1")
grandchild.add_edge("grandchild_1", END)

grandchild_graph = grandchild.compile()

# Child graph
class ChildState(TypedDict):
    my_child_key: str

def call_grandchild_graph(state: ChildState) -> ChildState:
    # NOTE: parent or grandchild keys won't be accessible here
    grandchild_graph_input = {"my_grandchild_key": state["my_child_key"]}
    grandchild_graph_output = grandchild_graph.invoke(grandchild_graph_input)
    return {"my_child_key": grandchild_graph_output["my_grandchild_key"] + " today?"}

child = StateGraph(ChildState)
# We're passing a function here instead of just compiled graph (`grandchild_graph`)
child.add_node("child_1", call_grandchild_graph)
child.add_edge(START, "child_1")
child.add_edge("child_1", END)
child_graph = child.compile()

# Parent graph
class ParentState(TypedDict):
    my_key: str

def parent_1(state: ParentState) -> ParentState:
    # NOTE: child or grandchild keys won't be accessible here
    return {"my_key": "hi " + state["my_key"]}

def parent_2(state: ParentState) -> ParentState:
    return {"my_key": state["my_key"] + " bye!"}

def call_child_graph(state: ParentState) -> ParentState:
    child_graph_input = {"my_child_key": state["my_key"]}
    child_graph_output = child_graph.invoke(child_graph_input)
    return {"my_key": child_graph_output["my_child_key"]}

parent = StateGraph(ParentState)
parent.add_node("parent_1", parent_1)
# We're passing a function here instead of just a compiled graph (`child_graph`)
parent.add_node("child", call_child_graph)
parent.add_node("parent_2", parent_2)

parent.add_edge(START, "parent_1")
parent.add_edge("parent_1", "child")
parent.add_edge("child", "parent_2")
parent.add_edge("parent_2", END)

parent_graph = parent.compile()

for chunk in parent_graph.stream({"my_key": "Bob"}, subgraphs=True):
    print(chunk)
((), {'parent_1': {'my_key': 'hi Bob'}})
(('child:2e26e9ce-602f-862c-aa66-1ea5a4655e3b', 'child_1:781bb3b1-3971-84ce-810b-acf819a03f9c'), {'grandchild_1': {'my_grandchild_key': 'hi Bob, how are you'}})
(('child:2e26e9ce-602f-862c-aa66-1ea5a4655e3b',), {'child_1': {'my_child_key': 'hi Bob, how are you today?'}})
((), {'child': {'my_key': 'hi Bob, how are you today?'}})
((), {'parent_2': {'my_key': 'hi Bob, how are you today? bye!'}})

将子图添加为节点

当父图与子图共享状态键时,可以直接将已编译的子图传入 add_node。无需包装函数——子图会自动读取并写入父图的状态通道。例如,在多智能体系统中,智能体通常通过共享的 messages 键进行通信。 SQL agent graph 如果子图与父图共享状态键,可按以下步骤将其添加到图中:
  1. 定义子图工作流(以下示例中的 subgraph_builder)并编译
  2. 在定义父图工作流时,将已编译的子图传入 add_node 方法
from typing_extensions import TypedDict
from langgraph.graph.state import StateGraph, START

class State(TypedDict):
    foo: str

# Subgraph

def subgraph_node_1(state: State):
    return {"foo": "hi! " + state["foo"]}

subgraph_builder = StateGraph(State)
subgraph_builder.add_node(subgraph_node_1)
subgraph_builder.add_edge(START, "subgraph_node_1")
subgraph = subgraph_builder.compile()

# Parent graph

builder = StateGraph(State)
builder.add_node("node_1", subgraph)
builder.add_edge(START, "node_1")
graph = builder.compile()
from typing_extensions import TypedDict
from langgraph.graph.state import StateGraph, START

# Define subgraph
class SubgraphState(TypedDict):
    foo: str  # shared with parent graph state
    bar: str  # private to SubgraphState

def subgraph_node_1(state: SubgraphState):
    return {"bar": "bar"}

def subgraph_node_2(state: SubgraphState):
    # note that this node is using a state key ('bar') that is only available in the subgraph
    # and is sending update on the shared state key ('foo')
    return {"foo": state["foo"] + state["bar"]}

subgraph_builder = StateGraph(SubgraphState)
subgraph_builder.add_node(subgraph_node_1)
subgraph_builder.add_node(subgraph_node_2)
subgraph_builder.add_edge(START, "subgraph_node_1")
subgraph_builder.add_edge("subgraph_node_1", "subgraph_node_2")
subgraph = subgraph_builder.compile()

# Define parent graph
class ParentState(TypedDict):
    foo: str

def node_1(state: ParentState):
    return {"foo": "hi! " + state["foo"]}

builder = StateGraph(ParentState)
builder.add_node("node_1", node_1)
builder.add_node("node_2", subgraph)
builder.add_edge(START, "node_1")
builder.add_edge("node_1", "node_2")
graph = builder.compile()

for chunk in graph.stream({"foo": "foo"}):
    print(chunk)
{'node_1': {'foo': 'hi! foo'}}
{'node_2': {'foo': 'hi! foobar'}}

子图持久化

使用子图时,需要决定在两次调用之间如何处理其内部数据。以一个将任务委托给专业子智能体的客户支持机器人为例:其中的”账单专家”子智能体是否应该记住客户之前提出的问题,还是每次调用都从头开始? 默认情况下,子图是无状态的(无记忆):每次调用都从空白开始。这对大多数应用场景是正确的选择,包括子智能体处理独立请求的多智能体系统。如果子智能体需要多轮对话记忆(例如,一个在多次交流中积累上下文的研究助手),可以将其设为有状态的(持久记忆),使其对话历史和数据在同一线程上的多次调用中持续积累。
父图必须使用检查点器编译,子图持久化功能(中断、状态检查、有状态记忆)才能正常工作。参见持久化
以下示例使用 LangChain 的 create_agent,这是构建智能体的常见方式。create_agent 底层生成一个 LangGraph 图,因此所有子图持久化概念均可直接适用。如果你使用原始 LangGraph StateGraph 构建,同样的模式和配置选项也适用——详情参见 Graph API

无状态

当每次子图调用相互独立、子智能体无需记住之前调用的任何内容时,使用无状态子图。这是最常见的模式,尤其适用于子智能体处理一次性请求(如”查询该客户的订单”或”总结该文档”)的多智能体系统。 根据是否需要在子图内使用中断(人在回路暂停)和持久执行,有两种无状态选项。

支持中断

这是大多数应用的推荐模式,包括将子智能体作为工具调用的多智能体系统。它支持中断、持久执行和并行调用,同时保持每次调用相互隔离。
当你希望子智能体在调用间无记忆,但仍需要持久执行和在运行中途暂停以等待用户输入(例如,在执行某操作前请求批准)时,使用此选项。这是默认行为:省略 checkpointer 或将其设为 None。每次调用从头开始,但在单次调用内,子图可以使用 interrupt() 来暂停和恢复。 以下示例使用两个子智能体(水果专家、蔬菜专家)作为外部智能体的工具:
from langchain.agents import create_agent
from langchain.tools import tool
from langgraph.checkpoint.memory import MemorySaver
from langgraph.types import Command, interrupt

@tool
def fruit_info(fruit_name: str) -> str:
    """Look up fruit info."""
    return f"Info about {fruit_name}"

@tool
def veggie_info(veggie_name: str) -> str:
    """Look up veggie info."""
    return f"Info about {veggie_name}"

# Subagents — no checkpointer setting (inherits parent)
fruit_agent = create_agent(
    model="gpt-4.1-mini",
    tools=[fruit_info],
    prompt="You are a fruit expert. Use the fruit_info tool. Respond in one sentence.",
)

veggie_agent = create_agent(
    model="gpt-4.1-mini",
    tools=[veggie_info],
    prompt="You are a veggie expert. Use the veggie_info tool. Respond in one sentence.",
)

# Wrap subagents as tools for the outer agent
@tool
def ask_fruit_expert(question: str) -> str:
    """Ask the fruit expert. Use for ALL fruit questions."""
    response = fruit_agent.invoke(
        {"messages": [{"role": "user", "content": question}]},
    )
    return response["messages"][-1].content

@tool
def ask_veggie_expert(question: str) -> str:
    """Ask the veggie expert. Use for ALL veggie questions."""
    response = veggie_agent.invoke(
        {"messages": [{"role": "user", "content": question}]},
    )
    return response["messages"][-1].content

# Outer agent with checkpointer
agent = create_agent(
    model="gpt-4.1-mini",
    tools=[ask_fruit_expert, ask_veggie_expert],
    prompt=(
        "You have two experts: ask_fruit_expert and ask_veggie_expert. "
        "ALWAYS delegate questions to the appropriate expert."
    ),
    checkpointer=MemorySaver(),
)
每次调用都可以使用 interrupt() 来暂停和恢复。在工具函数中添加 interrupt() 以要求用户批准后再继续:
@tool
def fruit_info(fruit_name: str) -> str:
    """Look up fruit info."""
    interrupt("continue?")
    return f"Info about {fruit_name}"
config = {"configurable": {"thread_id": "1"}}

# Invoke — the subagent's tool calls interrupt()
response = agent.invoke(
    {"messages": [{"role": "user", "content": "Tell me about apples"}]},
    config=config,
)
# response contains __interrupt__

# Resume — approve the interrupt
response = agent.invoke(Command(resume=True), config=config)
# Subagent message count: 4

不支持中断

当你希望像普通函数调用一样运行子智能体、无需检查点开销时,使用此选项。子图无法暂停/恢复,也无法受益于持久执行。使用 checkpointer=False 编译。
没有检查点,子图就没有持久执行能力。如果进程在运行中途崩溃,子图无法恢复,必须从头开始重新运行。
subgraph_builder = StateGraph(...)
subgraph = subgraph_builder.compile(checkpointer=False)

有状态

当子智能体需要记住之前的交互时,使用有状态子图。例如,一个在多次交流中积累上下文的研究助手,或一个跟踪已编辑文件的编程助手。有了有状态持久化,子智能体的对话历史和数据会在同一线程上的多次调用中持续积累。每次调用都从上次中断的地方继续。 使用 checkpointer=True 编译以启用此行为。
有状态子图不支持并行工具调用。当 LLM 将有状态子智能体作为工具使用时,它可能会尝试并行多次调用该工具(例如,同时向水果专家询问苹果和香蕉的信息)。这会导致检查点冲突,因为两次调用都写入同一命名空间。以下示例使用 LangChain 的 ToolCallLimitMiddleware 来防止这种情况。如果你使用纯 LangGraph StateGraph 构建,则需要自行防止并行工具调用——例如,配置模型禁用并行工具调用,或添加逻辑确保同一子图不会并行调用多次。
以下示例使用以 checkpointer=True 编译的水果专家子智能体:
from langchain.agents import create_agent
from langchain.agents.middleware import ToolCallLimitMiddleware
from langchain.tools import tool
from langgraph.checkpoint.memory import MemorySaver
from langgraph.types import Command, interrupt

@tool
def fruit_info(fruit_name: str) -> str:
    """Look up fruit info."""
    return f"Info about {fruit_name}"

# Subagent with checkpointer=True for persistent state
fruit_agent = create_agent(
    model="gpt-4.1-mini",
    tools=[fruit_info],
    prompt="You are a fruit expert. Use the fruit_info tool. Respond in one sentence.",
    checkpointer=True,
)

# Wrap subagent as a tool for the outer agent
@tool
def ask_fruit_expert(question: str) -> str:
    """Ask the fruit expert. Use for ALL fruit questions."""
    response = fruit_agent.invoke(
        {"messages": [{"role": "user", "content": question}]},
    )
    return response["messages"][-1].content

# Outer agent with checkpointer
# Use ToolCallLimitMiddleware to prevent parallel calls to stateful subagents,
# which would cause checkpoint conflicts.
agent = create_agent(
    model="gpt-4.1-mini",
    tools=[ask_fruit_expert],
    prompt="You have a fruit expert. ALWAYS delegate fruit questions to ask_fruit_expert.",
    middleware=[
        ToolCallLimitMiddleware(tool_name="ask_fruit_expert", run_limit=1),
    ],
    checkpointer=MemorySaver(),
)
有状态子智能体支持 interrupt(),与按调用方式相同。在工具函数中添加 interrupt() 以要求用户批准:
@tool
def fruit_info(fruit_name: str) -> str:
    """Look up fruit info."""
    interrupt("continue?")
    return f"Info about {fruit_name}"
config = {"configurable": {"thread_id": "1"}}

# Invoke — the subagent's tool calls interrupt()
response = agent.invoke(
    {"messages": [{"role": "user", "content": "Tell me about apples"}]},
    config=config,
)
# response contains __interrupt__

# Resume — approve the interrupt
response = agent.invoke(Command(resume=True), config=config)
# Subagent message count: 4

检查点器参考

使用 .compile() 上的 checkpointer 参数控制子图持久化:
subgraph = builder.compile(checkpointer=False)  # or True / None
功能不支持中断支持中断(默认)有状态
checkpointer=FalseNoneTrue
中断(HITL)
多轮记忆
多次调用(不同子图)
多次调用(同一子图)
状态检查
  • 中断(HITL):子图可以使用 interrupt() 暂停执行并等待用户输入,然后从中断处恢复。
  • 多轮记忆:子图在同一线程内的多次调用中保留其状态。每次调用都从上次中断的地方继续,而不是从头开始。
  • 多次调用(不同子图):在单个节点内可以调用多个不同的子图实例,而不会产生检查点命名空间冲突。
  • 多次调用(同一子图):同一子图实例可以在单个节点内多次调用。对于有状态持久化,这些调用会写入同一检查点命名空间并产生冲突——请改用按调用持久化。
  • 状态检查:子图的状态可通过 get_state(config, subgraphs=True) 获取,用于调试和监控。

查看子图状态

启用持久化后,可以使用 subgraphs 选项检查子图状态。使用 checkpointer=False 时,不会保存子图检查点,因此无法获取子图状态。
查看子图状态需要 LangGraph 能够静态发现子图——即它是作为节点添加的在节点内调用的。当子图在工具函数或其他间接调用中被调用时(例如,子智能体模式),此方法不适用。无论嵌套层级如何,中断都会传播到顶级图。
仅返回当前调用的子图状态。每次调用从头开始。
from langgraph.graph import START, StateGraph
from langgraph.checkpoint.memory import MemorySaver
from langgraph.types import interrupt, Command
from typing_extensions import TypedDict

class State(TypedDict):
    foo: str

# Subgraph
def subgraph_node_1(state: State):
    value = interrupt("Provide value:")
    return {"foo": state["foo"] + value}

subgraph_builder = StateGraph(State)
subgraph_builder.add_node(subgraph_node_1)
subgraph_builder.add_edge(START, "subgraph_node_1")
subgraph = subgraph_builder.compile()  # inherits parent checkpointer

# Parent graph
builder = StateGraph(State)
builder.add_node("node_1", subgraph)
builder.add_edge(START, "node_1")

checkpointer = MemorySaver()
graph = builder.compile(checkpointer=checkpointer)

config = {"configurable": {"thread_id": "1"}}

graph.invoke({"foo": ""}, config)

# View subgraph state for the current invocation
subgraph_state = graph.get_state(config, subgraphs=True).tasks[0].state  

# Resume the subgraph
graph.invoke(Command(resume="bar"), config)

流式传输子图输出

要在流式输出中包含子图的输出,可以在父图的 stream 方法中设置 subgraphs 选项。这将同时流式传输父图和所有子图的输出。
for chunk in graph.stream(
    {"foo": "foo"},
    subgraphs=True,
    stream_mode="updates",
):
    print(chunk)
from typing_extensions import TypedDict
from langgraph.graph.state import StateGraph, START

# Define subgraph
class SubgraphState(TypedDict):
    foo: str
    bar: str

def subgraph_node_1(state: SubgraphState):
    return {"bar": "bar"}

def subgraph_node_2(state: SubgraphState):
    # note that this node is using a state key ('bar') that is only available in the subgraph
    # and is sending update on the shared state key ('foo')
    return {"foo": state["foo"] + state["bar"]}

subgraph_builder = StateGraph(SubgraphState)
subgraph_builder.add_node(subgraph_node_1)
subgraph_builder.add_node(subgraph_node_2)
subgraph_builder.add_edge(START, "subgraph_node_1")
subgraph_builder.add_edge("subgraph_node_1", "subgraph_node_2")
subgraph = subgraph_builder.compile()

# Define parent graph
class ParentState(TypedDict):
    foo: str

def node_1(state: ParentState):
    return {"foo": "hi! " + state["foo"]}

builder = StateGraph(ParentState)
builder.add_node("node_1", node_1)
builder.add_node("node_2", subgraph)
builder.add_edge(START, "node_1")
builder.add_edge("node_1", "node_2")
graph = builder.compile()

for chunk in graph.stream(
    {"foo": "foo"},
    stream_mode="updates",
    subgraphs=True,
):
    print(chunk)
((), {'node_1': {'foo': 'hi! foo'}})
(('node_2:e58e5673-a661-ebb0-70d4-e298a7fc28b7',), {'subgraph_node_1': {'bar': 'bar'}})
(('node_2:e58e5673-a661-ebb0-70d4-e298a7fc28b7',), {'subgraph_node_2': {'foo': 'hi! foobar'}})
((), {'node_2': {'foo': 'hi! foobar'}})