Skip to main content

聊天模型

LangChain

info

转到集成,查看与聊天模型提供商的内置集成的文档。

聊天模型是语言模型的一种变体。 虽然聊天模型在底层使用语言模型,但它们使用的接口有点不同。 它们不是使用“输入文本,输出文本”的API,而是使用“聊天消息”作为输入和输出的接口。

聊天模型的API还比较新,因此我们仍在摸索正确的抽象层。

开始

设置

首先,我们需要安装 OpenAI Python 包:

pip install openai

访问 API 需要 API 密钥,您可以通过创建帐户并转到此处(https://platform.openai.com/account/api-keys)获取密钥。一旦我们有了密钥,我们将希望通过运行以下命令将其设置为环境变量:

export OPENAI_API_KEY="..."

如果您不想设置环境变量,可以在初始化 OpenAI LLM 类时直接通过“openai_api_key”命名参数传递密钥:

from langchain.chat_models import ChatOpenAI

chat = ChatOpenAI(open_api_key="...")

否则,您可以不使用任何参数进行初始化:

from langchain.chat_models import ChatOpenAI

chat = ChatOpenAI()

Messages

聊天模型界面基于消息而不是原始文本。

LangChain 目前支持的消息类型有“AIMessage”,“HumanMessage”,“SystemMessage”和“ChatMessage” - “ChatMessage”接受一个任意角色参数。大多数时候,您只需处理“HumanMessage”,“AIMessage”和“SystemMessage”

__call__

Messages in -> message out

You can get chat completions by passing one or more messages to the chat model. The response will be a message.

from langchain.schema import (
AIMessage,
HumanMessage,
SystemMessage
)

chat([HumanMessage(content="Translate this sentence from English to French: I love programming.")])
    AIMessage(content="J'aime programmer.", additional_kwargs={})

OpenAI's chat model supports multiple messages as input. See here for more information. Here is an example of sending a system and user message to the chat model:

messages = [
SystemMessage(content="You are a helpful assistant that translates English to French."),
HumanMessage(content="I love programming.")
]
chat(messages)
    AIMessage(content="J'aime programmer.", additional_kwargs={})

generate

批量调用,更丰富的输出 (Batch calls, richer outputs)

您可以进一步使用 generate 为多组消息生成完成。这将返回一个带有额外 message 参数的 LLMResult

batch_messages = [
[
SystemMessage(content="You are a helpful assistant that translates English to French."),
HumanMessage(content="I love programming.")
],
[
SystemMessage(content="You are a helpful assistant that translates English to French."),
HumanMessage(content="I love artificial intelligence.")
],
]
result = chat.generate(batch_messages)
result
    LLMResult(generations=[[ChatGeneration(text="J'aime programmer.", generation_info=None, message=AIMessage(content="J'aime programmer.", additional_kwargs={}))], [ChatGeneration(text="J'aime l'intelligence artificielle.", generation_info=None, message=AIMessage(content="J'aime l'intelligence artificielle.", additional_kwargs={}))]], llm_output={'token_usage': {'prompt_tokens': 57, 'completion_tokens': 20, 'total_tokens': 77}})

您可以从这个 LLMResult 中恢复诸如令牌使用情况之类的东西

result.llm_output
    {'token_usage': {'prompt_tokens': 57,
'completion_tokens': 20,
'total_tokens': 77}}