69 lines
2.7 KiB
JavaScript
69 lines
2.7 KiB
JavaScript
import { zodToJsonSchema } from "zod-to-json-schema";
|
|
import { PromptTemplate } from "@langchain/core/prompts";
|
|
import { JsonKeyOutputFunctionsParser, } from "../../output_parsers/openai_functions.js";
|
|
import { LLMChain } from "../llm_chain.js";
|
|
/**
|
|
* Function that returns an array of extraction functions. These functions
|
|
* are used to extract relevant information from a passage.
|
|
* @param schema The schema of the function parameters.
|
|
* @returns An array of extraction functions.
|
|
*/
|
|
function getExtractionFunctions(schema) {
|
|
return [
|
|
{
|
|
name: "information_extraction",
|
|
description: "Extracts the relevant information from the passage.",
|
|
parameters: {
|
|
type: "object",
|
|
properties: {
|
|
info: {
|
|
type: "array",
|
|
items: {
|
|
type: schema.type,
|
|
properties: schema.properties,
|
|
required: schema.required,
|
|
},
|
|
},
|
|
},
|
|
required: ["info"],
|
|
},
|
|
},
|
|
];
|
|
}
|
|
const _EXTRACTION_TEMPLATE = `Extract and save the relevant entities mentioned in the following passage together with their properties.
|
|
|
|
Passage:
|
|
{input}
|
|
`;
|
|
/**
|
|
* Function that creates an extraction chain using the provided JSON schema.
|
|
* It sets up the necessary components, such as the prompt, output parser, and tags.
|
|
* @param schema JSON schema of the function parameters.
|
|
* @param llm Must be a ChatOpenAI or AnthropicFunctions model that supports function calling.
|
|
* @returns A LLMChain instance configured to return data matching the schema.
|
|
*/
|
|
export function createExtractionChain(schema, llm) {
|
|
const functions = getExtractionFunctions(schema);
|
|
const prompt = PromptTemplate.fromTemplate(_EXTRACTION_TEMPLATE);
|
|
const outputParser = new JsonKeyOutputFunctionsParser({ attrName: "info" });
|
|
return new LLMChain({
|
|
llm,
|
|
prompt,
|
|
llmKwargs: { functions },
|
|
outputParser,
|
|
tags: ["openai_functions", "extraction"],
|
|
});
|
|
}
|
|
/**
|
|
* Function that creates an extraction chain from a Zod schema. It
|
|
* converts the Zod schema to a JSON schema using zod-to-json-schema
|
|
* before creating the extraction chain.
|
|
* @param schema The Zod schema which extracted data should match
|
|
* @param llm Must be a ChatOpenAI or AnthropicFunctions model that supports function calling.
|
|
* @returns A LLMChain instance configured to return data matching the schema.
|
|
*/
|
|
export function createExtractionChainFromZod(
|
|
// eslint-disable-next-line @typescript-eslint/no-explicit-any
|
|
schema, llm) {
|
|
return createExtractionChain(zodToJsonSchema(schema), llm);
|
|
}
|