Skip to main content
Open In Colab在 GitHub 上打开

如何向检索器结果添加分数

检索器将返回 Document 对象的序列,默认情况下,这些对象不包含有关检索它们的进程的信息(例如,针对查询的相似性分数)。下面我们演示如何将检索分数添加到.metadata文件数量:

  1. vectorstore 检索器;
  2. 来自高阶 LangChain 检索器,例如 SelfQueryRetrieverMultiVectorRetriever

对于 (1),我们将围绕相应的 vector store 实现一个简短的包装函数。对于 (2),我们将更新相应类的方法。

创建矢量存储

首先,我们用一些数据填充 vector store。我们将使用 PineconeVectorStore,但本指南与任何实现.similarity_search_with_score方法。

from langchain_core.documents import Document
from langchain_openai import OpenAIEmbeddings
from langchain_pinecone import PineconeVectorStore

docs = [
Document(
page_content="A bunch of scientists bring back dinosaurs and mayhem breaks loose",
metadata={"year": 1993, "rating": 7.7, "genre": "science fiction"},
),
Document(
page_content="Leo DiCaprio gets lost in a dream within a dream within a dream within a ...",
metadata={"year": 2010, "director": "Christopher Nolan", "rating": 8.2},
),
Document(
page_content="A psychologist / detective gets lost in a series of dreams within dreams within dreams and Inception reused the idea",
metadata={"year": 2006, "director": "Satoshi Kon", "rating": 8.6},
),
Document(
page_content="A bunch of normal-sized women are supremely wholesome and some men pine after them",
metadata={"year": 2019, "director": "Greta Gerwig", "rating": 8.3},
),
Document(
page_content="Toys come alive and have a blast doing so",
metadata={"year": 1995, "genre": "animated"},
),
Document(
page_content="Three men walk into the Zone, three men walk out of the Zone",
metadata={
"year": 1979,
"director": "Andrei Tarkovsky",
"genre": "thriller",
"rating": 9.9,
},
),
]

vectorstore = PineconeVectorStore.from_documents(
docs, index_name="sample", embedding=OpenAIEmbeddings()
)

Retriever

为了从向量存储检索器中获取分数,我们将底层向量存储的.similarity_search_with_score方法,将分数打包到关联文档的元数据中。

我们添加了一个@chaindecorator 添加到函数中,以创建一个 Runnable,该 Runnable 的使用方式类似于典型的 retriever。

from typing import List

from langchain_core.documents import Document
from langchain_core.runnables import chain


@chain
def retriever(query: str) -> List[Document]:
docs, scores = zip(*vectorstore.similarity_search_with_score(query))
for doc, score in zip(docs, scores):
doc.metadata["score"] = score

return docs
API 参考:文档 | Chains
result = retriever.invoke("dinosaur")
result
(Document(page_content='A bunch of scientists bring back dinosaurs and mayhem breaks loose', metadata={'genre': 'science fiction', 'rating': 7.7, 'year': 1993.0, 'score': 0.84429127}),
Document(page_content='Toys come alive and have a blast doing so', metadata={'genre': 'animated', 'year': 1995.0, 'score': 0.792038262}),
Document(page_content='Three men walk into the Zone, three men walk out of the Zone', metadata={'director': 'Andrei Tarkovsky', 'genre': 'thriller', 'rating': 9.9, 'year': 1979.0, 'score': 0.751571238}),
Document(page_content='A psychologist / detective gets lost in a series of dreams within dreams within dreams and Inception reused the idea', metadata={'director': 'Satoshi Kon', 'rating': 8.6, 'year': 2006.0, 'score': 0.747471571}))

请注意,检索步骤中的相似性分数包含在上述文档的元数据中。

自我查询检索器

SelfQueryRetriever将使用 LLM 生成可能结构化的查询 - 例如,它可以在通常的语义相似性驱动的选择之上构建用于检索的过滤器。有关更多详细信息,请参阅本指南

SelfQueryRetriever包括一个短(1 - 2 行)方法_get_docs_with_query执行vectorstore搜索。我们可以子类化SelfQueryRetriever并覆盖此方法以传播相似性分数。

首先,按照操作指南,我们需要建立一些要过滤的元数据:

from langchain.chains.query_constructor.base import AttributeInfo
from langchain.retrievers.self_query.base import SelfQueryRetriever
from langchain_openai import ChatOpenAI

metadata_field_info = [
AttributeInfo(
name="genre",
description="The genre of the movie. One of ['science fiction', 'comedy', 'drama', 'thriller', 'romance', 'action', 'animated']",
type="string",
),
AttributeInfo(
name="year",
description="The year the movie was released",
type="integer",
),
AttributeInfo(
name="director",
description="The name of the movie director",
type="string",
),
AttributeInfo(
name="rating", description="A 1-10 rating for the movie", type="float"
),
]
document_content_description = "Brief summary of a movie"
llm = ChatOpenAI(temperature=0)

然后,我们覆盖_get_docs_with_query要使用similarity_search_with_score底层向量存储的方法:

from typing import Any, Dict


class CustomSelfQueryRetriever(SelfQueryRetriever):
def _get_docs_with_query(
self, query: str, search_kwargs: Dict[str, Any]
) -> List[Document]:
"""Get docs, adding score information."""
docs, scores = zip(
*self.vectorstore.similarity_search_with_score(query, **search_kwargs)
)
for doc, score in zip(docs, scores):
doc.metadata["score"] = score

return docs

现在,调用此检索器将在文档元数据中包含相似性分数。请注意,的底层结构化查询功能SelfQueryRetriever被保留。

retriever = CustomSelfQueryRetriever.from_llm(
llm,
vectorstore,
document_content_description,
metadata_field_info,
)


result = retriever.invoke("dinosaur movie with rating less than 8")
result
(Document(page_content='A bunch of scientists bring back dinosaurs and mayhem breaks loose', metadata={'genre': 'science fiction', 'rating': 7.7, 'year': 1993.0, 'score': 0.84429127}),)

多向量检索器

MultiVectorRetriever允许您将多个矢量与单个文档相关联。这在许多应用程序中都很有用。例如,我们可以为较大文档的小块编制索引,并在这些块上运行检索,但在调用检索器时返回较大的“父”文档。ParentDocumentRetrieverMultiVectorRetriever,包括用于填充 vector store 以支持此功能的便捷方法。本操作指南中详细介绍了其他应用。

要通过这个 retriever 传播相似性分数,我们可以再次子类化MultiVectorRetriever并覆盖方法。这次我们将覆盖_get_relevant_documents.

首先,我们准备一些假数据。我们生成虚假的 “整个文档” 并将它们存储在文档存储中;在这里,我们将使用一个简单的 InMemoryStore

from langchain.storage import InMemoryStore
from langchain_text_splitters import RecursiveCharacterTextSplitter

# The storage layer for the parent documents
docstore = InMemoryStore()
fake_whole_documents = [
("fake_id_1", Document(page_content="fake whole document 1")),
("fake_id_2", Document(page_content="fake whole document 2")),
]
docstore.mset(fake_whole_documents)

接下来,我们将向 vector store 添加一些假的 “sub-documents”。我们可以通过填充"doc_id"键。

docs = [
Document(
page_content="A snippet from a larger document discussing cats.",
metadata={"doc_id": "fake_id_1"},
),
Document(
page_content="A snippet from a larger document discussing discourse.",
metadata={"doc_id": "fake_id_1"},
),
Document(
page_content="A snippet from a larger document discussing chocolate.",
metadata={"doc_id": "fake_id_2"},
),
]

vectorstore.add_documents(docs)
['62a85353-41ff-4346-bff7-be6c8ec2ed89',
'5d4a0e83-4cc5-40f1-bc73-ed9cbad0ee15',
'8c1d9a56-120f-45e4-ba70-a19cd19a38f4']

为了传播分数,我们子类化MultiVectorRetriever并覆盖其_get_relevant_documents方法。在这里,我们将进行两项更改:

  1. 我们将使用similarity_search_with_score方法,如上;
  2. 我们将在检索到的父文档的元数据中包含这些子文档的列表。这会显示检索识别的文本片段及其相应的相似度分数。
from collections import defaultdict

from langchain.retrievers import MultiVectorRetriever
from langchain_core.callbacks import CallbackManagerForRetrieverRun


class CustomMultiVectorRetriever(MultiVectorRetriever):
def _get_relevant_documents(
self, query: str, *, run_manager: CallbackManagerForRetrieverRun
) -> List[Document]:
"""Get documents relevant to a query.
Args:
query: String to find relevant documents for
run_manager: The callbacks handler to use
Returns:
List of relevant documents
"""
results = self.vectorstore.similarity_search_with_score(
query, **self.search_kwargs
)

# Map doc_ids to list of sub-documents, adding scores to metadata
id_to_doc = defaultdict(list)
for doc, score in results:
doc_id = doc.metadata.get("doc_id")
if doc_id:
doc.metadata["score"] = score
id_to_doc[doc_id].append(doc)

# Fetch documents corresponding to doc_ids, retaining sub_docs in metadata
docs = []
for _id, sub_docs in id_to_doc.items():
docstore_docs = self.docstore.mget([_id])
if docstore_docs:
if doc := docstore_docs[0]:
doc.metadata["sub_docs"] = sub_docs
docs.append(doc)

return docs

调用此检索器,我们可以看到它标识了正确的父文档,包括具有相似性分数的子文档中的相关代码段。

retriever = CustomMultiVectorRetriever(vectorstore=vectorstore, docstore=docstore)

retriever.invoke("cat")
[Document(page_content='fake whole document 1', metadata={'sub_docs': [Document(page_content='A snippet from a larger document discussing cats.', metadata={'doc_id': 'fake_id_1', 'score': 0.831276655})]})]