Databricks
Databricks Lakehouse 平台在一个平台上统一了数据、分析和 AI。
本笔记本提供了一个快速概述,帮助您开始使用 Databricks LLM 模型。有关所有功能和配置的详细文档,请访问 API 参考。
概述
Databricks
LLM 类封装了一个完成端点,该端点托管为以下两种端点类型之一
- Databricks 模型服务,推荐用于生产和开发,
- 集群驱动程序代理应用程序,推荐用于交互式开发。
此示例笔记本展示了如何封装您的 LLM 端点并在您的 LangChain 应用程序中将其用作 LLM。
局限性
Databricks
LLM 类是旧版实现,并且在功能兼容性方面存在一些局限性。
- 仅支持同步调用。不支持流式处理或异步 API。
- 不支持
batch
API。
要使用这些功能,请改用新的 ChatDatabricks 类。ChatDatabricks
支持 ChatModel
的所有 API,包括流式处理、异步、批量等。
设置
要访问 Databricks 模型,您需要创建一个 Databricks 帐户,设置凭据(仅当您在 Databricks 工作区外部时),并安装所需的软件包。
凭据(仅当您在 Databricks 外部时)
如果您在 Databricks 内部运行 LangChain 应用程序,则可以跳过此步骤。
否则,您需要手动将 Databricks 工作区主机名和个人访问令牌分别设置为 DATABRICKS_HOST
和 DATABRICKS_TOKEN
环境变量。请参阅身份验证文档,了解如何获取访问令牌。
import getpass
import os
os.environ["DATABRICKS_HOST"] = "https://your-workspace.cloud.databricks.com"
if "DATABRICKS_TOKEN" not in os.environ:
os.environ["DATABRICKS_TOKEN"] = getpass.getpass(
"Enter your Databricks access token: "
)
或者,您可以在初始化 Databricks
类时传递这些参数。
from langchain_community.llms import Databricks
databricks = Databricks(
host="https://your-workspace.cloud.databricks.com",
# We strongly recommend NOT to hardcode your access token in your code, instead use secret management tools
# or environment variables to store your access token securely. The following example uses Databricks Secrets
# to retrieve the access token that is available within the Databricks notebook.
token=dbutils.secrets.get(scope="YOUR_SECRET_SCOPE", key="databricks-token"), # noqa: F821
)
安装
LangChain Databricks 集成位于 langchain-community
软件包中。此外,运行此笔记本中的代码还需要 mlflow >= 2.9
。
%pip install -qU langchain-community mlflow>=2.9.0
封装模型服务端点
先决条件:
- LLM 已注册并部署到 Databricks 服务端点。
- 您拥有对端点的 “Can Query”权限。
预期的 MLflow 模型签名是
- inputs:
[{"name": "prompt", "type": "string"}, {"name": "stop", "type": "list[string]"}]
- outputs:
[{"type": "string"}]
调用
from langchain_community.llms import Databricks
llm = Databricks(endpoint_name="YOUR_ENDPOINT_NAME")
llm.invoke("How are you?")
'I am happy to hear that you are in good health and as always, you are appreciated.'
llm.invoke("How are you?", stop=["."])
'Good'
转换输入和输出
有时您可能想要封装一个服务端点,该端点具有不兼容的模型签名,或者您想要插入额外的配置。您可以使用 transform_input_fn
和 transform_output_fn
参数来定义额外的预处理/后处理。
# Use `transform_input_fn` and `transform_output_fn` if the serving endpoint
# expects a different input schema and does not return a JSON string,
# respectively, or you want to apply a prompt template on top.
def transform_input(**request):
full_prompt = f"""{request["prompt"]}
Be Concise.
"""
request["prompt"] = full_prompt
return request
def transform_output(response):
return response.upper()
llm = Databricks(
endpoint_name="YOUR_ENDPOINT_NAME",
transform_input_fn=transform_input,
transform_output_fn=transform_output,
)
llm.invoke("How are you?")
'I AM DOING GREAT THANK YOU.'