Skip to content

工具

什么是工具?

在ADK框架中,工具代表为AI智能体提供的特定能力,使其能够超越核心文本生成和推理能力,执行动作并与外部世界交互。强大智能体与基础语言模型的区别,往往在于其对工具的有效运用。

从技术角度看,工具通常是模块化的代码组件——例如Python函数、类方法,甚至是另一个专用智能体——用于执行明确定义的独立任务。这些任务通常涉及与外部系统或数据的交互。

智能体工具调用示意图

核心特性

面向动作执行: 工具执行的具体操作包括: * 查询数据库 * 发起API请求(如获取天气数据、预约系统) * 网络搜索 * 执行代码片段 * 从文档中检索信息(RAG) * 与其他软件或服务交互

扩展智能体能力: 使智能体能够获取实时信息、影响外部系统,并突破其训练数据固有的知识局限。

执行预定义逻辑: 关键在于,工具执行的是开发者定义的特定逻辑。它们不像智能体核心大模型(LLM)那样具备独立推理能力。大模型负责判断使用哪个工具、何时使用以及输入参数,而工具本身仅执行其指定功能。

智能体如何使用工具

智能体通常通过函数调用等机制动态使用工具,流程一般包含以下步骤:

  1. 推理分析: 智能体的大模型解析系统指令、对话历史和用户请求
  2. 工具选择: 基于分析结果,大模型根据可用工具及其文档字符串决定是否调用工具
  3. 调用执行: 大模型生成所选工具所需参数并触发执行
  4. 结果观察: 智能体接收工具返回的输出结果
  5. 最终处理: 智能体将工具输出整合到推理流程中,形成后续响应、决定下一步操作或判断目标是否达成

可以将工具视为智能体核心(大模型)为完成复杂任务而随时调用的专用工具包。

ADK中的工具类型

ADK通过支持多种工具类型提供灵活性:

  1. 函数工具 根据应用需求自定义的工具
  2. 内置工具 框架提供的开箱即用通用工具 例如:谷歌搜索、代码执行、检索增强生成(RAG)
  3. 第三方工具 无缝集成主流外部库工具 例如:LangChain工具、CrewAI工具

请访问上述链接文档页面获取各类工具的详细说明和示例。

在智能体指令中引用工具

在智能体指令中,可通过函数名直接引用工具。若工具的函数名文档字符串描述充分,指令可重点说明大模型应在何时使用该工具,这能提升清晰度并帮助模型理解工具用途。

必须明确指导智能体处理工具可能返回的不同值。例如当工具返回错误信息时,应指定智能体应重试操作、放弃任务还是向用户请求更多信息。

此外,ADK支持工具串联使用,即一个工具的输出可作为另一个工具的输入。实现此类工作流时,需在智能体指令中描述预期的工具使用顺序以引导模型执行必要步骤。

示例

以下示例展示智能体如何通过在指令中引用函数名使用工具,同时演示如何引导智能体处理工具返回的不同值(如成功或错误信息),以及如何协调多个工具的顺序使用完成任务。

from google.adk.agents import Agent
from google.adk.tools import FunctionTool
from google.adk.runners import Runner
from google.adk.sessions import InMemorySessionService
from google.genai import types

APP_NAME="weather_sentiment_agent"
USER_ID="user1234"
SESSION_ID="1234"
MODEL_ID="gemini-2.0-flash"

# Tool 1
def get_weather_report(city: str) -> dict:
    """Retrieves the current weather report for a specified city.

    Returns:
        dict: A dictionary containing the weather information with a 'status' key ('success' or 'error') and a 'report' key with the weather details if successful, or an 'error_message' if an error occurred.
    """
    if city.lower() == "london":
        return {"status": "success", "report": "The current weather in London is cloudy with a temperature of 18 degrees Celsius and a chance of rain."}
    elif city.lower() == "paris":
        return {"status": "success", "report": "The weather in Paris is sunny with a temperature of 25 degrees Celsius."}
    else:
        return {"status": "error", "error_message": f"Weather information for '{city}' is not available."}

weather_tool = FunctionTool(func=get_weather_report)


# Tool 2
def analyze_sentiment(text: str) -> dict:
    """Analyzes the sentiment of the given text.

    Returns:
        dict: A dictionary with 'sentiment' ('positive', 'negative', or 'neutral') and a 'confidence' score.
    """
    if "good" in text.lower() or "sunny" in text.lower():
        return {"sentiment": "positive", "confidence": 0.8}
    elif "rain" in text.lower() or "bad" in text.lower():
        return {"sentiment": "negative", "confidence": 0.7}
    else:
        return {"sentiment": "neutral", "confidence": 0.6}

sentiment_tool = FunctionTool(func=analyze_sentiment)


# Agent
weather_sentiment_agent = Agent(
    model=MODEL_ID,
    name='weather_sentiment_agent',
    instruction="""You are a helpful assistant that provides weather information and analyzes the sentiment of user feedback.
**If the user asks about the weather in a specific city, use the 'get_weather_report' tool to retrieve the weather details.**
**If the 'get_weather_report' tool returns a 'success' status, provide the weather report to the user.**
**If the 'get_weather_report' tool returns an 'error' status, inform the user that the weather information for the specified city is not available and ask if they have another city in mind.**
**After providing a weather report, if the user gives feedback on the weather (e.g., 'That's good' or 'I don't like rain'), use the 'analyze_sentiment' tool to understand their sentiment.** Then, briefly acknowledge their sentiment.
You can handle these tasks sequentially if needed.""",
    tools=[weather_tool, sentiment_tool]
)

# Session and Runner
session_service = InMemorySessionService()
session = session_service.create_session(app_name=APP_NAME, user_id=USER_ID, session_id=SESSION_ID)
runner = Runner(agent=weather_sentiment_agent, app_name=APP_NAME, session_service=session_service)


# Agent Interaction
def call_agent(query):
    content = types.Content(role='user', parts=[types.Part(text=query)])
    events = runner.run(user_id=USER_ID, session_id=SESSION_ID, new_message=content)

    for event in events:
        if event.is_final_response():
            final_response = event.content.parts[0].text
            print("Agent Response: ", final_response)

call_agent("weather in london?")

工具上下文

对于高级场景,ADK允许通过在工具函数中添加特殊参数tool_context: ToolContext来访问额外上下文信息。当智能体执行过程中调用工具时,ADK将自动提供ToolContext类实例

ToolContext提供以下关键信息和控制项:

  • state: State:读取和修改当前会话状态,变更会被跟踪和持久化保存

  • actions: EventActions:影响工具运行后智能体的后续动作(如跳过总结、转接其他智能体)

  • function_call_id: str:框架为此特定工具调用分配的唯一标识符,可用于跟踪和认证响应关联。当单个模型响应中调用多个工具时尤为有用

  • function_call_event_id: str:提供触发当前工具调用的事件唯一标识符,便于跟踪和日志记录

  • auth_response: Any:若在此工具调用前完成认证流程,则包含认证响应/凭证

  • 服务访问:与已配置服务(如Artifacts和Memory)交互的方法

状态管理

tool_context.state属性提供对当前会话关联状态的直接读写访问。其行为类似字典,但能确保所有修改作为增量被跟踪并由会话服务持久化,使得工具能在不同交互和智能体步骤间维护共享信息。

  • 读取状态:使用标准字典访问方式(tool_context.state['my_key'])或.get()方法(tool_context.state.get('my_key', default_value)

  • 写入状态:直接赋值(tool_context.state['new_key'] = 'new_value'),变更会记录在结果事件的state_delta中

  • 状态前缀:记住标准状态前缀:

    • app:*:应用所有用户共享
    • user:*:当前用户所有会话专用
    • (无前缀):当前会话专用
    • temp:*:临时性,不跨调用持久化(适用于在单次运行调用内传递数据,但在工具上下文中通常用途有限)
from google.adk.tools import ToolContext, FunctionTool

def update_user_preference(preference: str, value: str, tool_context: ToolContext):
    """Updates a user-specific preference."""
    user_prefs_key = "user:preferences"
    # Get current preferences or initialize if none exist
    preferences = tool_context.state.get(user_prefs_key, {})
    preferences[preference] = value
    # Write the updated dictionary back to the state
    tool_context.state[user_prefs_key] = preferences
    print(f"Tool: Updated user preference '{preference}' to '{value}'")
    return {"status": "success", "updated_preference": preference}

pref_tool = FunctionTool(func=update_user_preference)

# In an Agent:
# my_agent = Agent(..., tools=[pref_tool])

# When the LLM calls update_user_preference(preference='theme', value='dark', ...):
# The tool_context.state will be updated, and the change will be part of the
# resulting tool response event's actions.state_delta.

控制智能体流程

tool_context.actions属性持有EventActions对象。修改其属性可影响工具执行完成后智能体或框架的行为。

  • skip_summarization: bool:(默认False)设为True时指示ADK跳过通常用于总结工具输出的LLM调用。当工具返回值已是用户就绪消息时特别有用

  • transfer_to_agent: str:设置为其他智能体名称时,框架将停止当前智能体执行并将会话控制权转移给指定智能体,使工具能动态将任务交接给更专业的智能体

  • escalate: bool:(默认False)设为True表示当前智能体无法处理请求,应向上级父智能体移交控制权(在层级结构中)。在LoopAgent中,子智能体工具设置escalate=True将终止循环

示例

from google.adk.agents import Agent
from google.adk.tools import FunctionTool
from google.adk.runners import Runner
from google.adk.sessions import InMemorySessionService
from google.adk.tools import ToolContext
from google.genai import types

APP_NAME="customer_support_agent"
USER_ID="user1234"
SESSION_ID="1234"


def check_and_transfer(query: str, tool_context: ToolContext) -> str:
    """Checks if the query requires escalation and transfers to another agent if needed."""
    if "urgent" in query.lower():
        print("Tool: Detected urgency, transferring to the support agent.")
        tool_context.actions.transfer_to_agent = "support_agent"
        return "Transferring to the support agent..."
    else:
        return f"Processed query: '{query}'. No further action needed."

escalation_tool = FunctionTool(func=check_and_transfer)

main_agent = Agent(
    model='gemini-2.0-flash',
    name='main_agent',
    instruction="""You are the first point of contact for customer support of an analytics tool. Answer general queries. If the user indicates urgency, use the 'check_and_transfer' tool.""",
    tools=[check_and_transfer]
)

support_agent = Agent(
    model='gemini-2.0-flash',
    name='support_agent',
    instruction="""You are the dedicated support agent. Mentioned you are a support handler and please help the user with their urgent issue."""
)

main_agent.sub_agents = [support_agent]

# Session and Runner
session_service = InMemorySessionService()
session = session_service.create_session(app_name=APP_NAME, user_id=USER_ID, session_id=SESSION_ID)
runner = Runner(agent=main_agent, app_name=APP_NAME, session_service=session_service)


# Agent Interaction
def call_agent(query):
    content = types.Content(role='user', parts=[types.Part(text=query)])
    events = runner.run(user_id=USER_ID, session_id=SESSION_ID, new_message=content)

    for event in events:
        if event.is_final_response():
            final_response = event.content.parts[0].text
            print("Agent Response: ", final_response)

call_agent("this is urgent, i cant login")
说明
  • 定义两个智能体:main_agentsupport_agent,其中main_agent设计为初始接触点
  • main_agent调用check_and_transfer工具时,会检查用户查询
  • 若查询含"urgent"字样,工具访问tool_context(特别是tool_context.actions)并将transfer_to_agent属性设为support_agent
  • 该操作指示框架将会话控制权转移给名为support_agent的智能体
  • main_agent处理紧急查询时,check_and_transfer工具触发转移,后续响应理想情况下应来自support_agent
  • 对于不含紧急字样的普通查询,工具仅处理而不触发转移

此例展示工具如何通过ToolContext中的EventActions动态影响会话流向,将控制权转移给其他专业智能体。

认证机制

ToolContext为需要与认证API交互的工具提供支持:

  • auth_response:若框架在调用工具前已完成认证处理,则包含凭证(如令牌)(常见于RestApiTool和OpenAPI安全方案)

  • request_credential(auth_config: dict):当工具判定需要认证但凭证不可用时调用此方法,指示框架基于提供的auth_config启动认证流程

  • get_auth_response():在后续调用中(request_credential成功处理后)调用以获取用户提供的凭证

有关认证流程、配置和示例的详细说明,请参阅专门的工具认证文档页面。

上下文感知数据访问方法

这些方法为工具提供与会话或用户关联持久化数据交互的便捷途径,由配置服务管理:

  • list_artifacts():返回artifact_service中当前为会话存储的所有文件(或键)名列表。工件通常是用户上传或由工具/智能体生成的文件(如图像、文档等)

  • load_artifact(filename: str):从artifact_service按文件名检索特定工件,可指定版本(默认返回最新版)。返回包含工件数据和MIME类型的google.genai.types.Part对象,未找到时返回None

  • save_artifact(filename: str, artifact: types.Part):向artifact_service保存工件新版本,返回新版本号(从0开始)

  • search_memory(query: str):使用配置的memory_service查询用户长期记忆,适用于从过往交互或存储知识中检索相关信息。SearchMemoryResponse结构取决于具体记忆服务实现,通常包含相关文本片段或对话摘录

示例

from google.adk.tools import ToolContext, FunctionTool
from google.genai import types

def process_document(document_name: str, analysis_query: str, tool_context: ToolContext) -> dict:
    """Analyzes a document using context from memory."""

    # 1. Load the artifact
    print(f"Tool: Attempting to load artifact: {document_name}")
    document_part = tool_context.load_artifact(document_name)

    if not document_part:
        return {"status": "error", "message": f"Document '{document_name}' not found."}

    document_text = document_part.text # Assuming it's text for simplicity
    print(f"Tool: Loaded document '{document_name}' ({len(document_text)} chars).")

    # 2. Search memory for related context
    print(f"Tool: Searching memory for context related to: '{analysis_query}'")
    memory_response = tool_context.search_memory(f"Context for analyzing document about {analysis_query}")
    memory_context = "\n".join([m.events[0].content.parts[0].text for m in memory_response.memories if m.events and m.events[0].content]) # Simplified extraction
    print(f"Tool: Found memory context: {memory_context[:100]}...")

    # 3. Perform analysis (placeholder)
    analysis_result = f"Analysis of '{document_name}' regarding '{analysis_query}' using memory context: [Placeholder Analysis Result]"
    print("Tool: Performed analysis.")

    # 4. Save the analysis result as a new artifact
    analysis_part = types.Part.from_text(text=analysis_result)
    new_artifact_name = f"analysis_{document_name}"
    version = tool_context.save_artifact(new_artifact_name, analysis_part)
    print(f"Tool: Saved analysis result as '{new_artifact_name}' version {version}.")

    return {"status": "success", "analysis_artifact": new_artifact_name, "version": version}

doc_analysis_tool = FunctionTool(func=process_document)

# In an Agent:
# Assume artifact 'report.txt' was previously saved.
# Assume memory service is configured and has relevant past data.
# my_agent = Agent(..., tools=[doc_analysis_tool], artifact_service=..., memory_service=...)

通过利用ToolContext,开发者可创建更复杂、具备上下文感知的自定义工具,无缝集成ADK架构并增强智能体整体能力。

定义高效的工具函数

当使用标准Python函数作为ADK工具时,其定义方式显著影响智能体的正确使用能力。智能体的大模型(LLM)高度依赖函数的名称参数类型提示文档字符串来理解其用途并生成正确调用。

以下是定义高效工具函数的关键准则:

  • 函数命名:

    • 使用能明确指示动作的描述性动名词组合(如get_weathersearch_documentsschedule_meeting
    • 避免通用名称(如runprocesshandle_data)或过度模糊的名称(如do_stuff)。即使描述充分,像do_stuff这样的名称也可能让模型困惑何时使用该工具而非cancel_flight
    • 大模型在工具选择阶段将函数名作为主要标识符
  • 参数设计:

    • 函数可包含任意数量参数
    • 使用清晰描述性名称(如用city而非c,用search_query而非q
    • 为所有参数提供类型提示(如city: struser_id: intitems: list[str]),这对ADK生成LLM正确模式至关重要
    • 确保所有参数类型可JSON序列化。标准Python类型(strintfloatboollistdict及其组合)通常安全。避免直接使用复杂自定义类实例除非有明确JSON表示
    • 不要设置参数默认值(如def my_func(param1: str = "default"))。底层模型生成函数调用时不可靠支持或使用默认值,所有必要信息应由LLM从上下文推导或显式请求
  • 返回类型:

    • 函数返回值必须是字典(dict
    • 若函数返回非字典类型(如字符串、数字、列表),ADK框架会自动将其包装为{'result': your_original_return_value}格式再传回模型
    • 设计字典键值时应便于LLM理解,模型依赖此输出决定后续步骤
    • 包含有意义的键。例如不应仅返回500错误码,而应返回{'status': 'error', 'error_message': 'Database connection failed'}
    • 强烈建议包含status键(如'success''error''pending''ambiguous')以向模型清晰指示工具执行结果
  • 文档字符串:

    • 这是关键。文档字符串是LLM获取描述信息的主要来源
    • 明确说明工具功能,具体描述其用途和限制
    • 解释使用时机,提供上下文或示例场景引导LLM决策
    • 清晰说明每个参数,解释LLM需要为该参数提供哪些信息
    • 描述dict返回值的结构和含义,特别是不同的status值及相关数据键

    良好定义示例:

    def lookup_order_status(order_id: str) -> dict:
      """根据订单ID查询客户订单当前状态。
    
      仅当用户明确询问特定订单状态且提供订单ID时使用本工具。
      不适用于一般查询。
    
      参数:
          order_id: 要查询订单的唯一标识符
    
      返回:
          包含订单状态的字典。
          可能状态:'已发货'、'处理中'、'待处理'、'错误'。
          成功示例:{'status': '已发货', 'tracking_number': '1Z9...'}
          错误示例:{'status': '错误', 'error_message': '未找到订单ID'}
      """
      # ... 从后端获取状态的实现代码 ...
      if status := fetch_status_from_backend(order_id):
           return {"status": status.state, "tracking_number": status.tracking} # 示例结构
      else:
           return {"status": "错误", "error_message": f"未找到订单ID {order_id}"}
    
  • 简洁性与专注性:

    • 保持工具专注:每个工具理想情况下应执行一个明确定义的任务
    • 参数宜少不宜多:模型通常能更可靠地处理参数较少且定义明确的工具
    • 使用简单数据类型:尽可能选用基础类型(strintboolfloatList[str]等)而非复杂自定义类或深层嵌套结构作为参数
    • 分解复杂任务:将执行多个逻辑步骤的函数拆分为更小更专注的工具。例如用update_user_name(name: str)update_user_address(address: str)update_user_preferences(preferences: list[str])等独立工具替代单一的update_user_profile(profile: ProfileObject)工具,便于LLM准确选择和使用功能

遵循这些准则可为LLM提供清晰结构和所需信息,使其能有效利用自定义函数工具,从而形成更强大可靠的智能体行为。