How to pass through arguments from one step to the next
This guide assumes familiarity with the following concepts:
When composing chains with several steps, sometimes you will want to
pass data from previous steps unchanged for use as input to a later
step. The
RunnablePassthrough
class allows you to do just this, and is typically is used in conjuction
with a RunnableParallel to pass data through
to a later step in your constructed chains.
Letβs look at an example:
import {
RunnableParallel,
RunnablePassthrough,
} from "@langchain/core/runnables";
const runnable = RunnableParallel.from({
passed: new RunnablePassthrough(),
modified: (input) => input.num + 1,
});
await runnable.invoke({ num: 1 });
{ passed: { num: 1 }, modified: 2 }
As seen above, passed
key was called with RunnablePassthrough()
and
so it simply passed on {'num': 1}
.
We also set a second key in the map with modified
. This uses a lambda
to set a single value adding 1 to the num, which resulted in modified
key with the value of 2
.
Retrieval Exampleβ
In the example below, we see a more real-world use case where we use
RunnablePassthrough
along with RunnableParallel
in a chain to
properly format inputs to a prompt:
- npm
- yarn
- pnpm
npm i @langchain/openai
yarn add @langchain/openai
pnpm add @langchain/openai
import { StringOutputParser } from "@langchain/core/output_parsers";
import { ChatPromptTemplate } from "@langchain/core/prompts";
import {
RunnablePassthrough,
RunnableSequence,
} from "@langchain/core/runnables";
import { ChatOpenAI, OpenAIEmbeddings } from "@langchain/openai";
import { MemoryVectorStore } from "langchain/vectorstores/memory";
const vectorstore = await MemoryVectorStore.fromDocuments(
[{ pageContent: "harrison worked at kensho", metadata: {} }],
new OpenAIEmbeddings()
);
const retriever = vectorstore.asRetriever();
const template = `Answer the question based only on the following context:
{context}
Question: {question}
`;
const prompt = ChatPromptTemplate.fromTemplate(template);
const model = new ChatOpenAI({ model: "gpt-4o" });
const retrievalChain = RunnableSequence.from([
{
context: retriever.pipe((docs) => docs[0].pageContent),
question: new RunnablePassthrough(),
},
prompt,
model,
new StringOutputParser(),
]);
await retrievalChain.invoke("where did harrison work?");
"Harrison worked at Kensho."
Here the input to prompt is expected to be a map with keys "context"
and "question"
. The user input is just the question. So we need to get
the context using our retriever and passthrough the user input under the
"question"
key. The RunnablePassthrough
allows us to pass on the
userβs question to the prompt and model.
Next stepsβ
Now youβve learned how to pass data through your chains to help to help format the data flowing through your chains.
To learn more, see the other how-to guides on runnables in this section.