mirror of
https://github.com/moltbot/moltbot.git
synced 2026-03-08 06:54:24 +00:00
security(web_fetch): strip hidden content to prevent indirect prompt injection (#21074)
* security(web_fetch): strip hidden content to prevent indirect prompt injection Co-Authored-By: Claude Sonnet 4.5 <noreply@anthropic.com> * security(web_fetch): address review feedback and credit author * chore(changelog): credit reporter for web_fetch security fix --------- Co-authored-by: Claude Sonnet 4.5 <noreply@anthropic.com> Co-authored-by: Vincent Koc <vincentkoc@ieee.org>
This commit is contained in:
@@ -392,6 +392,7 @@ Docs: https://docs.openclaw.ai
|
||||
|
||||
### Fixes
|
||||
|
||||
- Security: strip hidden text from `web_fetch` extracted content to prevent indirect prompt injection, covering CSS-hidden elements, class-based hiding (sr-only, d-none, etc.), invisible Unicode, color:transparent, offscreen transforms, and non-content tags. (#8027, #21074) Thanks @hydro13 for the fix and @LucasAIBuilder for reporting.
|
||||
- Agents/Streaming: keep assistant partial streaming active during reasoning streams, handle native `thinking_*` stream events consistently, dedupe mixed reasoning-end signals, and clear stale mutating tool errors after same-target retry success. (#20635) Thanks @obviyus.
|
||||
- iOS/Chat: use a dedicated iOS chat session key for ChatSheet routing to avoid cross-client session collisions with main-session traffic. (#21139) thanks @mbelinky.
|
||||
- iOS/Chat: auto-resync chat history after reconnect sequence gaps, clear stale pending runs, and avoid dead-end manual refresh errors after transient disconnects. (#21135) thanks @mbelinky.
|
||||
|
||||
@@ -1,3 +1,5 @@
|
||||
import { sanitizeHtml, stripInvisibleUnicode } from "./web-fetch-visibility.js";
|
||||
|
||||
export type ExtractMode = "markdown" | "text";
|
||||
|
||||
const READABILITY_MAX_HTML_CHARS = 1_000_000;
|
||||
@@ -209,23 +211,26 @@ export async function extractReadableContent(params: {
|
||||
url: string;
|
||||
extractMode: ExtractMode;
|
||||
}): Promise<{ text: string; title?: string } | null> {
|
||||
const cleanHtml = await sanitizeHtml(params.html);
|
||||
const fallback = (): { text: string; title?: string } => {
|
||||
const rendered = htmlToMarkdown(params.html);
|
||||
const rendered = htmlToMarkdown(cleanHtml);
|
||||
if (params.extractMode === "text") {
|
||||
const text = markdownToText(rendered.text) || normalizeWhitespace(stripTags(params.html));
|
||||
const text =
|
||||
stripInvisibleUnicode(markdownToText(rendered.text)) ||
|
||||
stripInvisibleUnicode(normalizeWhitespace(stripTags(cleanHtml)));
|
||||
return { text, title: rendered.title };
|
||||
}
|
||||
return rendered;
|
||||
return { text: stripInvisibleUnicode(rendered.text), title: rendered.title };
|
||||
};
|
||||
if (
|
||||
params.html.length > READABILITY_MAX_HTML_CHARS ||
|
||||
exceedsEstimatedHtmlNestingDepth(params.html, READABILITY_MAX_ESTIMATED_NESTING_DEPTH)
|
||||
cleanHtml.length > READABILITY_MAX_HTML_CHARS ||
|
||||
exceedsEstimatedHtmlNestingDepth(cleanHtml, READABILITY_MAX_ESTIMATED_NESTING_DEPTH)
|
||||
) {
|
||||
return fallback();
|
||||
}
|
||||
try {
|
||||
const { Readability, parseHTML } = await loadReadabilityDeps();
|
||||
const { document } = parseHTML(params.html);
|
||||
const { document } = parseHTML(cleanHtml);
|
||||
try {
|
||||
(document as { baseURI?: string }).baseURI = params.url;
|
||||
} catch {
|
||||
@@ -238,11 +243,11 @@ export async function extractReadableContent(params: {
|
||||
}
|
||||
const title = parsed.title || undefined;
|
||||
if (params.extractMode === "text") {
|
||||
const text = normalizeWhitespace(parsed.textContent ?? "");
|
||||
const text = stripInvisibleUnicode(normalizeWhitespace(parsed.textContent ?? ""));
|
||||
return text ? { text, title } : fallback();
|
||||
}
|
||||
const rendered = htmlToMarkdown(parsed.content);
|
||||
return { text: rendered.text, title: title ?? rendered.title };
|
||||
return { text: stripInvisibleUnicode(rendered.text), title: title ?? rendered.title };
|
||||
} catch {
|
||||
return fallback();
|
||||
}
|
||||
|
||||
246
src/agents/tools/web-fetch-visibility.test.ts
Normal file
246
src/agents/tools/web-fetch-visibility.test.ts
Normal file
@@ -0,0 +1,246 @@
|
||||
import { describe, expect, it } from "vitest";
|
||||
import { sanitizeHtml, stripInvisibleUnicode } from "./web-fetch-visibility.js";
|
||||
|
||||
describe("sanitizeHtml", () => {
|
||||
it("strips display:none elements", async () => {
|
||||
const html = '<p>Visible</p><p style="display:none">Hidden</p>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).toContain("Visible");
|
||||
expect(result).not.toContain("Hidden");
|
||||
});
|
||||
|
||||
it("strips visibility:hidden elements", async () => {
|
||||
const html = '<p>Visible</p><span style="visibility:hidden">Secret</span>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Secret");
|
||||
});
|
||||
|
||||
it("strips opacity:0 elements", async () => {
|
||||
const html = '<p>Show</p><div style="opacity:0">Invisible</div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Invisible");
|
||||
});
|
||||
|
||||
it("strips font-size:0 elements", async () => {
|
||||
const html = '<p>Normal</p><span style="font-size:0px">Tiny</span>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Tiny");
|
||||
});
|
||||
|
||||
it("strips text-indent far-offscreen elements", async () => {
|
||||
const html = '<p>Normal</p><p style="text-indent:-9999px">Offscreen</p>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Offscreen");
|
||||
});
|
||||
|
||||
it("strips color:transparent elements", async () => {
|
||||
const html = '<p>Visible</p><p style="color:transparent">Ghost</p>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Ghost");
|
||||
});
|
||||
|
||||
it("strips color:rgba with zero alpha elements", async () => {
|
||||
const html = '<p>Visible</p><p style="color:rgba(0,0,0,0)">Invisible</p>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Invisible");
|
||||
});
|
||||
|
||||
it("strips color:rgba with zero decimal alpha elements", async () => {
|
||||
const html = '<p>Visible</p><p style="color:rgba(0,0,0,0.0)">Invisible</p>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Invisible");
|
||||
});
|
||||
|
||||
it("strips color:hsla with zero alpha elements", async () => {
|
||||
const html = '<p>Visible</p><p style="color:hsla(0,0%,0%,0)">Invisible</p>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Invisible");
|
||||
});
|
||||
|
||||
it("strips transform:scale(0) elements", async () => {
|
||||
const html = '<p>Show</p><div style="transform:scale(0)">Scaled</div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Scaled");
|
||||
});
|
||||
|
||||
it("strips transform:translateX far-offscreen elements", async () => {
|
||||
const html = '<p>Show</p><div style="transform:translateX(-9999px)">Translated</div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Translated");
|
||||
});
|
||||
|
||||
it("strips width:0 height:0 overflow:hidden elements", async () => {
|
||||
const html = '<p>Show</p><div style="width:0;height:0;overflow:hidden">Zero</div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Zero");
|
||||
});
|
||||
|
||||
it("strips left far-offscreen positioned elements", async () => {
|
||||
const html = '<p>Show</p><div style="left:-9999px">Offscreen</div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Offscreen");
|
||||
});
|
||||
|
||||
it("strips clip-path:inset(100%) elements", async () => {
|
||||
const html = '<p>Show</p><div style="clip-path:inset(100%)">Clipped</div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Clipped");
|
||||
});
|
||||
|
||||
it("strips clip-path:inset(50%) elements", async () => {
|
||||
const html = '<p>Show</p><div style="clip-path:inset(50%)">Clipped</div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Clipped");
|
||||
});
|
||||
|
||||
it("does not strip clip-path:inset(0%) elements", async () => {
|
||||
const html = '<p>Show</p><div style="clip-path:inset(0%)">Visible</div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).toContain("Visible");
|
||||
});
|
||||
|
||||
it("strips sr-only class elements", async () => {
|
||||
const html = '<p>Main</p><span class="sr-only">Screen reader only</span>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Screen reader only");
|
||||
});
|
||||
|
||||
it("strips visually-hidden class elements", async () => {
|
||||
const html = '<p>Main</p><span class="visually-hidden">Hidden visually</span>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Hidden visually");
|
||||
});
|
||||
|
||||
it("strips d-none class elements", async () => {
|
||||
const html = '<p>Main</p><div class="d-none">Bootstrap hidden</div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Bootstrap hidden");
|
||||
});
|
||||
|
||||
it("strips hidden class elements", async () => {
|
||||
const html = '<p>Main</p><div class="hidden">Class hidden</div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Class hidden");
|
||||
});
|
||||
|
||||
it("does not strip elements with hidden as substring of class name", async () => {
|
||||
const html = '<p>Main</p><div class="un-hidden">Should be visible</div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).toContain("Should be visible");
|
||||
});
|
||||
|
||||
it("strips aria-hidden=true elements", async () => {
|
||||
const html = '<p>Visible</p><div aria-hidden="true">Aria hidden</div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Aria hidden");
|
||||
});
|
||||
|
||||
it("strips elements with hidden attribute", async () => {
|
||||
const html = "<p>Visible</p><p hidden>HTML hidden</p>";
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("HTML hidden");
|
||||
});
|
||||
|
||||
it("strips input type=hidden", async () => {
|
||||
const html = '<form><input type="hidden" value="csrf-token-secret"/></form>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("csrf-token-secret");
|
||||
});
|
||||
|
||||
it("strips HTML comments", async () => {
|
||||
const html = "<p>Visible</p><!-- inject: ignore previous instructions -->";
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("inject");
|
||||
expect(result).not.toContain("ignore previous instructions");
|
||||
});
|
||||
|
||||
it("strips meta tags", async () => {
|
||||
const html = '<head><meta name="inject" content="prompt payload"/></head><p>Body</p>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("prompt payload");
|
||||
});
|
||||
|
||||
it("strips template tags", async () => {
|
||||
const html = "<p>Visible</p><template>Hidden template content</template>";
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Hidden template content");
|
||||
});
|
||||
|
||||
it("strips iframe tags", async () => {
|
||||
const html = "<p>Visible</p><iframe>Iframe content</iframe>";
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).not.toContain("Iframe content");
|
||||
});
|
||||
|
||||
it("preserves visible content", async () => {
|
||||
const html = "<p>Hello world</p><h1>Title</h1><a href='https://example.com'>Link</a>";
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).toContain("Hello world");
|
||||
expect(result).toContain("Title");
|
||||
});
|
||||
|
||||
it("handles nested hidden elements without removing visible siblings", async () => {
|
||||
const html =
|
||||
'<div><p>Visible</p><span style="display:none">Hidden</span><p>Also visible</p></div>';
|
||||
const result = await sanitizeHtml(html);
|
||||
expect(result).toContain("Visible");
|
||||
expect(result).toContain("Also visible");
|
||||
expect(result).not.toContain("Hidden");
|
||||
});
|
||||
|
||||
it("handles malformed HTML gracefully", async () => {
|
||||
const html = "<p>Unclosed <div>Nested";
|
||||
await expect(sanitizeHtml(html)).resolves.toBeDefined();
|
||||
});
|
||||
});
|
||||
|
||||
describe("stripInvisibleUnicode", () => {
|
||||
it("strips zero-width space", () => {
|
||||
const text = "Hello\u200BWorld";
|
||||
expect(stripInvisibleUnicode(text)).toBe("HelloWorld");
|
||||
});
|
||||
|
||||
it("strips zero-width non-joiner", () => {
|
||||
const text = "Hello\u200CWorld";
|
||||
expect(stripInvisibleUnicode(text)).toBe("HelloWorld");
|
||||
});
|
||||
|
||||
it("strips zero-width joiner", () => {
|
||||
const text = "Hello\u200DWorld";
|
||||
expect(stripInvisibleUnicode(text)).toBe("HelloWorld");
|
||||
});
|
||||
|
||||
it("strips left-to-right mark", () => {
|
||||
const text = "Hello\u200EWorld";
|
||||
expect(stripInvisibleUnicode(text)).toBe("HelloWorld");
|
||||
});
|
||||
|
||||
it("strips right-to-left mark", () => {
|
||||
const text = "Hello\u200FWorld";
|
||||
expect(stripInvisibleUnicode(text)).toBe("HelloWorld");
|
||||
});
|
||||
|
||||
it("strips directional overrides (LRO, RLO, PDF, etc.)", () => {
|
||||
const text = "\u202AHello\u202E";
|
||||
expect(stripInvisibleUnicode(text)).toBe("Hello");
|
||||
});
|
||||
|
||||
it("strips word joiner and other formatting chars", () => {
|
||||
const text = "Hello\u2060World\uFEFF";
|
||||
expect(stripInvisibleUnicode(text)).toBe("HelloWorld");
|
||||
});
|
||||
|
||||
it("preserves normal text unchanged", () => {
|
||||
const text = "Hello, World! 123 \u00e9\u4e2d\u6587";
|
||||
expect(stripInvisibleUnicode(text)).toBe(text);
|
||||
});
|
||||
|
||||
it("strips multiple invisible chars in a row", () => {
|
||||
const text = "A\u200B\u200C\u200D\u200E\u200FB";
|
||||
expect(stripInvisibleUnicode(text)).toBe("AB");
|
||||
});
|
||||
|
||||
it("handles empty string", () => {
|
||||
expect(stripInvisibleUnicode("")).toBe("");
|
||||
});
|
||||
});
|
||||
156
src/agents/tools/web-fetch-visibility.ts
Normal file
156
src/agents/tools/web-fetch-visibility.ts
Normal file
@@ -0,0 +1,156 @@
|
||||
// CSS property values that indicate an element is hidden
|
||||
const HIDDEN_STYLE_PATTERNS: Array<[string, RegExp]> = [
|
||||
["display", /^\s*none\s*$/i],
|
||||
["visibility", /^\s*hidden\s*$/i],
|
||||
["opacity", /^\s*0\s*$/],
|
||||
["font-size", /^\s*0(px|em|rem|pt|%)?\s*$/i],
|
||||
["text-indent", /^\s*-\d{4,}px\s*$/],
|
||||
["color", /^\s*transparent\s*$/i],
|
||||
["color", /^\s*rgba\s*\(\s*\d+\s*,\s*\d+\s*,\s*\d+\s*,\s*0(?:\.0+)?\s*\)\s*$/i],
|
||||
["color", /^\s*hsla\s*\(\s*[\d.]+\s*,\s*[\d.]+%?\s*,\s*[\d.]+%?\s*,\s*0(?:\.0+)?\s*\)\s*$/i],
|
||||
];
|
||||
|
||||
// Class names associated with visually hidden content
|
||||
const HIDDEN_CLASS_NAMES = new Set([
|
||||
"sr-only",
|
||||
"visually-hidden",
|
||||
"d-none",
|
||||
"hidden",
|
||||
"invisible",
|
||||
"screen-reader-only",
|
||||
"offscreen",
|
||||
]);
|
||||
|
||||
function hasHiddenClass(className: string): boolean {
|
||||
const classes = className.toLowerCase().split(/\s+/);
|
||||
return classes.some((cls) => HIDDEN_CLASS_NAMES.has(cls));
|
||||
}
|
||||
|
||||
function isStyleHidden(style: string): boolean {
|
||||
for (const [prop, pattern] of HIDDEN_STYLE_PATTERNS) {
|
||||
const escapedProp = prop.replace(/-/g, "\\-");
|
||||
const match = style.match(new RegExp(`(?:^|;)\\s*${escapedProp}\\s*:\\s*([^;]+)`, "i"));
|
||||
if (match && pattern.test(match[1])) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
// clip-path: none is not hidden, but positive percentage inset() clipping hides content.
|
||||
const clipPath = style.match(/(?:^|;)\s*clip-path\s*:\s*([^;]+)/i);
|
||||
if (clipPath && !/^\s*none\s*$/i.test(clipPath[1])) {
|
||||
if (/inset\s*\(\s*(?:0*\.\d+|[1-9]\d*(?:\.\d+)?)%/i.test(clipPath[1])) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
// transform: scale(0)
|
||||
const transform = style.match(/(?:^|;)\s*transform\s*:\s*([^;]+)/i);
|
||||
if (transform) {
|
||||
if (/scale\s*\(\s*0\s*\)/i.test(transform[1])) {
|
||||
return true;
|
||||
}
|
||||
if (/translateX\s*\(\s*-\d{4,}px\s*\)/i.test(transform[1])) {
|
||||
return true;
|
||||
}
|
||||
if (/translateY\s*\(\s*-\d{4,}px\s*\)/i.test(transform[1])) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
|
||||
// width:0 + height:0 + overflow:hidden
|
||||
const width = style.match(/(?:^|;)\s*width\s*:\s*([^;]+)/i);
|
||||
const height = style.match(/(?:^|;)\s*height\s*:\s*([^;]+)/i);
|
||||
const overflow = style.match(/(?:^|;)\s*overflow\s*:\s*([^;]+)/i);
|
||||
if (
|
||||
width &&
|
||||
/^\s*0(px)?\s*$/i.test(width[1]) &&
|
||||
height &&
|
||||
/^\s*0(px)?\s*$/i.test(height[1]) &&
|
||||
overflow &&
|
||||
/^\s*hidden\s*$/i.test(overflow[1])
|
||||
) {
|
||||
return true;
|
||||
}
|
||||
|
||||
// Offscreen positioning: left/top far negative
|
||||
const left = style.match(/(?:^|;)\s*left\s*:\s*([^;]+)/i);
|
||||
const top = style.match(/(?:^|;)\s*top\s*:\s*([^;]+)/i);
|
||||
if (left && /^\s*-\d{4,}px\s*$/i.test(left[1])) {
|
||||
return true;
|
||||
}
|
||||
if (top && /^\s*-\d{4,}px\s*$/i.test(top[1])) {
|
||||
return true;
|
||||
}
|
||||
|
||||
return false;
|
||||
}
|
||||
|
||||
function shouldRemoveElement(element: Element): boolean {
|
||||
const tagName = element.tagName.toLowerCase();
|
||||
|
||||
// Always-remove tags
|
||||
if (["meta", "template", "svg", "canvas", "iframe", "object", "embed"].includes(tagName)) {
|
||||
return true;
|
||||
}
|
||||
|
||||
// input type=hidden
|
||||
if (tagName === "input" && element.getAttribute("type")?.toLowerCase() === "hidden") {
|
||||
return true;
|
||||
}
|
||||
|
||||
// aria-hidden=true
|
||||
if (element.getAttribute("aria-hidden") === "true") {
|
||||
return true;
|
||||
}
|
||||
|
||||
// hidden attribute
|
||||
if (element.hasAttribute("hidden")) {
|
||||
return true;
|
||||
}
|
||||
|
||||
// class-based hiding
|
||||
const className = element.getAttribute("class") ?? "";
|
||||
if (hasHiddenClass(className)) {
|
||||
return true;
|
||||
}
|
||||
|
||||
// inline style-based hiding
|
||||
const style = element.getAttribute("style") ?? "";
|
||||
if (style && isStyleHidden(style)) {
|
||||
return true;
|
||||
}
|
||||
|
||||
return false;
|
||||
}
|
||||
|
||||
export async function sanitizeHtml(html: string): Promise<string> {
|
||||
// Strip HTML comments
|
||||
let sanitized = html.replace(/<!--[\s\S]*?-->/g, "");
|
||||
|
||||
let document: Document;
|
||||
try {
|
||||
const { parseHTML } = await import("linkedom");
|
||||
({ document } = parseHTML(sanitized) as { document: Document });
|
||||
} catch {
|
||||
return sanitized;
|
||||
}
|
||||
|
||||
// Walk all elements and remove hidden ones (bottom-up to avoid re-walking removed subtrees)
|
||||
const all = Array.from(document.querySelectorAll("*"));
|
||||
for (let i = all.length - 1; i >= 0; i--) {
|
||||
const el = all[i];
|
||||
if (shouldRemoveElement(el)) {
|
||||
el.parentNode?.removeChild(el);
|
||||
}
|
||||
}
|
||||
|
||||
return (document as unknown as { toString(): string }).toString();
|
||||
}
|
||||
|
||||
// Zero-width and invisible Unicode characters used in prompt injection attacks
|
||||
const INVISIBLE_UNICODE_RE =
|
||||
/[\u200B-\u200F\u202A-\u202E\u2060-\u2064\u206A-\u206F\uFEFF\u{E0000}-\u{E007F}]/gu;
|
||||
|
||||
export function stripInvisibleUnicode(text: string): string {
|
||||
return text.replace(INVISIBLE_UNICODE_RE, "");
|
||||
}
|
||||
Reference in New Issue
Block a user