跳到主要内容

如何部分格式化提示模板

先决条件

本指南假定您熟悉以下概念

就像部分绑定函数的参数一样,对提示模板进行“部分”处理是有意义的 - 例如,传入所需值的一部分,以创建一个新的提示模板,该模板仅期望剩余值子集。

LangChain 通过两种方式支持这一点

  1. 使用字符串值进行部分格式化。
  2. 使用返回字符串值的函数进行部分格式化。

在下面的示例中,我们将介绍这两种用例的动机以及如何在 LangChain 中执行此操作。

使用字符串进行部分格式化

想要部分格式化提示模板的一个常见用例是,如果您在其他变量之前访问提示中的某些变量。 例如,假设您有一个提示模板,需要两个变量 foobaz。 如果您在链的早期获得 foo 值,但在稍后获得 baz 值,则将两个变量都一路传递到链中可能很不方便。 相反,您可以使用 foo 值部分格式化提示模板,然后传递部分格式化的提示模板并仅使用它。 以下是执行此操作的示例

import { PromptTemplate } from "langchain/prompts";

const prompt = new PromptTemplate({
template: "{foo}{bar}",
inputVariables: ["foo", "bar"],
});

const partialPrompt = await prompt.partial({
foo: "foo",
});

const formattedPrompt = await partialPrompt.format({
bar: "baz",
});

console.log(formattedPrompt);

// foobaz

您也可以只使用部分格式化的变量初始化提示。

const prompt = new PromptTemplate({
template: "{foo}{bar}",
inputVariables: ["bar"],
partialVariables: {
foo: "foo",
},
});

const formattedPrompt = await prompt.format({
bar: "baz",
});

console.log(formattedPrompt);

// foobaz

使用函数进行部分格式化

您也可以使用函数进行部分格式化。 这种情况的用例是,当您有一个变量,您知道您始终希望以常见的方式获取它时。 日期或时间就是一个典型的例子。 想象一下,您有一个提示,您始终希望其中包含当前日期。 您无法将其硬编码在提示中,并且与其他输入变量一起传递它可能很繁琐。 在这种情况下,能够使用始终返回当前日期的函数来部分格式化提示非常方便。

const getCurrentDate = () => {
return new Date().toISOString();
};

const prompt = new PromptTemplate({
template: "Tell me a {adjective} joke about the day {date}",
inputVariables: ["adjective", "date"],
});

const partialPrompt = await prompt.partial({
date: getCurrentDate,
});

const formattedPrompt = await partialPrompt.format({
adjective: "funny",
});

console.log(formattedPrompt);

// Tell me a funny joke about the day 2023-07-13T00:54:59.287Z

您也可以只使用部分格式化的变量初始化提示

const prompt = new PromptTemplate({
template: "Tell me a {adjective} joke about the day {date}",
inputVariables: ["adjective"],
partialVariables: {
date: getCurrentDate,
},
});

const formattedPrompt = await prompt.format({
adjective: "funny",
});

console.log(formattedPrompt);

// Tell me a funny joke about the day 2023-07-13T00:54:59.287Z

下一步

您现在已经学习了如何将变量部分应用于提示模板。

接下来,查看本节中关于提示模板的其他操作指南,例如向提示模板添加少量示例


此页面是否对您有帮助?


您也可以留下详细的反馈 在 GitHub 上.