Alpha Notice: These docs cover the v1-alpha release. Content is incomplete and subject to change.For the latest stable version, see the current LangGraph Python or LangGraph JavaScript docs.
Interrupts allow you to pause graph execution at specific points and wait for external input before continuing. This enables human-in-the-loop patterns where you need external input to proceed. When an interrupt is triggered, LangGraph saves the graph state using its persistence layer and waits indefinitely until you resume execution.Interrupts work by calling the interrupt() function at any point in your graph nodes. The function accepts any JSON-serializable value which is surfaced to the caller. When you’re ready to continue, you resume execution by re-invoking the graph using Command, which then becomes the return value of the interrupt() call from inside the node.Unlike static breakpoints (which pause before or after specific nodes), interrupts are dynamic—they can be placed anywhere in your code and can be conditional based on your application logic.
Checkpointing keeps your place: the checkpointer writes the exact graph state so you can resume later, even when in an error state.
thread_id is your pointer: use { configurable: { thread_id: ... } } as options to the invoke method to tell the checkpointer which state to load.
Interrupt payloads surface as __interrupt__: the values you pass to interrupt() return to the caller in the __interrupt__ field so you know what the graph is waiting on.
The thread_id you choose is effectively your persistent cursor. Reusing it resumes the same checkpoint; using a new value starts a brand-new thread with an empty state.
The interrupt function pauses graph execution and returns a value to the caller. When you call interrupt within a node, LangGraph saves the current graph state and waits for you to resume execution with input.To use interrupt, you need:
A checkpointer to persist the graph state (use a durable checkpointer in production)
A thread ID in your config so the runtime knows which state to resume from
To call interrupt() where you want to pause (payload must be JSON-serializable)
Copy
import { interrupt } from "@langchain/langgraph";async function approvalNode(state: State) { // Pause and ask for approval const approved = interrupt("Do you approve this action?"); // Command({ resume: ... }) provides the value returned into this variable return { approved };}
When you call interrupt, here’s what happens:
Graph execution gets suspended at the exact point where interrupt is called
State is saved using the checkpointer so execution can be resumed later, In production, this should be a persistent checkpointer (e.g. backed by a database)
Value is returned to the caller under __interrupt__; it can be any JSON-serializable value (string, object, array, etc.)
Graph waits indefinitely until you resume execution with a response
Response is passed back into the node when you resume, becoming the return value of the interrupt() call
After an interrupt pauses execution, you resume the graph by invoking it again with a Command that contains the resume value. The resume value is passed back to the interrupt call, allowing the node to continue execution with the external input.
Copy
import { Command } from "@langchain/langgraph";// Initial run - hits the interrupt and pauses// thread_id is the durable pointer back to the saved checkpointconst config = { configurable: { thread_id: "thread-1" } };const result = await graph.invoke({ input: "data" }, config);// Check what was interrupted// __interrupt__ mirrors every payload you passed to interrupt()console.log(result.__interrupt__);// [{ value: 'Do you approve this action?', ... }]// Resume with the human's response// Command({ resume }) returns that value from interrupt() in the nodeawait graph.invoke(new Command({ resume: true }), config);
Key points about resuming:
You must use the same thread ID when resuming that was used when the interrupt occurred
The value passed to Command(resume=...) becomes the return value of the interrupt call
The node restarts from the beginning of the node where the interrupt was called when resumed, so any code before the interrupt runs again
You can pass any JSON-serializable value as the resume value
The key thing that interrupts unlock is the ability to pause execution and wait for external input. This is useful for a variety of use cases, including:
One of the most common uses of interrupts is to pause before a critical action and ask for approval. For example, you might want to ask a human to approve an API call, a database change, or any other important decision.
Copy
import { interrupt, Command } from "@langchain/langgraph";function approvalNode(state: State): Command { // Pause execution; payload surfaces in result.__interrupt__ const isApproved = interrupt({ question: "Do you want to proceed?", details: state.actionDetails }); // Route based on the response if (isApproved) { return new Command({ goto: "proceed" }); // Runs after the resume payload is provided } else { return new Command({ goto: "cancel" }); }}
When you resume the graph, pass true to approve or false to reject:
Copy
// To approveawait graph.invoke(new Command({ resume: true }), config);// To rejectawait graph.invoke(new Command({ resume: false }), config);
Full example
Copy
import { Command, MemorySaver, START, END, StateGraph, interrupt,} from "@langchain/langgraph";import { z } from "zod";const State = z.object({ actionDetails: z.string(), status: z.enum(["pending", "approved", "rejected"]).nullable(),});const graphBuilder = new StateGraph(State) .addNode("approval", async (state) => { // Expose details so the caller can render them in a UI const decision = interrupt({ question: "Approve this action?", details: state.actionDetails, }); return new Command({ goto: decision ? "proceed" : "cancel" }); }) .addNode("proceed", () => ({ status: "approved" })) .addNode("cancel", () => ({ status: "rejected" })) .addEdge(START, "approval") .addEdge("approval", "proceed") .addEdge("approval", "cancel") .addEdge("proceed", END) .addEdge("cancel", END);// Use a more durable checkpointer in productionconst checkpointer = new MemorySaver();const graph = graphBuilder.compile({ checkpointer });const config = { configurable: { thread_id: "approval-123" } };const initial = await graph.invoke( { actionDetails: "Transfer $500", status: "pending" }, config,);console.log(initial.__interrupt__);// [{ value: { question: ..., details: ... } }]// Resume with the decision; true routes to proceed, false to cancelconst resumed = await graph.invoke(new Command({ resume: true }), config);console.log(resumed.status); // -> "approved"
Sometimes you want to let a human review and edit part of the graph state before continuing. This is useful for correcting LLMs, adding missing information, or making adjustments.
Copy
import { interrupt } from "@langchain/langgraph";function reviewNode(state: State) { // Pause and show the current content for review (surfaces in result.__interrupt__) const editedContent = interrupt({ instruction: "Review and edit this content", content: state.generatedText }); // Update the state with the edited version return { generatedText: editedContent };}
When resuming, provide the edited content:
Copy
await graph.invoke( new Command({ resume: "The edited and improved text" }), // Value becomes the return from interrupt() config);
Full example
Copy
import { Command, MemorySaver, START, END, StateGraph, interrupt,} from "@langchain/langgraph";import { z } from "zod";const State = z.object({ generatedText: z.string(),});const builder = new StateGraph(State) .addNode("review", async (state) => { // Ask a reviewer to edit the generated content const updated = interrupt({ instruction: "Review and edit this content", content: state.generatedText, }); return { generatedText: updated }; }) .addEdge(START, "review") .addEdge("review", END);const checkpointer = new MemorySaver();const graph = builder.compile({ checkpointer });const config = { configurable: { thread_id: "review-42" } };const initial = await graph.invoke({ generatedText: "Initial draft" }, config);console.log(initial.__interrupt__);// [{ value: { instruction: ..., content: ... } }]// Resume with the edited text from the reviewerconst finalState = await graph.invoke( new Command({ resume: "Improved draft after review" }), config,);console.log(finalState.generatedText); // -> "Improved draft after review"
You can also place interrupts directly inside tool functions. This makes the tool itself pause for approval whenever it’s called, and allows for human review and editing of the tool call before it is executed.First, define a tool that uses interrupt:
Copy
import { tool } from "@langchain/core/tools";import { interrupt } from "@langchain/langgraph";import { z } from "zod";const sendEmailTool = tool( async ({ to, subject, body }) => { // Pause before sending; payload surfaces in result.__interrupt__ const response = interrupt({ action: "send_email", to, subject, body, message: "Approve sending this email?", }); if (response?.action === "approve") { // Resume value can override inputs before executing const finalTo = response.to ?? to; const finalSubject = response.subject ?? subject; const finalBody = response.body ?? body; return `Email sent to ${finalTo} with subject '${finalSubject}'`; } return "Email cancelled by user"; }, { name: "send_email", description: "Send an email to a recipient", schema: z.object({ to: z.string(), subject: z.string(), body: z.string(), }), },);
This approach is useful when you want the approval logic to live with the tool itself, making it reusable across different parts of your graph. The LLM can call the tool naturally, and the interrupt will pause execution whenever the tool is invoked, allowing you to approve, edit, or cancel the action.
Full example
Copy
import { tool } from "@langchain/core/tools";import { ChatAnthropic } from "@langchain/anthropic";import { Command, MemorySaver, START, END, StateGraph, interrupt,} from "@langchain/langgraph";import { z } from "zod";const sendEmailTool = tool( async ({ to, subject, body }) => { // Pause before sending; payload surfaces in result.__interrupt__ const response = interrupt({ action: "send_email", to, subject, body, message: "Approve sending this email?", }); if (response?.action === "approve") { const finalTo = response.to ?? to; const finalSubject = response.subject ?? subject; const finalBody = response.body ?? body; console.log("[sendEmailTool]", finalTo, finalSubject, finalBody); return `Email sent to ${finalTo}`; } return "Email cancelled by user"; }, { name: "send_email", description: "Send an email to a recipient", schema: z.object({ to: z.string(), subject: z.string(), body: z.string(), }), },);const model = new ChatAnthropic({ model: "claude-sonnet-4-5" }).bindTools([sendEmailTool]);const Message = z.object({ role: z.enum(["user", "assistant", "tool"]), content: z.string(),});const State = z.object({ messages: z.array(Message),});const graphBuilder = new StateGraph(State) .addNode("agent", async (state) => { // LLM may decide to call the tool; interrupt pauses before sending const response = await model.invoke(state.messages); return { messages: [...state.messages, response] }; }) .addEdge(START, "agent") .addEdge("agent", END);const checkpointer = new MemorySaver();const graph = graphBuilder.compile({ checkpointer });const config = { configurable: { thread_id: "email-workflow" } };const initial = await graph.invoke( { messages: [ { role: "user", content: "Send an email to alice@example.com about the meeting" }, ], }, config,);console.log(initial.__interrupt__); // -> [{ value: { action: 'send_email', ... } }]// Resume with approval and optionally edited argumentsconst resumed = await graph.invoke( new Command({ resume: { action: "approve", subject: "Updated subject" }, }), config,);console.log(resumed.messages.at(-1)); // -> Tool result returned by send_email
Sometimes you need to validate input from humans and ask again if it’s invalid. You can do this using multiple interrupt calls in a loop.
Copy
import { interrupt } from "@langchain/langgraph";function getAgeNode(state: State) { let prompt = "What is your age?"; while (true) { const answer = interrupt(prompt); // payload surfaces in result.__interrupt__ // Validate the input if (typeof answer === "number" && answer > 0) { // Valid input - continue return { age: answer }; } else { // Invalid input - ask again with a more specific prompt prompt = `'${answer}' is not a valid age. Please enter a positive number.`; } }}
Each time you resume the graph with invalid input, it will ask again with a clearer message. Once valid input is provided, the node completes and the graph continues.
Full example
Copy
import { Command, MemorySaver, START, END, StateGraph, interrupt,} from "@langchain/langgraph";import { z } from "zod";const State = z.object({ age: z.number().nullable(),});const builder = new StateGraph(State) .addNode("collectAge", (state) => { let prompt = "What is your age?"; while (true) { const answer = interrupt(prompt); // payload surfaces in result.__interrupt__ if (typeof answer === "number" && answer > 0) { return { age: answer }; } prompt = `'${answer}' is not a valid age. Please enter a positive number.`; } }) .addEdge(START, "collectAge") .addEdge("collectAge", END);const checkpointer = new MemorySaver();const graph = builder.compile({ checkpointer });const config = { configurable: { thread_id: "form-1" } };const first = await graph.invoke({ age: null }, config);console.log(first.__interrupt__); // -> [{ value: "What is your age?", ... }]// Provide invalid data; the node re-promptsconst retry = await graph.invoke(new Command({ resume: "thirty" }), config);console.log(retry.__interrupt__); // -> [{ value: "'thirty' is not a valid age...", ... }]// Provide valid data; loop exits and state updatesconst final = await graph.invoke(new Command({ resume: 30 }), config);console.log(final.age); // -> 30
When you call interrupt within a node, LangGraph suspends execution by raising an exception that signals the runtime to pause. This exception propagates up through the call stack and is caught by the runtime, which notifies the graph to save the current state and wait for external input.When execution resumes (after you provide the requested input), the runtime restarts the entire node from the beginning—it does not resume from the exact line where interrupt was called. This means any code that ran before the interrupt will execute again. Because of this, there’s a few important rules to follow when working with interrupts to ensure they behave as expected.
The way that interrupt pauses execution at the point of the call is by throwing a special exception. If you wrap the interrupt call in a try/catch block, you will catch this exception and the interrupt will not be passed back to the graph.
✅ Separate interrupt calls from error-prone code
✅ Conditionally catch errors if needed
Copy
async function nodeA(state: State) { // ✅ Good: interrupting first, then handling error conditions separately const name = interrupt("What's your name?"); try { await fetchData(); // This can fail } catch (err) { console.error(error); } return state;}
🔴 Do not wrap interrupt calls in bare try/catch blocks
Copy
async function nodeA(state: State) { // ❌ Bad: wrapping interrupt in bare try/catch will catch the interrupt exception try { const name = interrupt("What's your name?"); } catch (err) { console.error(error); } return state;}
It’s common to use multiple interrupts in a single node, however this can lead to unexpected behavior if not handled carefully.When a node contains multiple interrupt calls, LangGraph keeps a list of resume values specific to the task executing the node. Whenever execution resumes, it starts at the beginning of the node. For each interrupt encountered, LangGraph checks if a matching value exists in the task’s resume list. Matching is strictly index-based, so the order of interrupt calls within the node is important.
✅ Keep interrupt calls consistent across node executions
Copy
async function nodeA(state: State) { // ✅ Good: interrupt calls happen in the same order every time const name = interrupt("What's your name?"); const age = interrupt("What's your age?"); const city = interrupt("What's your city?"); return { name, age, city };}
🔴 Do not conditionally skip interrupt calls within a node
🔴 Do not loop interrupt calls using logic that isn’t deterministic across executions
Copy
async function nodeA(state: State) { // ❌ Bad: conditionally skipping interrupts changes the order const name = interrupt("What's your name?"); // On first run, this might skip the interrupt // On resume, it might not skip it - causing index mismatch if (state.needsAge) { const age = interrupt("What's your age?"); } const city = interrupt("What's your city?"); return { name, city };}
Depending on which checkpointer is used, complex values may not be serializable (e.g. you can’t serialize a function). To make your graphs adaptable to any deployment, it’s best practice to only use values that can be reasonably serialized.
✅ Pass simple, JSON-serializable types to interrupt
✅ Pass dictionaries/objects with simple values
Copy
async function nodeA(state: State) { // ✅ Good: passing simple types that are serializable const name = interrupt("What's your name?"); const count = interrupt(42); const approved = interrupt(true); return { name, count, approved };}
🔴 Do not pass functions, class instances, or other complex objects to interrupt
Copy
function validateInput(value: string): boolean { return value.length > 0;}async function nodeA(state: State) { // ❌ Bad: passing a function to interrupt // The function cannot be serialized const response = interrupt({ question: "What's your name?", validator: validateInput // This will fail }); return { name: response };}
Side effects called before interrupt must be idempotent
Because interrupts work by re-running the nodes they were called from, side effects called before interrupt should (ideally) be idempotent. For context, idempotency means that the same operation can be applied multiple times without changing the result beyond the initial execution.As an example, you might have an API call to update a record inside of a node. If interrupt is called after that call is made, it will be re-run multiple times when the node is resumed, potentially overwriting the initial update or creating duplicate records.
✅ Use idempotent operations before interrupt
✅ Place side effects after interrupt calls
✅ Separate side effects into separate nodes when possible
Copy
async function nodeA(state: State) { // ✅ Good: using upsert operation which is idempotent // Running this multiple times will have the same result await db.upsertUser({ userId: state.userId, status: "pending_approval" }); const approved = interrupt("Approve this change?"); return { approved };}
🔴 Do not perform non-idempotent operations before interrupt
🔴 Do not create new records without checking if they exist
Copy
async function nodeA(state: State) { // ❌ Bad: creating a new record before interrupt // This will create duplicate records on each resume const auditId = await db.createAuditLog({ userId: state.userId, action: "pending_approval", timestamp: new Date() }); const approved = interrupt("Approve this change?"); return { approved, auditId };}
When invoking a subgraph within a node, the parent graph will resume execution from the beginning of the node where the subgraph was invoked and the interrupt was triggered. Similarly, the subgraph will also resume from the beginning of the node where interrupt was called.
Copy
async function nodeInParentGraph(state: State) { someCode(); // <-- This will re-execute when resumed // Invoke a subgraph as a function. // The subgraph contains an `interrupt` call. const subgraphResult = await subgraph.invoke(someInput); // ...}async function nodeInSubgraph(state: State) { someOtherCode(); // <-- This will also re-execute when resumed const result = interrupt("What's your name?"); // ...}
To debug and test a graph, you can use static interrupts as breakpoints to step through the graph execution one node at a time. Static interrupts are triggered at defined points either before or after a node executes. You can set these by specifying interruptBefore and interruptAfter when compiling the graph.
Static interrupts are not recommended for human-in-the-loop workflows. Use the interrupt method instead.
At compile time
At run time
Copy
const graph = builder.compile({ interruptBefore: ["node_a"], interruptAfter: ["node_b", "node_c"], checkpointer,});// Pass a thread ID to the graphconst config = { configurable: { thread_id: "some_thread" }};// Run the graph until the breakpointawait graph.invoke(inputs, config);// Resume the graphawait graph.invoke(null, config);
The breakpoints are set during compile time.
interruptBefore specifies the nodes where execution should pause before the node is executed.
interruptAfter specifies the nodes where execution should pause after the node is executed.
A checkpointer is required to enable breakpoints.
The graph is run until the first breakpoint is hit.
The graph is resumed by passing in null for the input. This will run the graph until the next breakpoint is hit.
You can use LangGraph Studio to set static interrupts in your graph in the UI before running the graph. You can also use the UI to inspect the graph state at any point in the execution.