Skill
Skill Middleware 为 Eino ADK Agent 提供了 Skill 支持,使 Agent 能够动态发现和使用预定义的技能来更准确、高效地完成任务。
什么是 Skill
Skill 是包含指令、脚本和资源的文件夹,Agent 可以按需发现和使用这些 Skill 来扩展自身能力。 Skill 的核心是一个 SKILL.md 文件,包含元数据(至少需要 name 和 description)和指导 Agent 执行特定任务的说明。
my-skill/
├── SKILL.md # 必需:指令 + 元数据
├── scripts/ # 可选:可执行代码
├── references/ # 可选:参考文档
└── assets/ # 可选:模板、资源
Skill 使用**渐进式展示(Progressive Disclosure)**来高效管理上下文:
- 发现(Discovery):启动时,Agent 仅加载每个可用 Skill 的名称和描述,足以判断何时可能需要使用该 Skill
- 激活**(Activation)**:当任务匹配某个 Skill 的描述时,Agent 将完整的
SKILL.md内容读入上下文 - 执行(Execution):Agent 遵循指令执行任务,也可以根据需要加载其他文件或执行捆绑的代码这种方式让 Agent 保持快速响应,同时能够按需访问更多上下文。
💡 Ref: https://agentskills.io/home
接口介绍
FrontMatter
Skill 的元数据结构,用于在发现阶段快速展示 Skill 信息,避免加载完整内容:
type FrontMatter struct {
Name string `yaml:"name"`
Description string `yaml:"description"`
Context ContextMode `yaml:"context"`
Agent string `yaml:"agent"`
Model string `yaml:"model"`
}
| 字段 | 类型 | 说明 |
Name | string | Skill 的唯一标识符。Agent 通过此名称调用 Skill ,建议使用简短、有意义的名称(如pdf-processing、 web-research)。对应 SKILL.md 中 frontmatter 的 name字段 |
Description | string | Skill 的功能描述。这是 Agent 判断是否使用该 Skill 的关键依据,应清晰说明技 Skill 能适用的场景和能力。对应 SKILL.md 中 frontmatter 的description字段 |
Context | ContextMode | 上下文模式。可选值:fork_with_context(复制历史消息创建新 Agent 执行)、 fork(隔离上下文创建新 Agent 执行)。留空表示内联模式(直接返回 Skill 内容) |
Agent | string | 指定使用的 Agent 名称。配合Context字段使用,通过 AgentHub获取对应的 Agent 工厂函数。留空时使用默认 Agent |
Model | string | 指定使用的模型名称。通过ModelHub获取对应的模型实例。在 Context 模式下传递给 Agent 工厂;在内联模式下切换后续 ChatModel 调用使用的模型 |
ContextMode 上下文模式
const (
ContextModeFork ContextMode = "fork" // 隔离上下文
ContextModeForkWithContext ContextMode = "fork_with_context" // 复制历史消息
)
| 模式 | 说明 |
| 内联(默认) | Skill 内容直接作为工具结果返回,由当前 Agent 继续处理 |
| ForkWithContext | 创建新 Agent,复制当前对话历史,独立执行 Skill 任务后返回结果 |
| Fork | 创建新 Agent,使用隔离的上下文(仅包含 Skill 内容),独立执行后返回结果 |
Skill
完整的 Skill 结构,包含元数据和实际指令内容:
type Skill struct {
FrontMatter
Content string
BaseDirectory string
}
| 字段 | 类型 | 说明 |
FrontMatter | FrontMatter | 嵌入的元数据结构,包含Name、 Description、 Context、 Agent、 Model |
Content | string | SKILL.md 文件中 frontmatter 之后的正文内容。包含 Skill 的详细指令、工作流程、示例等,Agent 激活 Skill 后会读取此内容 |
BaseDirectory | string | Skill 目录的绝对路径。Agent 可以使用此路径访问 Skill 目录中的其他资源文件(如脚本、模板、参考文档等) |
Backend
Skill 后端接口,定义了技能的检索方式。Backend 接口将技能的存储与使用解耦,提供以下优势:
- 灵活的存储方式:技能可以存储在本地文件系统、数据库、远程服务、云存储等任意位置
- 可扩展性:团队可以根据需求实现自定义 Backend,如从 Git 仓库动态加载、从配置中心获取等
- 测试友好:可以轻松创建 Mock Backend 进行单元测试
type Backend interface {
List(ctx context.Context) ([]FrontMatter, error)
Get(ctx context.Context, name string) (Skill, error)
}
| 方法 | 说明 |
List | 列出所有可用技能的元数据。在 Agent 启动时调用,用于构建技能工具的描述信息,让 Agent 知道有哪些技能可用 |
Get | 根据名称获取完整的技能内容。当 Agent 决定使用某个技能时调用,返回包含详细指令的完整 Skill 结构 |
NewBackendFromFilesystem
基于 filesystem.Backend 接口的后端实现,在指定的目录下读取技能:
type BackendFromFilesystemConfig struct {
Backend filesystem.Backend
BaseDir string
}
func NewBackendFromFilesystem(ctx context.Context, config *BackendFromFilesystemConfig) (Backend, error)
| 字段 | 类型 | 必需 | 说明 |
| Backend | filesystem.Backend | 是 | 文件系统后端实现,用于文件操作 |
| BaseDir | string | 是 | 技能根目录的路径。会扫描此目录下的所有一级子目录,查找包含SKILL.md文件的目录作为技能 |
工作方式:
- 扫描
BaseDir下的一级子目录 - 查找每个子目录中的
SKILL.md文件 - 解析 YAML frontmatter 获取元数据
- 深层嵌套的
SKILL.md文件会被忽略
filesystem.Backend 实现
filesystem.Backend 接口有以下两种实现可供选择,详见 Middleware: FileSystem
AgentHub 和 ModelHub
当 Skill 使用 Context 模式(fork/isolate)时,需要配置 AgentHub 和 ModelHub:
// AgentHubOptions contains options passed to AgentHub.Get when creating an agent for skill execution.
type AgentHubOptions struct {
// Model is the resolved model instance when a skill specifies a "model" field in frontmatter.
// nil means the skill did not specify a model override; implementations should use their default.
Model model.ToolCallingChatModel
}
// AgentHub provides agent instances for context mode (fork/fork_with_context) execution.
type AgentHub interface {
// Get returns an Agent by name. When name is empty, implementations should return a default agent.
// The opts parameter carries skill-level overrides (e.g., model) resolved by the framework.
Get(ctx context.Context, name string, opts *AgentHubOptions) (adk.Agent, error)
}
// ModelHub 提供模型实例
type ModelHub interface {
Get(ctx context.Context, name string) (model.ToolCallingChatModel, error)
}
初始化
创建 Skill Middleware(推荐使用 NewMiddleware):
func NewMiddleware(ctx context.Context, config *Config) (adk.ChatModelAgentMiddleware, error)
Config 中配置为:
type Config struct {
// Backend 技能后端实现,必填
Backend Backend
// SkillToolName 技能工具名称,默认 "skill"
SkillToolName *string
// AgentHub 提供 Agent 工厂函数,用于 Context 模式
// 当 Skill 使用 "context: fork" 或 "context: isolate" 时必填
AgentHub AgentHub
// ModelHub 提供模型实例,用于 Skill 指定模型
ModelHub ModelHub
// CustomSystemPrompt 自定义系统提示词
CustomSystemPrompt SystemPromptFunc
// CustomToolDescription 自定义工具描述
CustomToolDescription ToolDescriptionFunc
}
| 字段 | 类型 | 必需 | 默认值 | 说明 |
Backend | Backend | 是 | 技能后端实现。负责技能的存储和检索,可使用内置的LocalBackend或自定义实现 | |
SkillToolName | *string | 否 | "skill" | 技能工具的名称。Agent 通过此名称调用技能工具。如果你的 Agent 已有同名工具,可以通过此字段自定义名称避免冲突 |
AgentHub | AgentHub | 否 | 提供 Agent 工厂函数。当 Skill 使用context: fork或 context: isolate时必填 | |
ModelHub | ModelHub | 否 | 提供模型实例。当 Skill 指定model字段时使用 | |
CustomSystemPrompt | SystemPromptFunc | 否 | 内置提示词 | 自定义系统提示词函数 |
CustomToolDescription | ToolDescriptionFunc | 否 | 内置描述 | 自定义工具描述函数 |
快速开始
以从本地加载 pdf skill 为例, 完整代码见 https://github.com/cloudwego/eino-examples/tree/main/adk/middlewares/skill。
- 在工作目录中创建 skills 目录:
workdir/
├── skills/
│ └── pdf/
│ ├── scripts
│ │ └── analyze.py
│ └── SKILL.md
└── other files
- 创建本地 filesystem backend,基于 backend 创建 Skill middleware:
import (
"github.com/cloudwego/eino/adk/middlewares/skill"
"github.com/cloudwego/eino-ext/adk/backend/local"
)
ctx := context.Background()
be, err := local.NewBackend(ctx, &local.Config{})
if err != nil {
log.Fatal(err)
}
skillBackend, err := skill.NewBackendFromFilesystem(ctx, &skill.BackendFromFilesystemConfig{
Backend: be,
BaseDir: skillsDir,
})
if err != nil {
log.Fatalf("Failed to create skill backend: %v", err)
}
sm, err := skill.NewMiddleware(ctx, &skill.Config{
Backend: skillBackend,
})
- 基于 backend 创建本地 Filesystem Middleware,供 agent 读取 skill 其他文件以及执行脚本:
import (
"github.com/cloudwego/eino/adk/middlewares/filesystem"
)
fsm, err := filesystem.New(ctx, &filesystem.MiddlewareConfig{
Backend: be,
StreamingShell: be,
})
- 创建 Agent 并配置 middlewares
agent, err := adk.NewChatModelAgent(ctx, &adk.ChatModelAgentConfig{
Name: "LogAnalysisAgent",
Description: "An agent that can analyze logs",
Instruction: "You are a helpful assistant.",
Model: cm,
Handlers: []adk.ChatModelAgentMiddleware{fsm, sm},
})
- 调用 Agent,观察结果
runner := adk.NewRunner(ctx, adk.RunnerConfig{
Agent: agent,
})
input := fmt.Sprintf("Analyze the %s file", filepath.Join(workDir, "test.log"))
log.Println("User: ", input)
iterator := runner.Query(ctx, input)
for {
event, ok := iterator.Next()
if !ok {
break
}
if event.Err != nil {
log.Printf("Error: %v\n", event.Err)
break
}
prints.Event(event)
}
agent 输出:
name: LogAnalysisAgent
path: [{LogAnalysisAgent}]
tool name: skill
arguments: {"skill":"log_analyzer"}
name: LogAnalysisAgent
path: [{LogAnalysisAgent}]
tool response: Launching skill: log_analyzer
Base directory for this skill: /Users/bytedance/go/src/github.com/cloudwego/eino-examples/adk/middlewares/skill/workdir/skills/log_analyzer
# SKILL.md content
name: LogAnalysisAgent
path: [{LogAnalysisAgent}]
tool name: execute
arguments: {"command": "python3 /Users/bytedance/go/src/github.com/cloudwego/eino-examples/adk/middlewares/skill/workdir/skills/log_analyzer/scripts/analyze.py /Users/bytedance/go/src/github.com/cloudwego/eino-examples/adk/middlewares/skill/workdir/test.log"}
name: LogAnalysisAgent
path: [{LogAnalysisAgent}]
tool response: Analysis Result for /Users/bytedance/go/src/github.com/cloudwego/eino-examples/adk/middlewares/skill/workdir/test.log:
Total Errors: 2
Total Warnings: 1
Error Details:
Line 3: [2024-05-20 10:02:15] ERROR: Database connection failed.
Line 5: [2024-05-20 10:03:05] ERROR: Connection timed out.
Warning Details:
Line 2: [2024-05-20 10:01:23] WARNING: High memory usage detected.
name: LogAnalysisAgent
path: [{LogAnalysisAgent}]
answer: Here's the analysis result of the log file:
### Summary
- **Total Errors**: 2
- **Total Warnings**: 1
### Detailed Entries
#### Errors:
1. Line 3: [2024-05-20 10:02:15] ERROR: Database connection failed.
2. Line5: [2024-05-2010:03:05] ERROR: Connection timed out.
#### Warnings:
1. Line2: [2024-05-2010:01:23] WARNING: High memory usage detected.
The log file contains critical issues related to database connectivity and a warning about memory usage. Let me know if you need further analysis!
原理
Skill middleware 向 Agent 增加 system prompt 与 skill tool,system prompt 内容如下,{tool_name} 为 skill 工具的工具名:
# Skills System
**How to Use Skills (Progressive Disclosure):**
Skills follow a **progressive disclosure** pattern - you see their name and description above, but only read full instructions when needed:
1. **Recognize when a skill applies**: Check if the user's task matches a skill's description
2. **Read the skill's full instructions**: Use the '{tool_name}' tool to load skill
3. **Follow the skill's instructions**: tool result contains step-by-step workflows, best practices, and examples
4. **Access supporting files**: Skills may include helper scripts, configs, or reference docs - use absolute paths
**When to Use Skills:**
- User's request matches a skill's domain (e.g., "research X" -> web-research skill)
- You need specialized knowledge or structured workflows
- A skill provides proven patterns for complex tasks
**Executing Skill Scripts:**
Skills may contain Python scripts or other executable files. Always use absolute paths.
**Example Workflow:**
User: "Can you research the latest developments in quantum computing?"
1. Check available skills -> See "web-research" skill
2. Call '{tool_name}' tool to read the full skill instructions
3. Follow the skill's research workflow (search -> organize -> synthesize)
4. Use any helper scripts with absolute paths
Remember: Skills make you more capable and consistent. When in doubt, check if a skill exists for the task!
Skill 工具接收需要加载 skill name,返回对应 SKILL.md 中的完整内容,在工具描述中告知 agent 所有可使用的 skill 的 name 和 description:
Execute a skill within the main conversation
<skills_instructions>
When users ask you to perform tasks, check if any of the available skills below can help complete the task more effectively. Skills provide specialized capabilities and domain knowledge.
How to invoke:
- Use this tool with the skill name only (no arguments)
- Examples:
- `skill: pdf` - invoke the pdf skill
- `skill: xlsx` - invoke the xlsx skill
- `skill: ms-office-suite:pdf` - invoke using fully qualified name
Important:
- When a skill is relevant, you must invoke this tool IMMEDIATELY as your first action
- NEVER just announce or mention a skill in your text response without actually calling this tool
- This is a BLOCKING REQUIREMENT: invoke the relevant Skill tool BEFORE generating any other response about the task
- Only use skills listed in <available_skills> below
- Do not invoke a skill that is already running
- Do not use this tool for built-in CLI commands (like /help, /clear, etc.)
</skills_instructions>
<available_skills>
{{- range .Matters }}
<skill>
<name>
{{ .Name }}
</name>
<description>
{{ .Description }}
</description>
</skill>
{{- end }}
</available_skills>
运行举例:
💡 Skill Middleware 仅提供了如上图所示的加载 SKILL.md 能力,如果 Skill 需要 agent 具备读取文件、执行脚本等能力,需要用户另外为 agent 配置。
