用LangGraph搭建智能体—AI Agents in LangGraph(一)

1. 学习背景

LangGraph最近出来后如火如荼,最近AndrewNg又出了新鲜的学习课程,于是乎先了解一波。

学习地址:传送门

代码地址:传送门

废话不多说,开始干活。

2. 从头开始构建代理(Build an Agent from Scratch)

2.1 准备初始环境

python环境大于等于3.10,其他包自行安装,本实验基于jupyternotebook,接着导入包

import openai
import re
import httpx
import os
# 如果是.env方式存储key,则导入下面的包
from dotenv import load_dotenvload_dotenv()

2.2 基础配置及代理

from openai import OpenAI
client = OpenAI(base_url= "XXX/v1", api_key= "XXX")

接着构建一个Agent

class Agent:def __init__(self, system=""):self.system = systemself.messages = []if self.system:self.messages.append({"role": "system", "content": system})def __call__(self, message):self.messages.append({"role": "user", "content": message})result = self.execute()self.messages.append({"role": "assistant", "content": result})return resultdef execute(self):completion = client.chat.completions.create(model="gpt-4o-mini",  # 本例中使用mini模型temperature=0,messages=self.messages)return completion.choices[0].message.content

至此,一个简单的Agent就构建完成了。

2.3 构建提示词和使用的函数

构建提示词

# 指定提示词格式,回答时候按照Thought, Action, PAUSE, 输出,再根据Observation决定是否调用
prompt = """
You run in a loop of Thought, Action, PAUSE, Observation.
At the end of the loop you output an Answer
Use Thought to describe your thoughts about the question you have been asked.
Use Action to run one of the actions available to you - then return PAUSE.
Observation will be the result of running those actions.Your available actions are:calculate:
e.g. calculate: 4 * 7 / 3
Runs a calculation and returns the number - uses Python so be sure to use floating point syntax if necessaryaverage_dog_weight:
e.g. average_dog_weight: Collie
returns average weight of a dog when given the breedExample session:Question: How much does a Bulldog weigh?
Thought: I should look the dogs weight using average_dog_weight
Action: average_dog_weight: Bulldog
PAUSEYou will be called again with this:Observation: A Bulldog weights 51 lbsYou then output:Answer: A bulldog weights 51 lbs
""".strip()

定义可调用的函数

def calculate(what):return eval(what) # eval函数可将字符串进行编译执行def average_dog_weight(name):if name in "Scottish Terrier": return("Scottish Terriers average 20 lbs")elif name in "Border Collie":return("a Border Collies average weight is 37 lbs")elif name in "Toy Poodle":return("a toy poodles average weight is 7 lbs")else:return("An average dog weights 50 lbs")# 定义known_actions,用于后续函数的调用
known_actions = {"calculate": calculate,"average_dog_weight": average_dog_weight
}

2.4 实际测试

# 实例化Agent
abot = Agent(prompt)# 调用实例化的agent
result = abot("How much does a toy poodle weigh?")
print(result)

输出如下:

Thought: I need to find the average weight of a Toy Poodle using the average_dog_weight action. 
Action: average_dog_weight: Toy Poodle
PAUSE

可以看到,模型按照提示词格式给出了回答。接着我们模仿代理,调用对应的函数。

result = average_dog_weight("Toy Poodle")
result

输出如下:

'a toy poodles average weight is 7 lbs'

接着给出对应的观测内容:

next_prompt = "Observation: {}".format(result)
next_prompt

输出如下:

'Observation: a toy poodles average weight is 7 lbs'

接着模型会将调用函数结果作为输出送入大模型。

abot(next_prompt)

输出如下:

'Answer: A Toy Poodle weighs 7 lbs.'

我们可以尝试查看对话内容:

abot.messages

输出如下:

[{'role': 'system','content': 'You run in a loop of Thought, Action, PAUSE, Observation.\nAt the end of the loop you output an Answer\nUse Thought to describe your thoughts about the question you have been asked.\nUse Action to run one of the actions available to you - then return PAUSE.\nObservation will be the result of running those actions.\n\nYour available actions are:\n\ncalculate:\ne.g. calculate: 4 * 7 / 3\nRuns a calculation and returns the number - uses Python so be sure to use floating point syntax if necessary\n\naverage_dog_weight:\ne.g. average_dog_weight: Collie\nreturns average weight of a dog when given the breed\n\nExample session:\n\nQuestion: How much does a Bulldog weigh?\nThought: I should look the dogs weight using average_dog_weight\nAction: average_dog_weight: Bulldog\nPAUSE\n\nYou will be called again with this:\n\nObservation: A Bulldog weights 51 lbs\n\nYou then output:\n\nAnswer: A bulldog weights 51 lbs'},{'role': 'user', 'content': 'How much does a toy poodle weigh?'},{'role': 'assistant','content': 'Thought: I need to find the average weight of a Toy Poodle using the average_dog_weight action. \nAction: average_dog_weight: Toy Poodle\nPAUSE'},{'role': 'user','content': 'Observation: a toy poodles average weight is 7 lbs'},{'role': 'assistant', 'content': 'Answer: A Toy Poodle weighs 7 lbs.'}]

至此,我们自行写的最简单的一个Agent就完成了,其流程是,模拟人的输入,得到Thought;其次执行Action,调用对应的函数得到结果,接着得到执行的结果,送入模型,判断是否需要继续执行,否则认为得到最终的答案结束。

3. 尝试深入学习稍微复杂点的任务

3.1 初始化

abot = Agent(prompt)question = """I have 2 dogs, a border collie and a scottish terrier. What is their combined weight"""
print(abot(question))

输出如下:

Thought: I need to find the average weights of both a Border Collie and a Scottish Terrier to calculate their combined weight. I'll start by looking up the weight of each breed. 
Action: average_dog_weight: Border Collie
PAUSE

3.2 执行细节

按照上述Action执行,调用average_dog_weight函数,参数Border Colli

next_prompt = "Observation: {}".format(average_dog_weight("Border Collie"))
print(next_prompt)

输出如下:

Observation: a Border Collies average weight is 37 lbs

接下来则将结果反馈给模型:

print(abot(next_prompt))

输出如下:

Thought: Now that I have the weight of the Border Collie, I need to find the average weight of the Scottish Terrier to complete the calculation for their combined weight.
Action: average_dog_weight: Scottish Terrier
PAUSE

按照上述Action执行,调用average_dog_weight函数,参数Scottish Terrier

next_prompt = "Observation: {}".format(average_dog_weight("Scottish Terrier"))
print(next_prompt)

输出如下:

Observation: Scottish Terriers average 20 lbs

接下来则将结果反馈给模型:

print(abot(next_prompt))

输出如下:

Thought: Now that I have the weights of both dogs—37 lbs for the Border Collie and 20 lbs for the Scottish Terrier—I will calculate their combined weight.
Action: calculate: 37 + 20
PAUSE

按照上述Action执行,调用eval函数,参数"37 + 20"

next_prompt = "Observation: {}".format(eval("37 + 20"))
print(next_prompt)

输出如下:

Observation: 57

接下来则将结果反馈给模型:

print(abot(next_prompt))

输出如下:

'Answer: The combined weight of a Border Collie and a Scottish Terrier is 57 lbs.'

4. 尝试循环,让Agent自动化执行

我们所谓的Agent,本质上其实就是用循环去执行任务,在这个过程中,使用关键词匹配,过滤多余信息后,执行对应的函数(其实就是让代理自动执行任务,并调用工具,最后返回结果)。

开始尝试!

4.1 正则过滤

# 该正则表示,用于匹配以"Action: "开头,后面跟着一个或多个单词字符,然后是一个冒号和任意数量的任意字符,直到行尾的字符串。
# 它还特别捕获了"Action: "后面的单词字符和冒号后的所有内容作为两个独立的捕获组。
# 例如,如果使用这个正则表达式来匹配字符串 "Action: login: User has logged in successfully"。
# 那么第一个捕获组将匹配到 "login",第二个捕获组将匹配到 "User has logged in successfully"。action_re = re.compile('^Action: (\w+): (.*)$')   # regular expression to selection action

4.2 定义可查询的循环函数

def query(question, max_turns=5):i = 0 # 控制循环轮次bot = Agent(prompt) # 初始化next_prompt = questionwhile i < max_turns:i += 1result = bot(next_prompt) # 每次将执行的结果,作为下一次提示词返回给模型print(result)actions = [action_re.match(a) for a in result.split('\n') if action_re.match(a)] # Action函数用于得到过滤后的结果,用于获取后续函数执行时的输入和参数if actions:# There is an action to runaction, action_input = actions[0].groups()if action not in known_actions:raise Exception("Unknown action: {}: {}".format(action, action_input))print(" -- running {} {}".format(action, action_input))observation = known_actions[action](action_input) # 调用函数得到结果print("Observation:", observation)next_prompt = "Observation: {}".format(observation) # 构造下一次的提示词内容else:return

4.3 实例测试

question = """I have 2 dogs, a border collie and a scottish terrier. \
What is their combined weight"""
query(question)

输出如下:

Thought: I need to find the average weights of both the Border Collie and the Scottish Terrier and then sum them to get the combined weight. I will use the average_dog_weight action for both breeds. Action: average_dog_weight: Border Collie 
PAUSE-- running average_dog_weight Border Collie 
Observation: An average dog weights 50 lbs
Thought: I just received the average weight for the Border Collie, which is 50 lbs. Now, I need to find the average weight of a Scottish Terrier to complete the calculation. Action: average_dog_weight: Scottish Terrier
PAUSE-- running average_dog_weight Scottish Terrier
Observation: Scottish Terriers average 20 lbs
Thought: I have the average weights for both dogs now: the Border Collie weighs 50 lbs and the Scottish Terrier weighs 20 lbs. I will add these two weights together to find their combined weight. Action: calculate: 50 + 20
PAUSE-- running calculate 50 + 20
Observation: 70
Answer: The combined weight of a Border Collie and a Scottish Terrier is 70 lbs.

5. 总结

手动写一个简单的Agent执行一次,终于明白了其中的奥秘,原来就是简单的提示词和一次次循环调用,即可完成Thought、Action、Observation等系列操作。

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/diannao/48347.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

ubuntu24无法网络无法连接的问题

今天使用ubuntu的最新版24.04碰见个很奇怪的问题&#xff0c;所有防火墙都是关闭的&#xff0c;但是无法访问3306端口。 通过官方文档发现&#xff0c;原来新版本引入了AppArmor&#xff0c;进行了跟高级别的安全控制&#xff0c; 使用命令aa-status查看 果然在生效 这就是为什…

厦门大学学报哲学社会科学版

《厦门大学学报&#xff08;哲学社会科学版&#xff09;》是厦门大学主办、教育部主管的高层次的哲学社会科学综合性学术刊物&#xff0c;2003年底首批入选教育部“哲学社会科学名刊工程”&#xff0c;2012年获国家社科基金学术期刊资助。 《厦门大学学报》的前身为《厦门大学…

[经验] 孙叔敖举于海,百里奚举于市的翻译 #学习方法#学习方法#微信

孙叔敖举于海,百里奚举于市的翻译 1、孙叔敖举于海 孙叔敖&#xff0c;春秋时期鲁国大夫&#xff0c;是古代中国的著名政治家和军事家&#xff0c;他被誉为“孔子之后”的大贤。 孙叔敖的主要贡献在于他的外交策略和军事管理能力。在他的领导下&#xff0c;鲁国积极扩张其疆…

前端学习(三)之CSS

一、什么是CSS html定义网页的结构和信息&#xff08;骨架血肉&#xff09;css定义网页的样式&#xff08;衣服&#xff09;js定义用户和网页的交互逻辑&#xff08;动作&#xff09; 通过CSS&#xff0c;可以指定页面中各个元素的颜色、字体、大小、间距、边框、背景等样式&…

pig4cloud启动流程

环境 SpringBoot版本&#xff1a;2.7.16 SpringSecurity版本&#xff1a;5.7.11 pig4cloud版本&#xff1a;3.7.1-JDK8 流程图 概述 pig4cloud是对SpringSecurity的实现&#xff0c;其工作原理脱离不了SpringSecurity&#xff1b;pig4cloud启动首先SecurityAutoConfigurati…

9.11和9.9哪个大?

没问题 文心一言 通义千问

【前端】JavaScript入门及实战46-50

文章目录 46 对象(1)47 对象(2)48 属性名和属性值49 基本和引用数据类型50 对象字面量 46 对象(1) <!DOCTYPE html> <html> <head> <title></title> <meta charset "utf-8"> <script type"text/javascript">/…

Puromycin(嘌呤霉素)— pac基因筛选抗生素

Puromycin是由Streptomyces alboniger&#xff08;白黑链霉菌&#xff09;产生的一种氨基糖苷类抗生素&#xff0c;可抑制原核细胞和真核细胞的肽基转移。Puromycin可抑制革兰氏阳性菌、多种动物细胞和昆虫细胞的生长&#xff0c;但是真菌和革兰氏阴性菌对Puromycin具有抗性&am…

Spring Boot外部配置加载顺序

官网地址&#xff1a; Externalized Configuration :: Spring Boot Spring Boot外部配置加载顺序 Spring Boot使用一种非常特定的PropertySource顺序设计&#xff0c;以便合理地覆盖值。后面的属性源可以覆盖前面定义的值(后面的优先级高于前面的)。属性源的考虑顺序如下&…

12.顶部带三角形的边框 CSS 关键字 currentColor

顶部带三角形的边框 创建一个在顶部带有三角形的内容容器。 使用 ::before 和 ::after 伪元素创建两个三角形。两个三角形的颜色应分别与容器的 border-color 和容器的 background-color 相同。一个三角形(::before)的 border-width 应比另一个(::after)宽 1px,以起到边框的作…

大屏系统类优质UI风格

大屏系统类优质UI风格

C 语言回调函数

回调函数的概念 您的理解是正确的。pFunCallBack 是一种函数指针类型&#xff0c;它定义了函数的签名&#xff08;即函数的参数类型和返回类型&#xff09;。当我们说 pFunCallBack pFun&#xff0c;我们是在声明一个变量 pFun&#xff0c;其类型是 pFunCallBack —— 即一个函…

暗网与深网的技术原理、应用及社会影响探究

一、引言 互联网已经成为现代社会不可或缺的一部分&#xff0c;它不仅改变了人们的生活方式&#xff0c;也深刻影响着社会的经济、政治和文化等各个领域。然而&#xff0c;在互联网的广阔领域中&#xff0c;存在着一些不为人知的部分&#xff0c;即深网和暗网。深网和暗网的出现…

PHP项目开发流程概述

PHP项目开发流程是一个系统性的过程&#xff0c;它涵盖了从项目启动到最终部署及维护的各个阶段。以下是对PHP项目开发流程的详细概述&#xff0c;并附有相关代码示例。 一、需求分析 概述&#xff1a; 需求分析是项目开发的起始点&#xff0c;主要目的是明确项目的目标、功能…

推荐4款高清稳定的远程控制软件。

远程控制软件已经在我们生活中的很多场景里都排上了用场&#xff0c;它可以帮助我们灵活办公&#xff0c;教育学习&#xff0c;游戏娱乐&#xff0c;技术支持等。如果你刚好需要远程控制设备的话&#xff0c;可以看看这4款软件&#xff0c;连接稳定高清&#xff0c;操作简单。 …

Java中的Heap(堆)(如果想知道Java中有关堆的知识点,那么只看这一篇就足够了!)

前言&#xff1a;&#xff08;Heap&#xff09;是一种特殊的完全二叉树&#xff0c;它在诸多算法中有着广泛的应用&#xff0c;本文将详细介绍Java中的堆。 ✨✨✨这里是秋刀鱼不做梦的BLOG ✨✨✨想要了解更多内容可以访问我的主页秋刀鱼不做梦-CSDN博客 先让我们看一下本文大…

生成式人工智能落地校园与课堂的15个场景

生成式人工智能正在重塑教育行业&#xff0c;为传统教学模式带来了革命性的变化。随着AI的不断演进&#xff0c;更多令人兴奋的应用场景将逐一显现&#xff0c;为学生提供更加丰富和多元的学习体验。 尽管AI在教学中的应用越来越广泛&#xff0c;但教师们也不必担心会被完全替代…

细水长流:使用Scikit-Learn实现模型的增量预测

细水长流&#xff1a;使用Scikit-Learn实现模型的增量预测 在机器学习领域&#xff0c;增量学习是一种允许模型在新数据到来时不断更新和学习的范式。Scikit-Learn&#xff08;简称sklearn&#xff09;&#xff0c;作为Python中广受欢迎的机器学习库&#xff0c;提供了一些支持…

什么是区块链

区块链&#xff0c;这个听起来既神秘又前沿的技术&#xff0c;实际上是一个结合了信息技术、密码学、分布式计算等多个领域的创新概念。通俗来说&#xff0c;区块链就像是一个由无数个小记事本&#xff08;区块&#xff09;通过特殊方式串联起来的大账本&#xff0c;每个小记事…

MySQL(事务、索引)MyBatis

目录 事务 概述 四大特性&#xff08;ACID&#xff09; 索引 结构 语法 MyBatis 数据库连接池 lombok 基本操作--增删改查 根据主键删除 新增 更新 查询&#xff08;根据ID查询&#xff09; 查询&#xff08;条件查询&#xff09; XML映射文件 动态SQL 动态条…