使用支持函数调用的新OpenAI API,构建自己的代理程序变得前所未有的简单!
在这个笔记本教程中,我们展示了如何在不到50行代码的情况下编写自己的OpenAI代理程序!它非常简洁,但功能齐全(具有进行对话和使用工具的能力)。
让我们从导入一些简单的基本模块开始。
我们主要需要的是:
llama_index
LLM 类)如果您在Colab上打开这个笔记本,您可能需要安装LlamaIndex 🦙。
%pip install llama-index-agent-openai
%pip install llama-index-llms-openai
!pip install llama-index
import json
from typing import Sequence, List
from llama_index.llms.openai import OpenAI
from llama_index.core.llms import ChatMessage
from llama_index.core.tools import BaseTool, FunctionTool
from openai.types.chat import ChatCompletionMessageToolCall
import nest_asyncio
nest_asyncio.apply()
让我们为我们的代理人定义一些非常简单的计算器工具。
def multiply(a: int, b: int) -> int:
"""将两个整数相乘,并返回结果整数"""
return a * b
multiply_tool = FunctionTool.from_defaults(fn=multiply)
def add(a: int, b: int) -> int:
"""对两个整数进行相加,并返回结果整数"""
return a + b
add_tool = FunctionTool.from_defaults(fn=add)
现在,我们定义一个能够进行对话并在不到50行代码中调用工具的代理程序。
代理程序逻辑的核心在于chat
方法。在高层次上,有3个步骤:
reset
方法只是简单地重置对话上下文,这样我们就可以开始另一个对话。
class YourOpenAIAgent:
def __init__(
self,
tools: Sequence[BaseTool] = [],
llm: OpenAI = OpenAI(temperature=0, model="gpt-3.5-turbo-0613"),
chat_history: List[ChatMessage] = [],
) -> None:
self._llm = llm
self._tools = {tool.metadata.name: tool for tool in tools}
self._chat_history = chat_history
def reset(self) -> None:
self._chat_history = []
def chat(self, message: str) -> str:
chat_history = self._chat_history
chat_history.append(ChatMessage(role="user", content=message))
tools = [
tool.metadata.to_openai_tool() for _, tool in self._tools.items()
]
ai_message = self._llm.chat(chat_history, tools=tools).message
additional_kwargs = ai_message.additional_kwargs
chat_history.append(ai_message)
tool_calls = additional_kwargs.get("tool_calls", None)
# 现在支持并行函数调用
if tool_calls is not None:
for tool_call in tool_calls:
function_message = self._call_function(tool_call)
chat_history.append(function_message)
ai_message = self._llm.chat(chat_history).message
chat_history.append(ai_message)
return ai_message.content
def _call_function(
self, tool_call: ChatCompletionMessageToolCall
) -> ChatMessage:
id_ = tool_call.id
function_call = tool_call.function
tool = self._tools[function_call.name]
output = tool(**json.loads(function_call.arguments))
return ChatMessage(
name=function_call.name,
content=str(output),
role="tool",
additional_kwargs={
"tool_call_id": id_,
"name": function_call.name,
},
)
agent = YourOpenAIAgent(tools=[multiply_tool, add_tool])
agent.chat("Hi")
'Hello! How can I assist you today?'
agent.chat("What is 2123 * 215123")
'The product of 2123 multiplied by 215123 is 456,706,129.'
OpenAIAgent
实现¶我们在LlamaIndex中提供了一个(稍微更好的)OpenAIAgent
实现,您可以直接按照以下方式使用。
与上面的简化版本相比:
BaseChatEngine
和BaseQueryEngine
接口,因此您可以更无缝地在LlamaIndex框架中使用它。from llama_index.agent.openai import OpenAIAgent
from llama_index.llms.openai import OpenAI
llm = OpenAI(model="gpt-3.5-turbo-0613")
agent = OpenAIAgent.from_tools(
[multiply_tool, add_tool], llm=llm, verbose=True
)
这是一个用Python编写的简单聊天程序。
response = agent.chat("What is (121 * 3) + 42?")
print(str(response))
STARTING TURN 1 --------------- === Calling Function === Calling function: multiply with args: { "a": 121, "b": 3 } Got output: 363 ======================== STARTING TURN 2 --------------- === Calling Function === Calling function: add with args: { "a": 363, "b": 42 } Got output: 405 ======================== STARTING TURN 3 --------------- (121 * 3) + 42 is equal to 405.
# 检查数据源
print(response.sources)
[ToolOutput(content='363', tool_name='multiply', raw_input={'args': (), 'kwargs': {'a': 121, 'b': 3}}, raw_output=363), ToolOutput(content='405', tool_name='add', raw_input={'args': (), 'kwargs': {'a': 363, 'b': 42}}, raw_output=405)]
response = await agent.achat("What is 121 * 3?")
print(str(response))
STARTING TURN 1 --------------- === Calling Function === Calling function: multiply with args: { "a": 121, "b": 3 } Got output: 363 ======================== STARTING TURN 2 --------------- 121 multiplied by 3 is equal to 363.
在这里,每个LLM响应都作为生成器返回。您可以流式传输每个增量步骤,或者只获取最后的响应。
response = agent.stream_chat(
"What is 121 * 2? Once you have the answer, use that number to write a"
" story about a group of mice."
)
response_gen = response.response_gen
for token in response_gen:
print(token, end="")
STARTING TURN 1 --------------- === Calling Function === Calling function: multiply with args: { "a": 121, "b": 2 } Got output: 242 ======================== STARTING TURN 2 --------------- 121 multiplied by 2 is equal to 242. Once upon a time, in a small village, there was a group of mice who lived in a cozy little burrow. The mice were known for their intelligence and resourcefulness. They had built a tight-knit community and worked together to overcome any challenges they faced. One sunny day, as the mice were going about their daily activities, they stumbled upon a bountiful field of ripe corn. The field was filled with tall stalks of golden corn, swaying gently in the breeze. The mice couldn't believe their luck! They knew they had to gather as much corn as possible to sustain themselves through the upcoming winter. With their tiny paws and sharp teeth, the mice began to harvest the corn. They worked tirelessly, carrying one ear of corn at a time back to their burrow. The mice were determined to make the most of this opportunity and ensure they had enough food for everyone. As the days turned into weeks, the mice's hard work paid off. They had collected an impressive stash of corn, thanks to their diligent efforts and the abundance of the field. The mice celebrated their success, knowing that they had secured their survival for the winter. But the mice didn't stop there. They realized that they had more corn than they needed just for themselves. They decided to share their abundance with the other animals in the village who were struggling to find food. The mice knew the importance of community and believed in helping others in need. Word spread quickly about the generous mice and their corn. Animals from all around the village came to the mice's burrow, grateful for the assistance. The mice happily distributed the corn, ensuring that everyone had enough to eat. The mice's act of kindness and their ability to multiply their resources had a profound impact on the village. The animals learned the value of working together and supporting one another. The mice became a symbol of unity and compassion, inspiring others to follow their example. And so, the mice's story of multiplying their resources and spreading kindness became a legend in the village. The mice continued to thrive, not just because of their intelligence and resourcefulness, but also because of their big hearts and willingness to help others. The end.
这是一个简单的异步流式聊天示例,使用Python的asyncio库和websockets库。该示例包括一个简单的服务器和一个基本的Web客户端,用于在浏览器中进行聊天。
服务器使用asyncio和websockets库创建一个简单的WebSocket服务器,用于接收和广播消息。
客户端是一个简单的HTML页面,使用JavaScript和WebSocket API来连接到服务器并发送/接收消息。
要运行此示例,请按照以下步骤操作:
pip install websockets
python async_chat_server.py
async_chat_client.html
,然后输入用户名并开始聊天。现在,您可以在浏览器中与自己进行简单的异步流式聊天了!
response = await agent.astream_chat(
"What is 121 + 8? Once you have the answer, use that number to write a"
" story about a group of mice."
)
response_gen = response.response_gen
async for token in response.async_response_gen():
print(token, end="")
STARTING TURN 1 --------------- === Calling Function === Calling function: add with args: { "a": 121, "b": 8 } Got output: 129 ======================== STARTING TURN 2 --------------- 121 plus 8 is equal to 129. Once upon a time, in a peaceful meadow, there lived a group of mice. These mice were known for their bravery and adventurous spirit. They loved exploring the meadow and discovering new places. One sunny day, as the mice were scurrying through the tall grass, they stumbled upon a hidden treasure. It was a small, sparkling gemstone that radiated with a mesmerizing glow. The mice were amazed by its beauty and knew that it was something special. Excitedly, the mice decided to take the gemstone back to their burrow. They carefully carried it, taking turns to ensure its safety. As they reached their cozy home, they marveled at the gemstone's brilliance. Little did they know, this gemstone held a magical power. As the mice gathered around the gemstone, a soft, enchanting light began to emanate from it. Suddenly, the mice felt a surge of energy and realized that they had been granted a special ability - the power to communicate with other animals. With their newfound power, the mice embarked on a mission to bring harmony and understanding among the creatures of the meadow. They started by reaching out to the birds, sharing their wisdom and learning about the secrets of the sky. The mice and birds formed a strong bond, exchanging stories and songs. Next, the mice approached the rabbits, teaching them about the importance of unity and cooperation. The rabbits, known for their agility, shared their knowledge of navigating the meadow and avoiding danger. Together, the mice and rabbits created a safe haven for all the animals. The mice's journey continued as they connected with the squirrels, teaching them the value of saving and planning for the future. The squirrels, in return, shared their knowledge of gathering food and surviving the harsh winters. The meadow became a place of abundance and security for all its inhabitants. As the seasons changed, the mice's influence spread throughout the meadow. Animals from all walks of life came together, forming a diverse and harmonious community. The mice's ability to bring different species together was a testament to their leadership and compassion. The gemstone, a symbol of unity and understanding, remained at the center of the mice's burrow. It served as a reminder of the power of collaboration and the importance of embracing diversity. And so, the mice's story of adding their strengths and bringing animals together became a legend in the meadow. The mice continued to explore, learn, and spread their message of unity, leaving a lasting impact on the meadow and its inhabitants. The end.
在这个示例中,我们将创建一个具有个性的代理,该代理将根据其个性特征做出不同的决策。我们将使用一个简单的示例来说明这个概念,该示例将根据代理的个性特征来选择不同的行为。
首先,让我们定义代理的个性特征。代理的个性特征将包括以下几个方面:
接下来,我们将根据代理的个性特征来定义其行为。例如,一个冒险程度高的代理可能更愿意尝试新的行为,而一个谨慎程度高的代理可能更倾向于选择较为保守的行为。
让我们通过一个简单的示例来说明这个概念。
您可以指定一个系统提示,以便为代理人提供额外的指示或个性。
from llama_index.agent.openai import OpenAIAgent
from llama_index.llms.openai import OpenAI
from llama_index.core.prompts.system import SHAKESPEARE_WRITING_ASSISTANT
llm = OpenAI(model="gpt-3.5-turbo-0613")
agent = OpenAIAgent.from_tools(
[multiply_tool, add_tool],
llm=llm,
verbose=True,
system_prompt=SHAKESPEARE_WRITING_ASSISTANT,
)
response = agent.chat("Hi")
print(response)
STARTING TURN 1 --------------- Greetings, fair traveler! How may I assist thee on this fine day?
response = agent.chat("Tell me a story")
print(response)
STARTING TURN 1 --------------- Of course, dear friend! Allow me to weave a tale for thee in the style of Shakespeare. Once upon a time, in a land far away, there lived a noble knight named Sir William. He was known throughout the kingdom for his bravery and chivalry. One fateful day, as Sir William rode through the enchanted forest, he stumbled upon a hidden glade. In the glade, he discovered a beautiful maiden named Lady Rosalind. She was fair of face and gentle of heart, and Sir William was instantly captivated by her beauty. They spent hours conversing, sharing stories, and laughing together. As the days turned into weeks, Sir William and Lady Rosalind's bond grew stronger. They found solace in each other's company and realized that they had fallen deeply in love. However, their love was not without obstacles. Lady Rosalind's father, Lord Reginald, was a stern and overprotective man. He had already arranged a marriage for his daughter with a wealthy nobleman, Lord Percival. When Lady Rosalind confessed her love for Sir William, Lord Reginald was furious. Determined to be together, Sir William and Lady Rosalind devised a plan. They decided to elope under the cover of darkness, seeking refuge in a distant land where their love could flourish without hindrance. With heavy hearts, they bid farewell to their families and set off on their journey. Their path was treacherous, filled with perils and hardships. They faced raging storms, dangerous bandits, and even a fearsome dragon. But through it all, their love remained steadfast and unwavering. After many trials and tribulations, Sir William and Lady Rosalind finally reached their destination—a peaceful village nestled by the sea. They settled there, vowing to live a life of love and happiness. Years passed, and their love only grew stronger. They were blessed with children, who inherited their parents' noble qualities. Sir William and Lady Rosalind lived a long and fulfilling life, surrounded by the love of their family and the admiration of the villagers. And so, the tale of Sir William and Lady Rosalind serves as a reminder that true love can conquer all obstacles, even in the face of adversity. May their story inspire thee to follow thy heart and pursue love with unwavering determination.