跳到主要内容
Open In ColabOpen on GitHub

Gel

一个使用 gel 作为后端的 LangChain 向量存储抽象的实现。

Gel 是一个开源的 PostgreSQL 数据层,针对从开发到生产的快速周期进行了优化。它提供了一个高级的、严格类型化的图状数据模型、可组合的层次化查询语言、完整的 SQL 支持、迁移、认证和 AI 模块。

代码位于名为 langchain-gel 的集成包中。

设置

首先安装相关软件包

! pip install -qU gel langchain-gel 

初始化

为了使用 Gel 作为您的 VectorStore 的后端,您需要一个可用的 Gel 实例。幸运的是,这不必涉及 Docker 容器或任何复杂的东西,除非您愿意!

要设置本地实例,运行

! gel project init --non-interactive

如果您正在使用 Gel Cloud(建议您使用!),请在该命令中添加一个参数

gel project init --server-instance <org-name>/<instance-name>

有关运行 Gel 的全面列表,请参阅参考文档中的 运行 Gel 部分。

设置模式

Gel 模式是对应用程序数据模型的显式高级描述。除了让您能够精确定义数据的布局方式外,它还驱动 Gel 的许多强大功能,例如链接、访问策略、函数、触发器、约束、索引等。

LangChain 的 VectorStore 需要以下模式布局

schema_content = """
using extension pgvector;

module default {
scalar type EmbeddingVector extending ext::pgvector::vector<1536>;

type Record {
required collection: str;
text: str;
embedding: EmbeddingVector;
external_id: str {
constraint exclusive;
};
metadata: json;

index ext::pgvector::hnsw_cosine(m := 16, ef_construction := 128)
on (.embedding)
}
}
""".strip()

with open("dbschema/default.gel", "w") as f:
f.write(schema_content)

为了将模式更改应用于数据库,请使用 Gel 的 迁移机制运行迁移

! gel migration create --non-interactive
! gel migrate

从现在开始,GelVectorStore 可以作为 LangChain 中任何其他向量存储的直接替代品。

实例化

pip install -qU langchain-openai
import getpass
import os

if not os.environ.get("OPENAI_API_KEY"):
os.environ["OPENAI_API_KEY"] = getpass.getpass("Enter API key for OpenAI: ")

from langchain_openai import OpenAIEmbeddings

embeddings = OpenAIEmbeddings(model="text-embedding-3-large")
from langchain_gel import GelVectorStore

vector_store = GelVectorStore(
embeddings=embeddings,
)

管理向量存储

向向量存储添加项目

请注意,按 ID 添加文档将覆盖任何与该 ID 匹配的现有文档。

from langchain_core.documents import Document

docs = [
Document(
page_content="there are cats in the pond",
metadata={"id": "1", "location": "pond", "topic": "animals"},
),
Document(
page_content="ducks are also found in the pond",
metadata={"id": "2", "location": "pond", "topic": "animals"},
),
Document(
page_content="fresh apples are available at the market",
metadata={"id": "3", "location": "market", "topic": "food"},
),
Document(
page_content="the market also sells fresh oranges",
metadata={"id": "4", "location": "market", "topic": "food"},
),
Document(
page_content="the new art exhibit is fascinating",
metadata={"id": "5", "location": "museum", "topic": "art"},
),
Document(
page_content="a sculpture exhibit is also at the museum",
metadata={"id": "6", "location": "museum", "topic": "art"},
),
Document(
page_content="a new coffee shop opened on Main Street",
metadata={"id": "7", "location": "Main Street", "topic": "food"},
),
Document(
page_content="the book club meets at the library",
metadata={"id": "8", "location": "library", "topic": "reading"},
),
Document(
page_content="the library hosts a weekly story time for kids",
metadata={"id": "9", "location": "library", "topic": "reading"},
),
Document(
page_content="a cooking class for beginners is offered at the community center",
metadata={"id": "10", "location": "community center", "topic": "classes"},
),
]

vector_store.add_documents(docs, ids=[doc.metadata["id"] for doc in docs])
API 参考:Document

从向量存储删除项目

vector_store.delete(ids=["3"])

查询向量存储

创建向量存储并添加相关文档后,您很可能希望在运行链或代理时对其进行查询。

筛选支持

向量存储支持一组可应用于文档元数据字段的筛选器。

运算符含义/类别
$eq相等 (==)
$ne不等 (!=)
$lt小于 (<)
$lte小于或等于 (<=)
$gt大于 (>)
$gte大于或等于 (>=)
$in特殊情况 (in)
$nin特殊情况 (not in)
$between特殊情况 (between)
$like文本 (like)
$ilike文本 (不区分大小写的 like)
$and逻辑 (and)
$or逻辑 (or)

直接查询

执行简单的相似性搜索可以按如下方式完成

results = vector_store.similarity_search(
"kitty", k=10, filter={"id": {"$in": ["1", "5", "2", "9"]}}
)
for doc in results:
print(f"* {doc.page_content} [{doc.metadata}]")

如果您提供一个包含多个字段但没有运算符的字典,则顶层将被解释为逻辑 **AND** 筛选器

vector_store.similarity_search(
"ducks",
k=10,
filter={
"id": {"$in": ["1", "5", "2", "9"]},
"location": {"$in": ["pond", "market"]},
},
)
vector_store.similarity_search(
"ducks",
k=10,
filter={
"$and": [
{"id": {"$in": ["1", "5", "2", "9"]}},
{"location": {"$in": ["pond", "market"]}},
]
},
)

如果您想执行相似性搜索并接收相应的分数,您可以运行

results = vector_store.similarity_search_with_score(query="cats", k=1)
for doc, score in results:
print(f"* [SIM={score:3f}] {doc.page_content} [{doc.metadata}]")

转换为检索器进行查询

您还可以将向量存储转换为检索器,以便在您的链中更方便地使用。

retriever = vector_store.as_retriever(search_kwargs={"k": 1})
retriever.invoke("kitty")

检索增强生成的使用

有关如何将此向量存储用于检索增强生成 (RAG) 的指南,请参阅以下部分

API 参考

有关所有 GelVectorStore 功能和配置的详细文档,请查阅 API 参考:https://python.langchain.ac.cn/api_reference/