From 750e431c797612203732536837feda90dc45498f Mon Sep 17 00:00:00 2001 From: jlin53882 Date: Mon, 13 Apr 2026 01:31:51 +0800 Subject: [PATCH 1/3] fix: add Windows path support in toImportSpecifier + add tests (#575) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit ## Summary Fix `toImportSpecifier()` to handle Windows drive-letter paths (`C:\...` / `D:/...`) by converting them to `file://` URLs via `pathToFileURL()`. Cherry-pick the APPDATA fallback block from PR #576 (already reviewed). ## Problem (Issue #575) `toImportSpecifier()` only converted POSIX absolute paths (`/` prefix) to `file://` URLs. Windows paths like `C:\Users\...\extensionAPI.js` fell through to `return trimmed` and were passed unchanged to `import()`, causing `ERR_UNSUPPORTED_ESM_URL_SCHEME` on Windows. ## Fix 1. **`toImportSpecifier()`** (index.ts:420): Add regex check for Windows drive-letter paths (`/^[a-zA-Z]:[/\\]/`) and convert via `pathToFileURL().href`. 2. **Windows APPDATA fallback** (index.ts:440-443): Cherry-picked from PR #576 original commit (already reviewed by rwmjhb and Codex Bot). ## Verified by Codex Review (Round 2) - POSIX paths: ✅ `/usr/...` → `file://` URL - Windows paths: ✅ `C:\...` → `file://` URL - UNC paths: ⚠️ Out of scope (requires `\\server\share` support) - `OPENCLAW_EXTENSION_API_PATH` with Windows path: ✅ Fixed - TypeScript correctness: ✅ - Scope check: ✅ Minimal diff (7 lines total) ## Tests Added `test/to-import-specifier-windows.test.mjs` with 27 tests: - `toImportSpecifier`: 16 tests (POSIX, Windows, pass-through, edge cases) - `getExtensionApiImportSpecifiers`: 9 tests (env var, dedup, APPDATA fallback) - `pathToFileURL` integration: 2 tests Fixes #575 --- index.ts | 7 + test/to-import-specifier-windows.test.mjs | 260 ++++++++++++++++++++++ 2 files changed, 267 insertions(+) create mode 100644 test/to-import-specifier-windows.test.mjs diff --git a/index.ts b/index.ts index 141bf2c8..dbf8b489 100644 --- a/index.ts +++ b/index.ts @@ -441,6 +441,8 @@ function toImportSpecifier(value: string): string { if (!trimmed) return ""; if (trimmed.startsWith("file://")) return trimmed; if (trimmed.startsWith("/")) return pathToFileURL(trimmed).href; + // Handle Windows absolute paths (e.g. C:\Users\... or D:/Program Files/...) + if (/^[a-zA-Z]:[/\\]/.test(trimmed)) return pathToFileURL(trimmed).href; return trimmed; } function getExtensionApiImportSpecifiers(): string[] { @@ -460,6 +462,11 @@ function getExtensionApiImportSpecifiers(): string[] { specifiers.push(toImportSpecifier("/usr/local/lib/node_modules/openclaw/dist/extensionAPI.js")); specifiers.push(toImportSpecifier("/opt/homebrew/lib/node_modules/openclaw/dist/extensionAPI.js")); + if (process.platform === "win32" && process.env.APPDATA) { + const windowsNpmPath = join(process.env.APPDATA, "npm", "node_modules", "openclaw", "dist", "extensionAPI.js"); + specifiers.push(toImportSpecifier(windowsNpmPath)); + } + return [...new Set(specifiers.filter(Boolean))]; } diff --git a/test/to-import-specifier-windows.test.mjs b/test/to-import-specifier-windows.test.mjs new file mode 100644 index 00000000..70772308 --- /dev/null +++ b/test/to-import-specifier-windows.test.mjs @@ -0,0 +1,260 @@ +/** + * Test: toImportSpecifier and Windows path fallback + * PR #576 - Windows APPDATA path fallback for extensionAPI.js + * + * Tests the behavior of `toImportSpecifier` and `getExtensionApiImportSpecifiers` + * using local implementations that mirror the PR #576 code exactly. + * Functions are NOT exported from index.ts, so we copy the logic to test it. + */ +import { describe, it } from "node:test"; +import assert from "node:assert/strict"; +import { join } from "node:path"; +import { pathToFileURL } from "node:url"; + +// Copy of the PR #576 toImportSpecifier implementation (index.ts:414-423) +function toImportSpecifier(value) { + const trimmed = value.trim(); + if (!trimmed) return ""; + if (trimmed.startsWith("file://")) return trimmed; + if (trimmed.startsWith("/")) return pathToFileURL(trimmed).href; + // Handle Windows absolute paths (e.g. C:\Users\... or D:/Program Files/...) + if (/^[a-zA-Z]:[/\\]/.test(trimmed)) return pathToFileURL(trimmed).href; + return trimmed; +} + +// Copy of the PR #576 getExtensionApiImportSpecifiers implementation (index.ts:425-444) +// Note: intentionally does NOT include the requireFromHere.resolve() call (dead code) +function getExtensionApiImportSpecifiers() { + const envPath = process.env.OPENCLAW_EXTENSION_API_PATH?.trim(); + const specifiers = []; + + if (envPath) specifiers.push(toImportSpecifier(envPath)); + specifiers.push("openclaw/dist/extensionAPI.js"); + + specifiers.push(toImportSpecifier("/usr/lib/node_modules/openclaw/dist/extensionAPI.js")); + specifiers.push(toImportSpecifier("/usr/local/lib/node_modules/openclaw/dist/extensionAPI.js")); + specifiers.push(toImportSpecifier("/opt/homebrew/lib/node_modules/openclaw/dist/extensionAPI.js")); + + if (process.platform === "win32" && process.env.APPDATA) { + const windowsNpmPath = join(process.env.APPDATA, "npm", "node_modules", "openclaw", "dist", "extensionAPI.js"); + specifiers.push(toImportSpecifier(windowsNpmPath)); + } + + return [...new Set(specifiers.filter(Boolean))]; +} + +// Env helper: set key to value, run fn, restore original +function withEnv(key, value, fn) { + const original = process.env[key]; + if (value === undefined) { + delete process.env[key]; + } else { + process.env[key] = value; + } + try { + fn(); + } finally { + if (original === undefined) { + delete process.env[key]; + } else { + process.env[key] = original; + } + } +} + +// ============================================================================ +// toImportSpecifier tests +// ============================================================================ + +describe("toImportSpecifier", () => { + // --- POSIX paths --- + it("converts POSIX absolute path to file:// URL", () => { + const result = toImportSpecifier("/usr/local/lib/node_modules/openclaw/dist/extensionAPI.js"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + assert.ok(result.includes("/usr/local/lib")); + }); + + it("converts POSIX path with spaces to file:// URL", () => { + const result = toImportSpecifier("/opt/My App/node_modules/test.js"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + }); + + // --- Windows paths (PR #576 new fix) --- + it("converts Windows drive-letter backslash path to file:// URL", () => { + const result = toImportSpecifier("C:\\Users\\admin\\AppData\\Roaming\\npm\\node_modules\\openclaw\\dist\\extensionAPI.js"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + assert.ok(result.includes("C:/"), `Expected C:/ prefix, got: ${result}`); + }); + + it("converts Windows drive-letter forward-slash path to file:// URL", () => { + const result = toImportSpecifier("D:/Program Files/openclaw/dist/extensionAPI.js"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + assert.ok(result.includes("D:/"), `Expected D:/ prefix, got: ${result}`); + }); + + it("converts Windows path with spaces to file:// URL", () => { + const result = toImportSpecifier("E:\\code\\my project\\file.js"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + }); + + it("rejects Windows drive letter without separator (C: -> unchanged)", () => { + const result = toImportSpecifier("C:"); + assert.equal(result, "C:"); + }); + + it("rejects DOS 8.3 short path (C:path\\to\\file.js -> unchanged)", () => { + const result = toImportSpecifier("C:path\\to\\file.js"); + assert.equal(result, "C:path\\to\\file.js"); + }); + + it("rejects single-backslash UNC-like path (\\server\\share -> unchanged)", () => { + const result = toImportSpecifier("\\server\\share\\file.js"); + assert.equal(result, "\\server\\share\\file.js"); + }); + + // --- Pass-through cases --- + it("passes through file:// POSIX URL unchanged", () => { + const input = "file:///usr/local/lib/extensionAPI.js"; + const result = toImportSpecifier(input); + assert.equal(result, input); + }); + + it("passes through file:// Windows path unchanged", () => { + const input = "file:///C:/Users/admin/AppData/Roaming/test.js"; + const result = toImportSpecifier(input); + assert.equal(result, input); + }); + + it("passes through bare module specifier unchanged", () => { + const input = "openclaw/dist/extensionAPI.js"; + const result = toImportSpecifier(input); + assert.equal(result, input); + }); + + it("passes through relative path unchanged", () => { + const input = "./lib/extensionAPI.js"; + const result = toImportSpecifier(input); + assert.equal(result, input); + }); + + // --- Edge cases --- + it("returns empty string for whitespace-only input", () => { + const result = toImportSpecifier(" "); + assert.equal(result, ""); + }); + + it("handles path with trailing slash", () => { + const result = toImportSpecifier("C:\\Users\\admin\\"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + }); + + it("handles lowercase drive letter", () => { + const result = toImportSpecifier("c:\\users\\test\\file.js"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + }); + + it("handles uppercase drive letter", () => { + const result = toImportSpecifier("E:\\Users\\Admin\\Desktop\\file.js"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + }); +}); + +// ============================================================================ +// getExtensionApiImportSpecifiers tests +// ============================================================================ + +describe("getExtensionApiImportSpecifiers", () => { + it("always includes bare module specifier", () => { + const specifiers = getExtensionApiImportSpecifiers(); + assert.ok(specifiers.includes("openclaw/dist/extensionAPI.js"), "Should include bare module specifier"); + }); + + it("includes OPENCLAW_EXTENSION_API_PATH POSIX path as file:// URL", () => { + withEnv("OPENCLAW_EXTENSION_API_PATH", "/custom/path/extensionAPI.js", () => { + const specifiers = getExtensionApiImportSpecifiers(); + const found = specifiers.find(s => s.includes("/custom/path")); + assert.ok(found, `Expected custom path, got: ${JSON.stringify(specifiers)}`); + assert.ok(found.startsWith("file://"), `Expected file:// URL, got: ${found}`); + }); + }); + + it("converts OPENCLAW_EXTENSION_API_PATH Windows path to file:// URL (hidden issue #1 fix)", () => { + withEnv("OPENCLAW_EXTENSION_API_PATH", "C:\\Program Files\\openclaw\\dist\\extensionAPI.js", () => { + const specifiers = getExtensionApiImportSpecifiers(); + const winSpec = specifiers.find(s => s.startsWith("file:///C:/") && s.includes("openclaw") && s.includes("dist") && s.includes("extensionAPI")); + assert.ok(winSpec, `Expected Windows path as file:// URL: ${JSON.stringify(specifiers)}`); + assert.ok(winSpec.includes("Program") || winSpec.includes("Program%20"), `Expected Program Files in path, got: ${winSpec}`); + }); + }); + + it("includes POSIX fallback paths on all platforms", () => { + const specifiers = getExtensionApiImportSpecifiers(); + assert.ok(specifiers.some(s => s.includes("/usr/lib")), `Expected /usr/lib path, got: ${JSON.stringify(specifiers)}`); + assert.ok(specifiers.some(s => s.includes("/usr/local")), `Expected /usr/local path, got: ${JSON.stringify(specifiers)}`); + assert.ok(specifiers.some(s => s.includes("/opt/homebrew")), `Expected /opt/homebrew path, got: ${JSON.stringify(specifiers)}`); + }); + + it("returns deduped specifiers (no duplicates)", () => { + const specifiers = getExtensionApiImportSpecifiers(); + const unique = [...new Set(specifiers)]; + assert.equal(specifiers.length, unique.length, `Found duplicate specifiers: ${JSON.stringify(specifiers)}`); + }); + + it("does not include empty strings", () => { + const specifiers = getExtensionApiImportSpecifiers(); + assert.ok(!specifiers.includes(""), "Should not contain empty strings"); + assert.ok(!specifiers.some(s => typeof s === "string" && s.trim() === ""), "Should not contain whitespace-only strings"); + }); + + it("on non-win32, does NOT add APPDATA fallback", () => { + if (process.platform !== "win32") { + const specifiers = getExtensionApiImportSpecifiers(); + const hasAppData = specifiers.some(s => s.includes("AppData") && s.includes("npm")); + assert.ok(!hasAppData, "Non-Windows should not add APPDATA fallback"); + } + }); + + it("on win32 with APPDATA, includes APPDATA fallback as file:// URL", () => { + if (process.platform === "win32" && process.env.APPDATA) { + const specifiers = getExtensionApiImportSpecifiers(); + const appDataSpec = specifiers.find(s => s.includes("AppData") && s.includes("npm")); + assert.ok(appDataSpec, `Expected APPDATA path in specifiers: ${JSON.stringify(specifiers)}`); + assert.ok(appDataSpec.startsWith("file://"), `APPDATA specifier should be file:// URL, got: ${appDataSpec}`); + } + }); + + it("on win32 without APPDATA env var, does not crash", () => { + if (process.platform === "win32") { + const original = process.env.APPDATA; + delete process.env.APPDATA; + try { + // Should not throw - just skip the APPDATA fallback + const specifiers = getExtensionApiImportSpecifiers(); + assert.ok(Array.isArray(specifiers), "Should return array even without APPDATA"); + } finally { + if (original !== undefined) process.env.APPDATA = original; + } + } + }); +}); + +// ============================================================================ +// Integration: pathToFileURL Windows path conversion +// ============================================================================ + +describe("pathToFileURL Windows path conversion", () => { + it("produces valid file:// URL from Windows backslash path", async () => { + const { pathToFileURL } = await import("node:url"); + const input = "C:\\Users\\admin\\AppData\\Roaming\\npm\\node_modules\\openclaw\\dist\\extensionAPI.js"; + const result = pathToFileURL(input).href; + assert.equal(result, "file:///C:/Users/admin/AppData/Roaming/npm/node_modules/openclaw/dist/extensionAPI.js"); + }); + + it("produces valid file:// URL from Windows forward-slash path", async () => { + const { pathToFileURL } = await import("node:url"); + const input = "D:/Program Files/openclaw/dist/extensionAPI.js"; + const result = pathToFileURL(input).href; + assert.ok(result.startsWith("file://")); + assert.ok(result.includes("D:/")); + }); +}); \ No newline at end of file From 65e56a69954a56417168c15974f2d3a842ca5ec3 Mon Sep 17 00:00:00 2001 From: jlin53882 Date: Wed, 15 Apr 2026 18:18:54 +0800 Subject: [PATCH 2/3] fix: address PR #593 review comments (MR1/F1/F3/F6/MR2) --- index.ts | 6 +- scripts/ci-test-manifest.mjs | 1 + test/to-import-specifier-windows.test.mjs | 152 ++++++++++++---------- 3 files changed, 85 insertions(+), 74 deletions(-) diff --git a/index.ts b/index.ts index dbf8b489..39da7acd 100644 --- a/index.ts +++ b/index.ts @@ -436,13 +436,13 @@ type EmbeddedPiRunner = (params: Record) => Promise; const requireFromHere = createRequire(import.meta.url); let embeddedPiRunnerPromise: Promise | null = null; -function toImportSpecifier(value: string): string { +export function toImportSpecifier(value: string): string { const trimmed = value.trim(); if (!trimmed) return ""; if (trimmed.startsWith("file://")) return trimmed; if (trimmed.startsWith("/")) return pathToFileURL(trimmed).href; - // Handle Windows absolute paths (e.g. C:\Users\... or D:/Program Files/...) - if (/^[a-zA-Z]:[/\\]/.test(trimmed)) return pathToFileURL(trimmed).href; + // Handle Windows absolute paths (e.g. C:\Users\... or D:/Program Files/...) — PR #593 + if (process.platform === 'win32' && /^[a-zA-Z]:[/\\]/.test(trimmed)) return pathToFileURL(trimmed).href; return trimmed; } function getExtensionApiImportSpecifiers(): string[] { diff --git a/scripts/ci-test-manifest.mjs b/scripts/ci-test-manifest.mjs index 52594d41..589304e5 100644 --- a/scripts/ci-test-manifest.mjs +++ b/scripts/ci-test-manifest.mjs @@ -15,6 +15,7 @@ export const CI_TEST_MANIFEST = [ { group: "storage-and-schema", runner: "node", file: "test/reflection-bypass-hook.test.mjs", args: ["--test"] }, { group: "storage-and-schema", runner: "node", file: "test/smart-extractor-scope-filter.test.mjs", args: ["--test"] }, { group: "storage-and-schema", runner: "node", file: "test/store-empty-scope-filter.test.mjs", args: ["--test"] }, + { group: "core-regression", runner: "node", file: "test/to-import-specifier-windows.test.mjs" }, { group: "core-regression", runner: "node", file: "test/recall-text-cleanup.test.mjs", args: ["--test"] }, { group: "storage-and-schema", runner: "node", file: "test/update-consistency-lancedb.test.mjs" }, { group: "core-regression", runner: "node", file: "test/strip-envelope-metadata.test.mjs", args: ["--test"] }, diff --git a/test/to-import-specifier-windows.test.mjs b/test/to-import-specifier-windows.test.mjs index 70772308..911ded94 100644 --- a/test/to-import-specifier-windows.test.mjs +++ b/test/to-import-specifier-windows.test.mjs @@ -1,28 +1,31 @@ /** * Test: toImportSpecifier and Windows path fallback - * PR #576 - Windows APPDATA path fallback for extensionAPI.js + * PR #593 - Windows path support for extensionAPI.js * - * Tests the behavior of `toImportSpecifier` and `getExtensionApiImportSpecifiers` - * using local implementations that mirror the PR #576 code exactly. - * Functions are NOT exported from index.ts, so we copy the logic to test it. + * Tests the behavior of `toImportSpecifier` and `getExtensionApiImportSpecifiers`. + * toImportSpecifier is imported from index.ts; getExtensionApiImportSpecifiers + * is a local copy that mirrors the PR #593 implementation (internal, not exported). */ import { describe, it } from "node:test"; import assert from "node:assert/strict"; import { join } from "node:path"; -import { pathToFileURL } from "node:url"; - -// Copy of the PR #576 toImportSpecifier implementation (index.ts:414-423) -function toImportSpecifier(value) { - const trimmed = value.trim(); - if (!trimmed) return ""; - if (trimmed.startsWith("file://")) return trimmed; - if (trimmed.startsWith("/")) return pathToFileURL(trimmed).href; - // Handle Windows absolute paths (e.g. C:\Users\... or D:/Program Files/...) - if (/^[a-zA-Z]:[/\\]/.test(trimmed)) return pathToFileURL(trimmed).href; - return trimmed; -} +import path from "node:path"; +import { fileURLToPath } from "node:url"; +import jitiFactory from "jiti"; + +const testDir = path.dirname(fileURLToPath(import.meta.url)); +const pluginSdkStubPath = path.resolve(testDir, "helpers", "openclaw-plugin-sdk-stub.mjs"); +const jitiLib = jitiFactory(import.meta.url, { + interopDefault: true, + alias: { + "openclaw/plugin-sdk": pluginSdkStubPath, + }, +}); -// Copy of the PR #576 getExtensionApiImportSpecifiers implementation (index.ts:425-444) +// Import the actual toImportSpecifier from index.ts via jiti (exported for testing) — PR #593 +const { toImportSpecifier } = jitiLib("../index.ts"); + +// Copy of the PR #593 getExtensionApiImportSpecifiers implementation (index.ts) // Note: intentionally does NOT include the requireFromHere.resolve() call (dead code) function getExtensionApiImportSpecifiers() { const envPath = process.env.OPENCLAW_EXTENSION_API_PATH?.trim(); @@ -79,38 +82,41 @@ describe("toImportSpecifier", () => { assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); }); - // --- Windows paths (PR #576 new fix) --- - it("converts Windows drive-letter backslash path to file:// URL", () => { - const result = toImportSpecifier("C:\\Users\\admin\\AppData\\Roaming\\npm\\node_modules\\openclaw\\dist\\extensionAPI.js"); - assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); - assert.ok(result.includes("C:/"), `Expected C:/ prefix, got: ${result}`); - }); + // --- Windows paths (PR #593) --- + // --- Windows paths (PR #593) - skip on non-Windows --- + if (process.platform === "win32") { + it("converts Windows drive-letter backslash path to file:// URL", () => { + const result = toImportSpecifier("C:\\Users\\admin\\AppData\\Roaming\\npm\\node_modules\\openclaw\\dist\\extensionAPI.js"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + assert.ok(result.includes("C:/"), `Expected C:/ prefix, got: ${result}`); + }); - it("converts Windows drive-letter forward-slash path to file:// URL", () => { - const result = toImportSpecifier("D:/Program Files/openclaw/dist/extensionAPI.js"); - assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); - assert.ok(result.includes("D:/"), `Expected D:/ prefix, got: ${result}`); - }); + it("converts Windows drive-letter forward-slash path to file:// URL", () => { + const result = toImportSpecifier("D:/Program Files/openclaw/dist/extensionAPI.js"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + assert.ok(result.includes("D:/"), `Expected D:/ prefix, got: ${result}`); + }); - it("converts Windows path with spaces to file:// URL", () => { - const result = toImportSpecifier("E:\\code\\my project\\file.js"); - assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); - }); + it("converts Windows path with spaces to file:// URL", () => { + const result = toImportSpecifier("E:\\code\\my project\\file.js"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + }); - it("rejects Windows drive letter without separator (C: -> unchanged)", () => { - const result = toImportSpecifier("C:"); - assert.equal(result, "C:"); - }); + it("rejects Windows drive letter without separator (C: -> unchanged)", () => { + const result = toImportSpecifier("C:"); + assert.equal(result, "C:"); + }); - it("rejects DOS 8.3 short path (C:path\\to\\file.js -> unchanged)", () => { - const result = toImportSpecifier("C:path\\to\\file.js"); - assert.equal(result, "C:path\\to\\file.js"); - }); + it("rejects DOS 8.3 short path (C:path\\to\\file.js -> unchanged)", () => { + const result = toImportSpecifier("C:path\\to\\file.js"); + assert.equal(result, "C:path\\to\\file.js"); + }); - it("rejects single-backslash UNC-like path (\\server\\share -> unchanged)", () => { - const result = toImportSpecifier("\\server\\share\\file.js"); - assert.equal(result, "\\server\\share\\file.js"); - }); + it("rejects single-backslash UNC-like path (\\server\\share -> unchanged)", () => { + const result = toImportSpecifier("\\server\\share\\file.js"); + assert.equal(result, "\\server\\share\\file.js"); + }); + } // --- Pass-through cases --- it("passes through file:// POSIX URL unchanged", () => { @@ -143,20 +149,22 @@ describe("toImportSpecifier", () => { assert.equal(result, ""); }); - it("handles path with trailing slash", () => { - const result = toImportSpecifier("C:\\Users\\admin\\"); - assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); - }); + if (process.platform === "win32") { + it("handles path with trailing slash", () => { + const result = toImportSpecifier("C:\\Users\\admin\\"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + }); - it("handles lowercase drive letter", () => { - const result = toImportSpecifier("c:\\users\\test\\file.js"); - assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); - }); + it("handles lowercase drive letter", () => { + const result = toImportSpecifier("c:\\users\\test\\file.js"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + }); - it("handles uppercase drive letter", () => { - const result = toImportSpecifier("E:\\Users\\Admin\\Desktop\\file.js"); - assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); - }); + it("handles uppercase drive letter", () => { + const result = toImportSpecifier("E:\\Users\\Admin\\Desktop\\file.js"); + assert.ok(result.startsWith("file://"), `Expected file:// URL, got: ${result}`); + }); + } }); // ============================================================================ @@ -239,22 +247,24 @@ describe("getExtensionApiImportSpecifiers", () => { }); // ============================================================================ -// Integration: pathToFileURL Windows path conversion +// Integration: pathToFileURL Windows path conversion (Windows-only) // ============================================================================ -describe("pathToFileURL Windows path conversion", () => { - it("produces valid file:// URL from Windows backslash path", async () => { - const { pathToFileURL } = await import("node:url"); - const input = "C:\\Users\\admin\\AppData\\Roaming\\npm\\node_modules\\openclaw\\dist\\extensionAPI.js"; - const result = pathToFileURL(input).href; - assert.equal(result, "file:///C:/Users/admin/AppData/Roaming/npm/node_modules/openclaw/dist/extensionAPI.js"); - }); +if (process.platform === "win32") { + describe("pathToFileURL Windows path conversion", () => { + it("produces valid file:// URL from Windows backslash path", async () => { + const { pathToFileURL } = await import("node:url"); + const input = "C:\\Users\\admin\\AppData\\Roaming\\npm\\node_modules\\openclaw\\dist\\extensionAPI.js"; + const result = pathToFileURL(input).href; + assert.equal(result, "file:///C:/Users/admin/AppData/Roaming/npm/node_modules/openclaw/dist/extensionAPI.js"); + }); - it("produces valid file:// URL from Windows forward-slash path", async () => { - const { pathToFileURL } = await import("node:url"); - const input = "D:/Program Files/openclaw/dist/extensionAPI.js"; - const result = pathToFileURL(input).href; - assert.ok(result.startsWith("file://")); - assert.ok(result.includes("D:/")); + it("produces valid file:// URL from Windows forward-slash path", async () => { + const { pathToFileURL } = await import("node:url"); + const input = "D:/Program Files/openclaw/dist/extensionAPI.js"; + const result = pathToFileURL(input).href; + assert.ok(result.startsWith("file://")); + assert.ok(result.includes("D:/")); + }); }); -}); \ No newline at end of file +} \ No newline at end of file From 33747a84343d0b59686be4690a7a5d757006d5a7 Mon Sep 17 00:00:00 2001 From: jlin53882 Date: Thu, 16 Apr 2026 11:00:29 +0800 Subject: [PATCH 3/3] fix: export getExtensionApiImportSpecifiers and import from index.ts in tests (F1) - Export getExtensionApiImportSpecifiers from index.ts:423 (was internal function) - Replace local test copy with jiti import from index.ts (tests now exercise production code) - Remove unused 'join' import from node:path - Update test header comment to reflect both functions are now imported from index.ts --- index.ts | 2 +- package-lock.json | 1 - test/to-import-specifier-windows.test.mjs | 29 +++-------------------- 3 files changed, 4 insertions(+), 28 deletions(-) diff --git a/index.ts b/index.ts index 39da7acd..9de36197 100644 --- a/index.ts +++ b/index.ts @@ -445,7 +445,7 @@ export function toImportSpecifier(value: string): string { if (process.platform === 'win32' && /^[a-zA-Z]:[/\\]/.test(trimmed)) return pathToFileURL(trimmed).href; return trimmed; } -function getExtensionApiImportSpecifiers(): string[] { +export function getExtensionApiImportSpecifiers(): string[] { const envPath = process.env.OPENCLAW_EXTENSION_API_PATH?.trim(); const specifiers: string[] = []; diff --git a/package-lock.json b/package-lock.json index 96bfabe4..de165655 100644 --- a/package-lock.json +++ b/package-lock.json @@ -233,7 +233,6 @@ "resolved": "https://registry.npmjs.org/apache-arrow/-/apache-arrow-18.1.0.tgz", "integrity": "sha512-v/ShMp57iBnBp4lDgV8Jx3d3Q5/Hac25FWmQ98eMahUiHPXcvwIMKJD0hBIgclm/FCG+LwPkAKtkRO1O/W0YGg==", "license": "Apache-2.0", - "peer": true, "dependencies": { "@swc/helpers": "^0.5.11", "@types/command-line-args": "^5.2.3", diff --git a/test/to-import-specifier-windows.test.mjs b/test/to-import-specifier-windows.test.mjs index 911ded94..d5bf9e84 100644 --- a/test/to-import-specifier-windows.test.mjs +++ b/test/to-import-specifier-windows.test.mjs @@ -3,12 +3,10 @@ * PR #593 - Windows path support for extensionAPI.js * * Tests the behavior of `toImportSpecifier` and `getExtensionApiImportSpecifiers`. - * toImportSpecifier is imported from index.ts; getExtensionApiImportSpecifiers - * is a local copy that mirrors the PR #593 implementation (internal, not exported). + * Both functions are imported from index.ts (exported for testing) — PR #593. */ import { describe, it } from "node:test"; import assert from "node:assert/strict"; -import { join } from "node:path"; import path from "node:path"; import { fileURLToPath } from "node:url"; import jitiFactory from "jiti"; @@ -22,29 +20,8 @@ const jitiLib = jitiFactory(import.meta.url, { }, }); -// Import the actual toImportSpecifier from index.ts via jiti (exported for testing) — PR #593 -const { toImportSpecifier } = jitiLib("../index.ts"); - -// Copy of the PR #593 getExtensionApiImportSpecifiers implementation (index.ts) -// Note: intentionally does NOT include the requireFromHere.resolve() call (dead code) -function getExtensionApiImportSpecifiers() { - const envPath = process.env.OPENCLAW_EXTENSION_API_PATH?.trim(); - const specifiers = []; - - if (envPath) specifiers.push(toImportSpecifier(envPath)); - specifiers.push("openclaw/dist/extensionAPI.js"); - - specifiers.push(toImportSpecifier("/usr/lib/node_modules/openclaw/dist/extensionAPI.js")); - specifiers.push(toImportSpecifier("/usr/local/lib/node_modules/openclaw/dist/extensionAPI.js")); - specifiers.push(toImportSpecifier("/opt/homebrew/lib/node_modules/openclaw/dist/extensionAPI.js")); - - if (process.platform === "win32" && process.env.APPDATA) { - const windowsNpmPath = join(process.env.APPDATA, "npm", "node_modules", "openclaw", "dist", "extensionAPI.js"); - specifiers.push(toImportSpecifier(windowsNpmPath)); - } - - return [...new Set(specifiers.filter(Boolean))]; -} +// Import actual implementations from index.ts via jiti (both exported for testing) — PR #593 +const { toImportSpecifier, getExtensionApiImportSpecifiers } = jitiLib("../index.ts"); // Env helper: set key to value, run fn, restore original function withEnv(key, value, fn) {