本系列文章跟随《MetaGPT多智能体课程》(https://github.com/datawhalechina/hugging-multi-agent),深入理解并实践多智能体系统的开发。
本文为该课程的第四章(多智能体开发)的第六篇笔记。
前文(【AI Agent系列】【MetaGPT多智能体学习】7. 剖析BabyAGI:原生多智能体案例一探究竟(附简化版可运行代码))我们已经详细拆机了多智能体案例 - BabyAGI的运行流程和原理。
本文我们来使用 MetaGPT 实现一遍BabyAGI,巩固《MetaGPT多智能体课程》的学习效果。
系列笔记
- 【AI Agent系列】【MetaGPT多智能体学习】0. 环境准备 - 升级MetaGPT 0.7.2版本及遇到的坑
- 【AI Agent系列】【MetaGPT多智能体学习】1. 再理解 AI Agent - 经典案例和热门框架综述
- 【AI Agent系列】【MetaGPT多智能体学习】2. 重温单智能体开发 - 深入源码,理解单智能体运行框架
- 【AI Agent系列】【MetaGPT多智能体学习】3. 开发一个简单的多智能体系统,兼看MetaGPT多智能体运行机制
- 【AI Agent系列】【MetaGPT多智能体学习】4. 基于MetaGPT的Team组件开发你的第一个智能体团队
- 【AI Agent系列】【MetaGPT多智能体学习】5. 多智能体案例拆解 - 基于MetaGPT的智能体辩论(附完整代码)
- 【AI Agent系列】【MetaGPT多智能体学习】6. 多智能体实战 - 基于MetaGPT实现游戏【你说我猜】(附完整代码)
- 【AI Agent系列】【MetaGPT多智能体学习】7. 剖析BabyAGI:原生多智能体案例一探究竟(附简化版可运行代码)
0. 实现思路分析
BabyAGI 可以简化为三个 Agent,分别为:
- Execution Agent 接收目标和任务,调用大模型 LLM来生成任务结果。
- Task Creation Agent 使用大模型LLM 根据目标和前一个任务的结果创建新任务。它的输入是:目标,前一个任务的结果,任务描述和当前任务列表。
- Prioritization Agent 使用大模型LLM对任务列表进行重新排序。它接受一个参数:当前任务的 ID
Agent的创建与Action的定义我们已经练习过很多次了,应该比较熟练了。个人认为用MetaGPT重构BabyAGI的主要思考点在于:
(1)怎么组织数据流,Agent需要的信息是什么
(2)怎么打通数据流,Agent间的消息如何传递
(3)一些公共的数据怎么存储,例如 objective目标、task列表
上面这三个思考点实现思路都很简单,但想调出通用性强且效果好的最终应用,比较难。下面的思考仅为各位读者提供思路,具体效果的优化需要慢慢调。
1. 编写代码
1.1 Task Creation Agent
1.1.1 Action定义
原 BabyAGI 是给定一个初始任务,先执行任务,然后再执行 TaskCreationAgent
。但其实从效果上来看,先执行的初始任务,INITIAL_TASK=Develop a task list
,其实就是一种TaskCreationAgent
。因此可以不用指定初始任务,直接根据目标先调用 TaskCreationAgent
。
因此,我在该Action定义的Prompt中,区分了一下是首次调用该Action还是有了执行结果之后的调用:if len(result) > 0:
。当第一次调用时,直接根据目标Objective生成一个任务列表。
class TaskCreation(Action): name: str = "TaskCreation" objective: str = "" async def run(self, result: str, task_description: str, task_list: str): if len(result) > 0: prompt = f""" You are to use the result from an execution agent to create new tasks with the following objective: {self.objective}. The last completed task has the result: \n{result} This result was based on this task description: {task_description}.\n """ if task_list: prompt += f"These are incomplete tasks: {task_list}\n" prompt += "Based on the result, return a list of tasks to be completed in order to meet the objective. " if task_list: prompt += "These new tasks must not overlap with incomplete tasks. " else: prompt = f""" 你需要根据给定的任务思考出一系列Tasks,以此来保证能够一步一步地实现该任务的目标。 任务为: {self.objective}. 生成的Tasks只要能实现目标就足够了,不要有其它额外的Tasks产生。 生成的Tasks确保能用文字写出来 """ prompt += """ Return one task per line in your response. The result must be a numbered list in the format: #. First task #. Second task The number of each entry must be followed by a period. If your list is empty, write "There are no tasks to add at this time." Unless your list is empty, do not include any headers before your numbered list or follow your numbered list with any other output. OUTPUT IN CHINESE """ prompt = prompt.replace(' ', '') print(f'\n*****TASK CREATION AGENT PROMPT****\n{prompt}\n') rsp = await self._aask(prompt) return rsp
1.1.2 Role定义
因为我将它放在第一个执行的位置,因此它观察环境中的用户信息:self._watch([UserRequirement])
class TaskCreationAgent(Role): name: str = "TaskCreationAgent" profile: str = "TaskCreationAgent" objective: str = "" task_list: str = "" def __init__(self, **kwargs): super().__init__(**kwargs) self.set_actions([TaskCreation(objective = self.objective)]) self._watch([UserRequirement]) async def _act(self) -> Message: logger.info(f"{self._setting}: ready to {self.rc.todo}") todo = self.rc.todo msg = self.get_memories(k=1) # 获取最近的一条记忆 result = "" task_description = "" try: result = msg[0].content.split("|")[0] task_description = msg[0].content.split("|")[1] except: result = "" task_description = "" task_creation_result = await todo.run(result = result, task_description = task_description, task_list = self.task_list) logger.info(f'TaskCreationAgent : {task_creation_result}') msg = Message(content=task_creation_result, role=self.profile, cause_by=type(todo), send_to='TaskPrioritizationAgent') self.task_list += '\n' + task_creation_result ## 需去重 return msg
重点在消息提取的过程(_act函数的实现)。根据 TaskCreation
Action的需要:
result
: 上次ExecuteAgent的执行结果task_description
: 上次 ExecuteAgent的执行任务名task_list
:这里应该是当前的所有未执行的任务列表
result
和 task_description
都是来自 ExecuteAgent
,所以让 ExecuteAgent
执行完后将消息发送过来就好。然后通过 msg = self.get_memories(k=1)
获取最近的一条消息,就是 ExecuteAgent
发过来的消息。从里面就可以提取出结果和任务名。
task_list
这里我直接将新产生的任务往里加,其实是不对的,但我懒得写了,大家自己实现吧。这里应该是当前所有的任务列表,应该每次都去一下重复的任务,同时从里面去掉 ExecuteAgent 发送过来的执行完的任务。
执行完后消息的去向:send_to='TaskPrioritizationAgent'
1.2 Prioritization Agent
1.2.1 Action定义
这个Action没啥特别注意的,直接将原 Prompt 搬过来用了。
class TaskPrioritization(Action): name: str = "TaskPrioritization" objective: str = "" PROMPT_TEMPLATE: str = """ You are tasked with prioritizing the following tasks: {tasks} Consider the ultimate objective of your team: {objective}. Tasks should be sorted from highest to lowest priority, where higher-priority tasks are those that act as pre-requisites or are more essential for meeting the objective. Do not remove any tasks. Return the ranked tasks as a numbered list in the format: #. First task #. Second task The entries must be consecutively numbered, starting with 1. The number of each entry must be followed by a period. Do not include any headers before your ranked list or follow your list with any other output. OUTPUT IN CHINESE """ async def run(self, tasks: str): prompt = self.PROMPT_TEMPLATE.format(objective = self.objective, tasks = tasks) prompt = prompt.replace(' ', '') rsp = await self._aask(prompt) return rsp
1.2.2 Role定义
该 Role的定义也比较好理解,就是观察是否有新的任务产生:self._watch([TaskCreation])
。
由于其观察的是 TaskCreation,而 TaskCreationAgent 又将消息直接发送了过来,因此 _act 函数中的 msg = self.get_memories(k=1)
其实就是获取的 TaskCreationAgent
本次的执行结果。
最后执行完,消息的去向:send_to='ExecutionAgent'
。
class TaskPrioritizationAgent(Role): name: str = "TaskPrioritizationAgent" profile: str = "TaskPrioritizationAgent" objective: str = "" def __init__(self, **kwargs): super().__init__(**kwargs) self.set_actions([TaskPrioritization(objective = self.objective)]) self._watch([TaskCreation]) async def _act(self) -> Message: logger.info(f"{self._setting}: ready to {self.rc.todo}") todo = self.rc.todo msg = self.get_memories(k=1) # 获取最新的一条记忆,TaskCreation刚刚生成的任务列表 task_prioritization_result = await todo.run(tasks = msg[0].content) logger.info(f'TaskPrioritizationAgent : {task_prioritization_result}') msg = Message(content=task_prioritization_result, role=self.profile, cause_by=type(todo), send_to='ExecutionAgent') return msg
1.3 Execution Agent
1.3.1 Action定义
该Action的定义也没什么特别的,将原 Prompt 直接搬过来就可以用。
class ExecuteAction(Action): name: str = "ExecuteAction" objective: str = "" async def run(self, context: str, task: str): prompt = f'OUTPUT IN CHINESE. Perform one task based on the following objective: {self.objective}.\n' if context: prompt += f'Take into account these previously completed tasks:\n{context}' prompt += f'\nYour task: {task}\nResponse:' prompt = prompt.replace(' ', '') print("ExecuteAction: ", prompt) rsp = await self._aask(prompt) return rsp
1.3.2 Role定义
这里 ExecutionAgent
的执行是由 TaskPrioritizationAgent
来触发的。TaskPrioritizationAgent
的消息指定发送给 ExecutionAgent
,因此 ExecutionAgent
即使不 _watch
,也会收到消息并执行。
同样地,msg = self.get_memories(k=1)
获取最新的一条消息即为 TaskPrioritizationAgent
排序好的任务列表。然后处理一下取出里面的第一个任务执行。
除了未完成的第一个任务名称外,其Action中还需要一个已经执行完的任务名称列表context
,我这里直接用 self.complete_task
存储了。这个已完成的任务名称的存储,在原 BabyAGI 中是使用的向量数据库存储,并且单独使用了一个 context_agent
来查询。本文将其简化了,直接内存中存储一下使用。
执行完成后消息的去向 send_to = "TaskCreationAgent"
。然后 TaskCreationAgent
就又可以创建新任务了。
class ExecutionAgent(Role): name: str = "ExecutionAgent" profile: str = "ExecutionAgent" objective: str = "" complete_task: str = "" def __init__(self, **kwargs): super().__init__(**kwargs) self.set_actions([ExecuteAction(objective = self.objective)]) # self._watch([UserRequirement]) async def _act(self) -> Message: logger.info(f"{self._setting}: ready to {self.rc.todo}") todo = self.rc.todo msg = self.get_memories(k=1) # 获取最新的一条记忆 # logger.info(msg) if len(msg) <= 0: print('Received empty response from priotritization agent. ') return "" new_tasks = msg[0].content.split("\n") if "\n" in msg[0].content else [msg[0].content] task_execute = "" for task_string in new_tasks: task_parts = task_string.strip().split(".", 1) if len(task_parts) == 2: task_execute = task_parts[1].strip() break # 找到第一个任务,退出循环 execute_result = await todo.run(context = self.complete_task, task = task_execute) logger.info(f'ExecutionAgent : {execute_result}') msg = Message(content=execute_result + "|" + task_execute, role=self.profile, cause_by=type(todo), send_to = "TaskCreationAgent") self.complete_task += '\n' + task_execute return msg
1.4 Environment创建
创建多智能体消息交互的环境。然后利用 publish_message
函数将第一条消息发送给 TaskCreationAgent
,让 TaskCreationAgent
开始运行。
babyAGIEnv = Environment() async def main(objective: str, n_round=10): babyAGIEnv.add_roles([ ExecutionAgent(objective = objective), TaskCreationAgent(objective = objective), TaskPrioritizationAgent(objective = objective) ]) babyAGIEnv.publish_message( Message(role="Human", content=objective, cause_by=UserRequirement, send_to='TaskCreationAgent') ) while n_round > 0: # self._save() n_round -= 1 logger.debug(f"max {n_round=} left.") run_result = await babyAGIEnv.run() # print("run_result: ", babyAGIEnv.history) return babyAGIEnv.history asyncio.run(main(objective='Plan for Solve world hunger'))
1.5 运行结果展示
(1)创建Task列表
(2)排序
(3)执行第一个任务
(4)根据第一个任务的执行结果,再创建新的任务列表
(5)循环…
画了一个简单的流程:
2. 总结
利用 MetaGPT 实现BabyAGI的任务,基本流程算是通了,还有太多需要改进的地方,大家参考下思路就好。欢迎交流。
提供几个改进点和思考:
- 本文程序没有停止程序的逻辑,需要加入。停止的逻辑可以参考原实现中的 任务列表为空,也可以是别的逻辑,例如:
- 引入人工,让人工确认是否可以停止了
- 引入另一个Agent,这个Agent接收 ExecuteAgent 的结果,用来判定是否执行结果已经足够回答刚开始的Objective问题了,如果已经足够了,则不再执行 TaskCreationAgent,直接停止程序运行
- 排序过程这里依赖大模型也会有很大的不确定性,也可以考虑引入人工,人工排序 + 删掉不必要的Task
最后,还是那个感受,打通流程很容易,但想真正落地成好用的产品,还太远太远。
- 大家好,我是同学小张,日常分享AI知识和实战案例
- 欢迎 点赞 + 关注 👏,持续学习,持续干货输出。
- 一起交流💬,一起进步💪。
- 微信公众号也可搜【同学小张】 🙏
站内文章一览