跳到主要内容

添加工具

在编写工具之前,先问自己:这应该是技能吗?

当能力可以表达为指令 + shell 命令 + 现有工具(arXiv 搜索、git 工作流、Docker 管理、PDF 处理)时,将其做成技能

当需要与 API 密钥、自定义处理逻辑、二进制数据处理或流式传输进行端到端集成时,将其做成工具(浏览器自动化、TTS、视觉分析)。

概述

添加工具涉及 2 个文件

  1. tools/your_tool.py — 处理器、schema、检查函数、registry.register() 调用
  2. toolsets.py — 将工具名称添加到 _HERMES_CORE_TOOLS(或特定工具集)

任何带有顶层 registry.register() 调用的 tools/*.py 文件在启动时会被自动发现 — 无需手动导入列表。

步骤 1:创建工具文件

每个工具文件遵循相同的结构:

# tools/weather_tool.py
"""Weather Tool -- look up current weather for a location."""

import json
import os
import logging

logger = logging.getLogger(__name__)


# --- Availability check ---

def check_weather_requirements() -> bool:
"""Return True if the tool's dependencies are available."""
return bool(os.getenv("WEATHER_API_KEY"))


# --- Handler ---

def weather_tool(location: str, units: str = "metric") -> str:
"""Fetch weather for a location. Returns JSON string."""
api_key = os.getenv("WEATHER_API_KEY")
if not api_key:
return json.dumps({"error": "WEATHER_API_KEY not configured"})
try:
# ... call weather API ...
return json.dumps({"location": location, "temp": 22, "units": units})
except Exception as e:
return json.dumps({"error": str(e)})


# --- Schema ---

WEATHER_SCHEMA = {
"name": "weather",
"description": "Get current weather for a location.",
"parameters": {
"type": "object",
"properties": {
"location": {
"type": "string",
"description": "City name or coordinates (e.g. 'London' or '51.5,-0.1')"
},
"units": {
"type": "string",
"enum": ["metric", "imperial"],
"description": "Temperature units (default: metric)",
"default": "metric"
}
},
"required": ["location"]
}
}


# --- Registration ---

from tools.registry import registry

registry.register(
name="weather",
toolset="weather",
schema=WEATHER_SCHEMA,
handler=lambda args, **kw: weather_tool(
location=args.get("location", ""),
units=args.get("units", "metric")),
check_fn=check_weather_requirements,
requires_env=["WEATHER_API_KEY"],
)

关键规则

重要
  • 处理器必须返回 JSON 字符串(通过 json.dumps()),永远不要返回原始字典
  • 错误必须作为 {"error": "message"} 返回,永远不要作为异常抛出
  • check_fn 在构建工具定义时调用 — 如果返回 False,工具会被静默排除
  • 处理器接收 (args: dict, **kwargs),其中 args 是 LLM 的工具调用参数

步骤 2:添加到工具集

toolsets.py 中,添加工具名称:

# 如果它应该在所有平台(CLI + 消息)上可用:
_HERMES_CORE_TOOLS = [
...
"weather", # <-- 在这里添加
]

# 或者创建新的独立工具集:
"weather": {
"description": "Weather lookup tools",
"tools": ["weather"],
"includes": []
},

步骤 3:添加发现导入(不再需要)

带有顶层 registry.register() 调用的工具模块由 tools/registry.py 中的 discover_builtin_tools() 自动发现。无需维护手动导入列表 — 只需在 tools/ 中创建你的文件,它在启动时被选中。

异步处理器

如果你的处理器需要异步代码,用 is_async=True 标记:

async def weather_tool_async(location: str) -> str:
async with aiohttp.ClientSession() as session:
...
return json.dumps(result)

registry.register(
name="weather",
toolset="weather",
schema=WEATHER_SCHEMA,
handler=lambda args, **kw: weather_tool_async(args.get("location", "")),
check_fn=check_weather_requirements,
is_async=True, # registry 自动调用 _run_async()
)

注册表透明处理异步桥接 — 你自己永远不需要调用 asyncio.run()

需要 task_id 的处理器

管理每个会话状态的工具通过 **kwargs 接收 task_id

def _handle_weather(args, **kw):
task_id = kw.get("task_id")
return weather_tool(args.get("location", ""), task_id=task_id)

registry.register(
name="weather",
...
handler=_handle_weather,
)

Agent 循环拦截的工具

某些工具(todomemorysession_searchdelegate_task)需要访问每个会话的 agent 状态。这些在到达注册表之前被 run_agent.py 拦截。注册表仍然保存它们的 schema,但如果绕过拦截,dispatch() 会返回后备错误。

可选:设置向导集成

如果你的工具需要 API 密钥,将其添加到 hermes_cli/config.py

OPTIONAL_ENV_VARS = {
...
"WEATHER_API_KEY": {
"description": "Weather API key for weather lookup",
"prompt": "Weather API key",
"url": "https://weatherapi.com/",
"tools": ["weather"],
"password": True,
},
}

清单

  • 工具文件已创建,包含处理器、schema、检查函数和注册
  • 已添加到 toolsets.py 中的适当工具集
  • 发现导入已添加到 model_tools.py
  • 处理器返回 JSON 字符串,错误作为 {"error": "..."} 返回
  • 可选:API 密钥已添加到 hermes_cli/config.py 中的 OPTIONAL_ENV_VARS
  • 可选:已添加到 toolset_distributions.py 用于批处理
  • 已用 hermes chat -q "Use the weather tool for London" 测试