fix: publish llm-task docs and harden tool
This commit is contained in:
@@ -5,6 +5,7 @@ Docs: https://docs.clawd.bot
|
|||||||
## 2026.1.23 (Unreleased)
|
## 2026.1.23 (Unreleased)
|
||||||
|
|
||||||
### Changes
|
### Changes
|
||||||
|
- Plugins: add optional llm-task JSON-only tool for workflows. (#1498) Thanks @vignesh07.
|
||||||
- CLI: restart the gateway by default after `clawdbot update`; add `--no-restart` to skip it.
|
- CLI: restart the gateway by default after `clawdbot update`; add `--no-restart` to skip it.
|
||||||
- CLI: add live auth probes to `clawdbot models status` for per-profile verification.
|
- CLI: add live auth probes to `clawdbot models status` for per-profile verification.
|
||||||
- Agents: add Bedrock auto-discovery defaults + config overrides. (#1553) Thanks @fal3.
|
- Agents: add Bedrock auto-discovery defaults + config overrides. (#1553) Thanks @fal3.
|
||||||
|
|||||||
@@ -1000,6 +1000,8 @@
|
|||||||
"group": "Tools & Skills",
|
"group": "Tools & Skills",
|
||||||
"pages": [
|
"pages": [
|
||||||
"tools",
|
"tools",
|
||||||
|
"tools/lobster",
|
||||||
|
"tools/llm-task",
|
||||||
"plugin",
|
"plugin",
|
||||||
"plugins/voice-call",
|
"plugins/voice-call",
|
||||||
"plugins/zalouser",
|
"plugins/zalouser",
|
||||||
|
|||||||
@@ -160,6 +160,7 @@ alongside tools (for example, the voice-call plugin).
|
|||||||
|
|
||||||
Optional plugin tools:
|
Optional plugin tools:
|
||||||
- [Lobster](/tools/lobster): typed workflow runtime with resumable approvals (requires the Lobster CLI on the gateway host).
|
- [Lobster](/tools/lobster): typed workflow runtime with resumable approvals (requires the Lobster CLI on the gateway host).
|
||||||
|
- [LLM Task](/tools/llm-task): JSON-only LLM step for structured workflow output (optional schema validation).
|
||||||
|
|
||||||
## Tool inventory
|
## Tool inventory
|
||||||
|
|
||||||
|
|||||||
114
docs/tools/llm-task.md
Normal file
114
docs/tools/llm-task.md
Normal file
@@ -0,0 +1,114 @@
|
|||||||
|
---
|
||||||
|
summary: "JSON-only LLM tasks for workflows (optional plugin tool)"
|
||||||
|
read_when:
|
||||||
|
- You want a JSON-only LLM step inside workflows
|
||||||
|
- You need schema-validated LLM output for automation
|
||||||
|
---
|
||||||
|
|
||||||
|
# LLM Task
|
||||||
|
|
||||||
|
`llm-task` is an **optional plugin tool** that runs a JSON-only LLM task and
|
||||||
|
returns structured output (optionally validated against JSON Schema).
|
||||||
|
|
||||||
|
This is ideal for workflow engines like Lobster: you can add a single LLM step
|
||||||
|
without writing custom Clawdbot code for each workflow.
|
||||||
|
|
||||||
|
## Enable the plugin
|
||||||
|
|
||||||
|
1) Enable the plugin:
|
||||||
|
|
||||||
|
```json
|
||||||
|
{
|
||||||
|
"plugins": {
|
||||||
|
"entries": {
|
||||||
|
"llm-task": { "enabled": true }
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
2) Allowlist the tool (it is registered with `optional: true`):
|
||||||
|
|
||||||
|
```json
|
||||||
|
{
|
||||||
|
"agents": {
|
||||||
|
"list": [
|
||||||
|
{
|
||||||
|
"id": "main",
|
||||||
|
"tools": { "allow": ["llm-task"] }
|
||||||
|
}
|
||||||
|
]
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
## Config (optional)
|
||||||
|
|
||||||
|
```json
|
||||||
|
{
|
||||||
|
"plugins": {
|
||||||
|
"entries": {
|
||||||
|
"llm-task": {
|
||||||
|
"enabled": true,
|
||||||
|
"config": {
|
||||||
|
"defaultProvider": "openai-codex",
|
||||||
|
"defaultModel": "gpt-5.2",
|
||||||
|
"defaultAuthProfileId": "main",
|
||||||
|
"allowedModels": ["openai-codex/gpt-5.2"],
|
||||||
|
"maxTokens": 800,
|
||||||
|
"timeoutMs": 30000
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
`allowedModels` is an allowlist of `provider/model` strings. If set, any request
|
||||||
|
outside the list is rejected.
|
||||||
|
|
||||||
|
## Tool parameters
|
||||||
|
|
||||||
|
- `prompt` (string, required)
|
||||||
|
- `input` (any, optional)
|
||||||
|
- `schema` (object, optional JSON Schema)
|
||||||
|
- `provider` (string, optional)
|
||||||
|
- `model` (string, optional)
|
||||||
|
- `authProfileId` (string, optional)
|
||||||
|
- `temperature` (number, optional)
|
||||||
|
- `maxTokens` (number, optional)
|
||||||
|
- `timeoutMs` (number, optional)
|
||||||
|
|
||||||
|
## Output
|
||||||
|
|
||||||
|
Returns `details.json` containing the parsed JSON (and validates against
|
||||||
|
`schema` when provided).
|
||||||
|
|
||||||
|
## Example: Lobster workflow step
|
||||||
|
|
||||||
|
```lobster
|
||||||
|
clawd.invoke --tool llm-task --action json --args-json '{
|
||||||
|
"prompt": "Given the input email, return intent and draft.",
|
||||||
|
"input": {
|
||||||
|
"subject": "Hello",
|
||||||
|
"body": "Can you help?"
|
||||||
|
},
|
||||||
|
"schema": {
|
||||||
|
"type": "object",
|
||||||
|
"properties": {
|
||||||
|
"intent": { "type": "string" },
|
||||||
|
"draft": { "type": "string" }
|
||||||
|
},
|
||||||
|
"required": ["intent", "draft"],
|
||||||
|
"additionalProperties": false
|
||||||
|
}
|
||||||
|
}'
|
||||||
|
```
|
||||||
|
|
||||||
|
## Safety notes
|
||||||
|
|
||||||
|
- The tool is **JSON-only** and instructs the model to output only JSON (no
|
||||||
|
code fences, no commentary).
|
||||||
|
- No tools are exposed to the model for this run.
|
||||||
|
- Treat output as untrusted unless you validate with `schema`.
|
||||||
|
- Put approvals before any side-effecting step (send, post, exec).
|
||||||
@@ -65,6 +65,52 @@ gog.gmail.search --query 'newer_than:1d' \
|
|||||||
| clawd.invoke --tool message --action send --each --item-key message --args-json '{"provider":"telegram","to":"..."}'
|
| clawd.invoke --tool message --action send --each --item-key message --args-json '{"provider":"telegram","to":"..."}'
|
||||||
```
|
```
|
||||||
|
|
||||||
|
## JSON-only LLM steps (llm-task)
|
||||||
|
|
||||||
|
For workflows that need a **structured LLM step**, enable the optional
|
||||||
|
`llm-task` plugin tool and call it from Lobster. This keeps the workflow
|
||||||
|
deterministic while still letting you classify/summarize/draft with a model.
|
||||||
|
|
||||||
|
Enable the tool:
|
||||||
|
|
||||||
|
```json
|
||||||
|
{
|
||||||
|
"plugins": {
|
||||||
|
"entries": {
|
||||||
|
"llm-task": { "enabled": true }
|
||||||
|
}
|
||||||
|
},
|
||||||
|
"agents": {
|
||||||
|
"list": [
|
||||||
|
{
|
||||||
|
"id": "main",
|
||||||
|
"tools": { "allow": ["llm-task"] }
|
||||||
|
}
|
||||||
|
]
|
||||||
|
}
|
||||||
|
}
|
||||||
|
```
|
||||||
|
|
||||||
|
Use it in a pipeline:
|
||||||
|
|
||||||
|
```lobster
|
||||||
|
clawd.invoke --tool llm-task --action json --args-json '{
|
||||||
|
"prompt": "Given the input email, return intent and draft.",
|
||||||
|
"input": { "subject": "Hello", "body": "Can you help?" },
|
||||||
|
"schema": {
|
||||||
|
"type": "object",
|
||||||
|
"properties": {
|
||||||
|
"intent": { "type": "string" },
|
||||||
|
"draft": { "type": "string" }
|
||||||
|
},
|
||||||
|
"required": ["intent", "draft"],
|
||||||
|
"additionalProperties": false
|
||||||
|
}
|
||||||
|
}'
|
||||||
|
```
|
||||||
|
|
||||||
|
See [LLM Task](/tools/llm-task) for details and configuration options.
|
||||||
|
|
||||||
## Workflow files (.lobster)
|
## Workflow files (.lobster)
|
||||||
|
|
||||||
Lobster can run YAML/JSON workflow files with `name`, `args`, `steps`, `env`, `condition`, and `approval` fields. In Clawdbot tool calls, set `pipeline` to the file path.
|
Lobster can run YAML/JSON workflow files with `name`, `args`, `steps`, `env`, `condition`, and `approval` fields. In Clawdbot tool calls, set `pipeline` to the file path.
|
||||||
|
|||||||
@@ -1,8 +1,10 @@
|
|||||||
# LLM Task (plugin)
|
# LLM Task (plugin)
|
||||||
|
|
||||||
Adds an **optional** agent tool `llm-task` for running **JSON-only** LLM tasks (drafting, summarizing, classifying) with optional JSON Schema validation.
|
Adds an **optional** agent tool `llm-task` for running **JSON-only** LLM tasks
|
||||||
|
(drafting, summarizing, classifying) with optional JSON Schema validation.
|
||||||
|
|
||||||
This is designed to be called from workflow engines (e.g. Lobster via `clawd.invoke --each`) without adding new Clawdbot code per workflow.
|
Designed to be called from workflow engines (for example, Lobster via
|
||||||
|
`clawd.invoke --each`) without adding new Clawdbot code per workflow.
|
||||||
|
|
||||||
## Enable
|
## Enable
|
||||||
|
|
||||||
@@ -44,6 +46,7 @@ This is designed to be called from workflow engines (e.g. Lobster via `clawd.inv
|
|||||||
"config": {
|
"config": {
|
||||||
"defaultProvider": "openai-codex",
|
"defaultProvider": "openai-codex",
|
||||||
"defaultModel": "gpt-5.2",
|
"defaultModel": "gpt-5.2",
|
||||||
|
"defaultAuthProfileId": "main",
|
||||||
"allowedModels": ["openai-codex/gpt-5.2"],
|
"allowedModels": ["openai-codex/gpt-5.2"],
|
||||||
"maxTokens": 800,
|
"maxTokens": 800,
|
||||||
"timeoutMs": 30000
|
"timeoutMs": 30000
|
||||||
@@ -54,7 +57,8 @@ This is designed to be called from workflow engines (e.g. Lobster via `clawd.inv
|
|||||||
}
|
}
|
||||||
```
|
```
|
||||||
|
|
||||||
`allowedModels` is an allowlist of `provider/model` strings. If set, any request outside the list is rejected.
|
`allowedModels` is an allowlist of `provider/model` strings. If set, any request
|
||||||
|
outside the list is rejected.
|
||||||
|
|
||||||
## Tool API
|
## Tool API
|
||||||
|
|
||||||
@@ -72,15 +76,22 @@ This is designed to be called from workflow engines (e.g. Lobster via `clawd.inv
|
|||||||
|
|
||||||
### Output
|
### Output
|
||||||
|
|
||||||
Returns `details.json` containing the parsed JSON (and validates against `schema` when provided).
|
Returns `details.json` containing the parsed JSON (and validates against
|
||||||
|
`schema` when provided).
|
||||||
|
|
||||||
## Notes
|
## Notes
|
||||||
|
|
||||||
- The tool is **JSON-only** and instructs the model to output only JSON (no code fences, no commentary).
|
- The tool is **JSON-only** and instructs the model to output only JSON
|
||||||
- Side effects should be handled outside this tool (e.g. approvals in Lobster) before calling tools that send messages/emails.
|
(no code fences, no commentary).
|
||||||
|
- No tools are exposed to the model for this run.
|
||||||
|
- Side effects should be handled outside this tool (for example, approvals in
|
||||||
|
Lobster) before calling tools that send messages/emails.
|
||||||
|
|
||||||
## Bundled extension note
|
## Bundled extension note
|
||||||
|
|
||||||
This extension depends on Clawdbot internal modules (the embedded agent runner). It is intended to ship as a **bundled** Clawdbot extension (like `lobster`) and be enabled via `plugins.entries` + tool allowlists.
|
This extension depends on Clawdbot internal modules (the embedded agent runner).
|
||||||
|
It is intended to ship as a **bundled** Clawdbot extension (like `lobster`) and
|
||||||
|
be enabled via `plugins.entries` + tool allowlists.
|
||||||
|
|
||||||
It is **not** currently designed to be copied into `~/.clawdbot/extensions` as a standalone plugin directory.
|
It is **not** currently designed to be copied into
|
||||||
|
`~/.clawdbot/extensions` as a standalone plugin directory.
|
||||||
|
|||||||
@@ -1,5 +1,7 @@
|
|||||||
|
import type { ClawdbotPluginApi } from "../../src/plugins/types.js";
|
||||||
|
|
||||||
import { createLlmTaskTool } from "./src/llm-task-tool.js";
|
import { createLlmTaskTool } from "./src/llm-task-tool.js";
|
||||||
|
|
||||||
export default function (api: any) {
|
export default function register(api: ClawdbotPluginApi) {
|
||||||
api.registerTool(createLlmTaskTool(api), { optional: true });
|
api.registerTool(createLlmTaskTool(api), { optional: true });
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -1,7 +1,11 @@
|
|||||||
{
|
{
|
||||||
"name": "@clawdbot/llm-task",
|
"name": "@clawdbot/llm-task",
|
||||||
"private": true,
|
"version": "2026.1.23",
|
||||||
"type": "module",
|
"type": "module",
|
||||||
"main": "index.ts",
|
"description": "Clawdbot JSON-only LLM task plugin",
|
||||||
"version": "0.0.0"
|
"clawdbot": {
|
||||||
|
"extensions": [
|
||||||
|
"./index.ts"
|
||||||
|
]
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -39,6 +39,16 @@ describe("llm-task tool (json-only)", () => {
|
|||||||
expect((res as any).details.json).toEqual({ foo: "bar" });
|
expect((res as any).details.json).toEqual({ foo: "bar" });
|
||||||
});
|
});
|
||||||
|
|
||||||
|
it("strips fenced json", async () => {
|
||||||
|
(runEmbeddedPiAgent as any).mockResolvedValueOnce({
|
||||||
|
meta: {},
|
||||||
|
payloads: [{ text: "```json\n{\"ok\":true}\n```" }],
|
||||||
|
});
|
||||||
|
const tool = createLlmTaskTool(fakeApi() as any);
|
||||||
|
const res = await tool.execute("id", { prompt: "return ok" });
|
||||||
|
expect((res as any).details.json).toEqual({ ok: true });
|
||||||
|
});
|
||||||
|
|
||||||
it("validates schema", async () => {
|
it("validates schema", async () => {
|
||||||
(runEmbeddedPiAgent as any).mockResolvedValueOnce({
|
(runEmbeddedPiAgent as any).mockResolvedValueOnce({
|
||||||
meta: {},
|
meta: {},
|
||||||
@@ -93,4 +103,15 @@ describe("llm-task tool (json-only)", () => {
|
|||||||
/not allowed/i,
|
/not allowed/i,
|
||||||
);
|
);
|
||||||
});
|
});
|
||||||
|
|
||||||
|
it("disables tools for embedded run", async () => {
|
||||||
|
(runEmbeddedPiAgent as any).mockResolvedValueOnce({
|
||||||
|
meta: {},
|
||||||
|
payloads: [{ text: JSON.stringify({ ok: true }) }],
|
||||||
|
});
|
||||||
|
const tool = createLlmTaskTool(fakeApi() as any);
|
||||||
|
await tool.execute("id", { prompt: "x" });
|
||||||
|
const call = (runEmbeddedPiAgent as any).mock.calls[0]?.[0];
|
||||||
|
expect(call.disableTools).toBe(true);
|
||||||
|
});
|
||||||
});
|
});
|
||||||
|
|||||||
@@ -12,7 +12,7 @@ import { Type } from "@sinclair/typebox";
|
|||||||
|
|
||||||
import type { ClawdbotPluginApi } from "../../../src/plugins/types.js";
|
import type { ClawdbotPluginApi } from "../../../src/plugins/types.js";
|
||||||
|
|
||||||
type RunEmbeddedPiAgentFn = (params: any) => Promise<any>;
|
type RunEmbeddedPiAgentFn = (params: Record<string, unknown>) => Promise<unknown>;
|
||||||
|
|
||||||
async function loadRunEmbeddedPiAgent(): Promise<RunEmbeddedPiAgentFn> {
|
async function loadRunEmbeddedPiAgent(): Promise<RunEmbeddedPiAgentFn> {
|
||||||
// Source checkout (tests/dev)
|
// Source checkout (tests/dev)
|
||||||
@@ -33,7 +33,7 @@ async function loadRunEmbeddedPiAgent(): Promise<RunEmbeddedPiAgentFn> {
|
|||||||
|
|
||||||
function stripCodeFences(s: string): string {
|
function stripCodeFences(s: string): string {
|
||||||
const trimmed = s.trim();
|
const trimmed = s.trim();
|
||||||
const m = trimmed.match(/^```(?:json)?s*([sS]*?)s*```$/i);
|
const m = trimmed.match(/^```(?:json)?\s*([\s\S]*?)\s*```$/i);
|
||||||
if (m) return (m[1] ?? "").trim();
|
if (m) return (m[1] ?? "").trim();
|
||||||
return trimmed;
|
return trimmed;
|
||||||
}
|
}
|
||||||
@@ -42,7 +42,7 @@ function collectText(payloads: Array<{ text?: string; isError?: boolean }> | und
|
|||||||
const texts = (payloads ?? [])
|
const texts = (payloads ?? [])
|
||||||
.filter((p) => !p.isError && typeof p.text === "string")
|
.filter((p) => !p.isError && typeof p.text === "string")
|
||||||
.map((p) => p.text ?? "");
|
.map((p) => p.text ?? "");
|
||||||
return texts.join("n").trim();
|
return texts.join("\n").trim();
|
||||||
}
|
}
|
||||||
|
|
||||||
function toModelKey(provider?: string, model?: string): string | undefined {
|
function toModelKey(provider?: string, model?: string): string | undefined {
|
||||||
@@ -135,6 +135,12 @@ export function createLlmTaskTool(api: ClawdbotPluginApi) {
|
|||||||
};
|
};
|
||||||
|
|
||||||
const input = (params as any).input as unknown;
|
const input = (params as any).input as unknown;
|
||||||
|
let inputJson: string;
|
||||||
|
try {
|
||||||
|
inputJson = JSON.stringify(input ?? null, null, 2);
|
||||||
|
} catch {
|
||||||
|
throw new Error("input must be JSON-serializable");
|
||||||
|
}
|
||||||
|
|
||||||
const system = [
|
const system = [
|
||||||
"You are a JSON-only function.",
|
"You are a JSON-only function.",
|
||||||
@@ -144,57 +150,69 @@ export function createLlmTaskTool(api: ClawdbotPluginApi) {
|
|||||||
"Do not call tools.",
|
"Do not call tools.",
|
||||||
].join(" ");
|
].join(" ");
|
||||||
|
|
||||||
const fullPrompt = `${system}nnTASK:n${prompt}nnINPUT_JSON:n${JSON.stringify(input ?? null, null, 2)}n`;
|
const fullPrompt = `${system}\n\nTASK:\n${prompt}\n\nINPUT_JSON:\n${inputJson}\n`;
|
||||||
|
|
||||||
const tmpDir = await fs.mkdtemp(path.join(os.tmpdir(), "clawdbot-llm-task-"));
|
let tmpDir: string | null = null;
|
||||||
const sessionId = `llm-task-${Date.now()}`;
|
|
||||||
const sessionFile = path.join(tmpDir, "session.json");
|
|
||||||
|
|
||||||
const runEmbeddedPiAgent = await loadRunEmbeddedPiAgent();
|
|
||||||
|
|
||||||
const result = await runEmbeddedPiAgent({
|
|
||||||
sessionId,
|
|
||||||
sessionFile,
|
|
||||||
workspaceDir: api.config?.agents?.defaults?.workspace ?? process.cwd(),
|
|
||||||
config: api.config,
|
|
||||||
prompt: fullPrompt,
|
|
||||||
timeoutMs,
|
|
||||||
runId: `llm-task-${Date.now()}`,
|
|
||||||
provider,
|
|
||||||
model,
|
|
||||||
authProfileId,
|
|
||||||
authProfileIdSource: authProfileId ? "user" : "auto",
|
|
||||||
streamParams,
|
|
||||||
});
|
|
||||||
|
|
||||||
const text = collectText((result as any).payloads);
|
|
||||||
if (!text) throw new Error("LLM returned empty output");
|
|
||||||
|
|
||||||
const raw = stripCodeFences(text);
|
|
||||||
let parsed: unknown;
|
|
||||||
try {
|
try {
|
||||||
parsed = JSON.parse(raw);
|
tmpDir = await fs.mkdtemp(path.join(os.tmpdir(), "clawdbot-llm-task-"));
|
||||||
} catch {
|
const sessionId = `llm-task-${Date.now()}`;
|
||||||
throw new Error("LLM returned invalid JSON");
|
const sessionFile = path.join(tmpDir, "session.json");
|
||||||
}
|
|
||||||
|
|
||||||
const schema = (params as any).schema as unknown;
|
const runEmbeddedPiAgent = await loadRunEmbeddedPiAgent();
|
||||||
if (schema && typeof schema === "object") {
|
|
||||||
const ajv = new Ajv({ allErrors: true, strict: false });
|
const result = await runEmbeddedPiAgent({
|
||||||
const validate = ajv.compile(schema as any);
|
sessionId,
|
||||||
const ok = validate(parsed);
|
sessionFile,
|
||||||
if (!ok) {
|
workspaceDir: api.config?.agents?.defaults?.workspace ?? process.cwd(),
|
||||||
const msg =
|
config: api.config,
|
||||||
validate.errors?.map((e) => `${e.instancePath || "<root>"} ${e.message || "invalid"}`).join("; ") ??
|
prompt: fullPrompt,
|
||||||
"invalid";
|
timeoutMs,
|
||||||
throw new Error(`LLM JSON did not match schema: ${msg}`);
|
runId: `llm-task-${Date.now()}`,
|
||||||
|
provider,
|
||||||
|
model,
|
||||||
|
authProfileId,
|
||||||
|
authProfileIdSource: authProfileId ? "user" : "auto",
|
||||||
|
streamParams,
|
||||||
|
disableTools: true,
|
||||||
|
});
|
||||||
|
|
||||||
|
const text = collectText((result as any).payloads);
|
||||||
|
if (!text) throw new Error("LLM returned empty output");
|
||||||
|
|
||||||
|
const raw = stripCodeFences(text);
|
||||||
|
let parsed: unknown;
|
||||||
|
try {
|
||||||
|
parsed = JSON.parse(raw);
|
||||||
|
} catch {
|
||||||
|
throw new Error("LLM returned invalid JSON");
|
||||||
|
}
|
||||||
|
|
||||||
|
const schema = (params as any).schema as unknown;
|
||||||
|
if (schema && typeof schema === "object" && !Array.isArray(schema)) {
|
||||||
|
const ajv = new Ajv({ allErrors: true, strict: false });
|
||||||
|
const validate = ajv.compile(schema as any);
|
||||||
|
const ok = validate(parsed);
|
||||||
|
if (!ok) {
|
||||||
|
const msg =
|
||||||
|
validate.errors?.map((e) => `${e.instancePath || "<root>"} ${e.message || "invalid"}`).join("; ") ??
|
||||||
|
"invalid";
|
||||||
|
throw new Error(`LLM JSON did not match schema: ${msg}`);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
return {
|
||||||
|
content: [{ type: "text", text: JSON.stringify(parsed, null, 2) }],
|
||||||
|
details: { json: parsed, provider, model },
|
||||||
|
};
|
||||||
|
} finally {
|
||||||
|
if (tmpDir) {
|
||||||
|
try {
|
||||||
|
await fs.rm(tmpDir, { recursive: true, force: true });
|
||||||
|
} catch {
|
||||||
|
// ignore
|
||||||
|
}
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
return {
|
|
||||||
content: [{ type: "text", text: JSON.stringify(parsed, null, 2) }],
|
|
||||||
details: { json: parsed, provider, model },
|
|
||||||
};
|
|
||||||
},
|
},
|
||||||
};
|
};
|
||||||
}
|
}
|
||||||
|
|||||||
@@ -273,6 +273,7 @@ export async function runEmbeddedPiAgent(
|
|||||||
skillsSnapshot: params.skillsSnapshot,
|
skillsSnapshot: params.skillsSnapshot,
|
||||||
prompt,
|
prompt,
|
||||||
images: params.images,
|
images: params.images,
|
||||||
|
disableTools: params.disableTools,
|
||||||
provider,
|
provider,
|
||||||
modelId,
|
modelId,
|
||||||
model,
|
model,
|
||||||
|
|||||||
@@ -196,30 +196,32 @@ export async function runEmbeddedAttempt(
|
|||||||
|
|
||||||
// Check if the model supports native image input
|
// Check if the model supports native image input
|
||||||
const modelHasVision = params.model.input?.includes("image") ?? false;
|
const modelHasVision = params.model.input?.includes("image") ?? false;
|
||||||
const toolsRaw = createClawdbotCodingTools({
|
const toolsRaw = params.disableTools
|
||||||
exec: {
|
? []
|
||||||
...params.execOverrides,
|
: createClawdbotCodingTools({
|
||||||
elevated: params.bashElevated,
|
exec: {
|
||||||
},
|
...params.execOverrides,
|
||||||
sandbox,
|
elevated: params.bashElevated,
|
||||||
messageProvider: params.messageChannel ?? params.messageProvider,
|
},
|
||||||
agentAccountId: params.agentAccountId,
|
sandbox,
|
||||||
messageTo: params.messageTo,
|
messageProvider: params.messageChannel ?? params.messageProvider,
|
||||||
messageThreadId: params.messageThreadId,
|
agentAccountId: params.agentAccountId,
|
||||||
sessionKey: params.sessionKey ?? params.sessionId,
|
messageTo: params.messageTo,
|
||||||
agentDir,
|
messageThreadId: params.messageThreadId,
|
||||||
workspaceDir: effectiveWorkspace,
|
sessionKey: params.sessionKey ?? params.sessionId,
|
||||||
config: params.config,
|
agentDir,
|
||||||
abortSignal: runAbortController.signal,
|
workspaceDir: effectiveWorkspace,
|
||||||
modelProvider: params.model.provider,
|
config: params.config,
|
||||||
modelId: params.modelId,
|
abortSignal: runAbortController.signal,
|
||||||
modelAuthMode: resolveModelAuthMode(params.model.provider, params.config),
|
modelProvider: params.model.provider,
|
||||||
currentChannelId: params.currentChannelId,
|
modelId: params.modelId,
|
||||||
currentThreadTs: params.currentThreadTs,
|
modelAuthMode: resolveModelAuthMode(params.model.provider, params.config),
|
||||||
replyToMode: params.replyToMode,
|
currentChannelId: params.currentChannelId,
|
||||||
hasRepliedRef: params.hasRepliedRef,
|
currentThreadTs: params.currentThreadTs,
|
||||||
modelHasVision,
|
replyToMode: params.replyToMode,
|
||||||
});
|
hasRepliedRef: params.hasRepliedRef,
|
||||||
|
modelHasVision,
|
||||||
|
});
|
||||||
const tools = sanitizeToolsForGoogle({ tools: toolsRaw, provider: params.provider });
|
const tools = sanitizeToolsForGoogle({ tools: toolsRaw, provider: params.provider });
|
||||||
logToolSchemasForGoogle({ tools, provider: params.provider });
|
logToolSchemasForGoogle({ tools, provider: params.provider });
|
||||||
|
|
||||||
|
|||||||
@@ -44,6 +44,8 @@ export type RunEmbeddedPiAgentParams = {
|
|||||||
images?: ImageContent[];
|
images?: ImageContent[];
|
||||||
/** Optional client-provided tools (OpenResponses hosted tools). */
|
/** Optional client-provided tools (OpenResponses hosted tools). */
|
||||||
clientTools?: ClientToolDefinition[];
|
clientTools?: ClientToolDefinition[];
|
||||||
|
/** Disable built-in tools for this run (LLM-only mode). */
|
||||||
|
disableTools?: boolean;
|
||||||
provider?: string;
|
provider?: string;
|
||||||
model?: string;
|
model?: string;
|
||||||
authProfileId?: string;
|
authProfileId?: string;
|
||||||
|
|||||||
@@ -36,6 +36,8 @@ export type EmbeddedRunAttemptParams = {
|
|||||||
images?: ImageContent[];
|
images?: ImageContent[];
|
||||||
/** Optional client-provided tools (OpenResponses hosted tools). */
|
/** Optional client-provided tools (OpenResponses hosted tools). */
|
||||||
clientTools?: ClientToolDefinition[];
|
clientTools?: ClientToolDefinition[];
|
||||||
|
/** Disable built-in tools for this run (LLM-only mode). */
|
||||||
|
disableTools?: boolean;
|
||||||
provider: string;
|
provider: string;
|
||||||
modelId: string;
|
modelId: string;
|
||||||
model: Model<Api>;
|
model: Model<Api>;
|
||||||
|
|||||||
Reference in New Issue
Block a user