Compare commits

...

2 Commits

Author SHA1 Message Date
YeonGyu-Kim
9f94c5f178 fix(auto-update-checker): suppress background bun install output
Ultraworked with [Sisyphus](https://github.com/code-yeongyu/oh-my-opencode)

Co-authored-by: Sisyphus <clio-agent@sisyphuslabs.ai>
2026-03-08 02:16:03 +09:00
YeonGyu-Kim
ebd089fbc9 fix(config-manager): support silent bun install execution
Ultraworked with [Sisyphus](https://github.com/code-yeongyu/oh-my-opencode)

Co-authored-by: Sisyphus <clio-agent@sisyphuslabs.ai>
2026-03-08 02:15:56 +09:00
4 changed files with 185 additions and 20 deletions

View File

@@ -0,0 +1,96 @@
import { afterEach, beforeEach, describe, expect, it, spyOn } from "bun:test"
import * as loggerModule from "../../shared/logger"
import * as spawnWithWindowsHideModule from "../../shared/spawn-with-windows-hide"
import { resetConfigContext } from "./config-context"
import { runBunInstallWithDetails } from "./bun-install"
function createProc(
exitCode: number,
output?: { stdout?: string; stderr?: string }
): ReturnType<typeof spawnWithWindowsHideModule.spawnWithWindowsHide> {
return {
exited: Promise.resolve(exitCode),
exitCode,
stdout: output?.stdout ? new Blob([output.stdout]).stream() : undefined,
stderr: output?.stderr ? new Blob([output.stderr]).stream() : undefined,
kill: () => {},
} satisfies ReturnType<typeof spawnWithWindowsHideModule.spawnWithWindowsHide>
}
describe("runBunInstallWithDetails", () => {
beforeEach(() => {
process.env.OPENCODE_CONFIG_DIR = "/test/opencode"
resetConfigContext()
})
afterEach(() => {
resetConfigContext()
delete process.env.OPENCODE_CONFIG_DIR
})
it("inherits install output by default", async () => {
// given
const spawnSpy = spyOn(spawnWithWindowsHideModule, "spawnWithWindowsHide").mockReturnValue(createProc(0))
try {
// when
const result = await runBunInstallWithDetails()
// then
expect(result).toEqual({ success: true })
const [_, options] = spawnSpy.mock.calls[0] as Parameters<typeof spawnWithWindowsHideModule.spawnWithWindowsHide>
expect(options.stdout).toBe("inherit")
expect(options.stderr).toBe("inherit")
} finally {
spawnSpy.mockRestore()
}
})
it("pipes install output when requested", async () => {
// given
const spawnSpy = spyOn(spawnWithWindowsHideModule, "spawnWithWindowsHide").mockReturnValue(createProc(0))
try {
// when
const result = await runBunInstallWithDetails({ outputMode: "pipe" })
// then
expect(result).toEqual({ success: true })
const [_, options] = spawnSpy.mock.calls[0] as Parameters<typeof spawnWithWindowsHideModule.spawnWithWindowsHide>
expect(options.stdout).toBe("pipe")
expect(options.stderr).toBe("pipe")
} finally {
spawnSpy.mockRestore()
}
})
it("logs captured output when piped install fails", async () => {
// given
const spawnSpy = spyOn(spawnWithWindowsHideModule, "spawnWithWindowsHide").mockReturnValue(
createProc(1, {
stdout: "resolved 10 packages",
stderr: "network error",
})
)
const logSpy = spyOn(loggerModule, "log").mockImplementation(() => {})
try {
// when
const result = await runBunInstallWithDetails({ outputMode: "pipe" })
// then
expect(result).toEqual({
success: false,
error: "bun install failed with exit code 1",
})
expect(logSpy).toHaveBeenCalledWith("[bun-install] Captured output from failed bun install", {
stdout: "resolved 10 packages",
stderr: "network error",
})
} finally {
logSpy.mockRestore()
spawnSpy.mockRestore()
}
})
})

View File

@@ -1,9 +1,30 @@
import { getConfigDir } from "./config-context" import { getConfigDir } from "./config-context"
import { log } from "../../shared/logger"
import { spawnWithWindowsHide } from "../../shared/spawn-with-windows-hide" import { spawnWithWindowsHide } from "../../shared/spawn-with-windows-hide"
const BUN_INSTALL_TIMEOUT_SECONDS = 60 const BUN_INSTALL_TIMEOUT_SECONDS = 60
const BUN_INSTALL_TIMEOUT_MS = BUN_INSTALL_TIMEOUT_SECONDS * 1000 const BUN_INSTALL_TIMEOUT_MS = BUN_INSTALL_TIMEOUT_SECONDS * 1000
type BunInstallOutputMode = "inherit" | "pipe"
interface RunBunInstallOptions {
outputMode?: BunInstallOutputMode
}
interface BunInstallOutput {
stdout: string
stderr: string
}
declare function setTimeout(callback: () => void, delay?: number): number
declare function clearTimeout(timeout: number): void
type ProcessOutputStream = ReturnType<typeof spawnWithWindowsHide>["stdout"]
declare const Bun: {
readableStreamToText(stream: NonNullable<ProcessOutputStream>): Promise<string>
}
export interface BunInstallResult { export interface BunInstallResult {
success: boolean success: boolean
timedOut?: boolean timedOut?: boolean
@@ -15,21 +36,54 @@ export async function runBunInstall(): Promise<boolean> {
return result.success return result.success
} }
export async function runBunInstallWithDetails(): Promise<BunInstallResult> { function readProcessOutput(stream: ProcessOutputStream): Promise<string> {
if (!stream) {
return Promise.resolve("")
}
return Bun.readableStreamToText(stream)
}
function logCapturedOutputOnFailure(outputMode: BunInstallOutputMode, output: BunInstallOutput): void {
if (outputMode !== "pipe") {
return
}
const stdout = output.stdout.trim()
const stderr = output.stderr.trim()
if (!stdout && !stderr) {
return
}
log("[bun-install] Captured output from failed bun install", {
stdout,
stderr,
})
}
export async function runBunInstallWithDetails(options?: RunBunInstallOptions): Promise<BunInstallResult> {
const outputMode = options?.outputMode ?? "inherit"
try { try {
const proc = spawnWithWindowsHide(["bun", "install"], { const proc = spawnWithWindowsHide(["bun", "install"], {
cwd: getConfigDir(), cwd: getConfigDir(),
stdout: "inherit", stdout: outputMode,
stderr: "inherit", stderr: outputMode,
}) })
let timeoutId: ReturnType<typeof setTimeout> const outputPromise = Promise.all([readProcessOutput(proc.stdout), readProcessOutput(proc.stderr)]).then(
([stdout, stderr]) => ({ stdout, stderr })
)
let timeoutId: ReturnType<typeof setTimeout> | undefined
const timeoutPromise = new Promise<"timeout">((resolve) => { const timeoutPromise = new Promise<"timeout">((resolve) => {
timeoutId = setTimeout(() => resolve("timeout"), BUN_INSTALL_TIMEOUT_MS) timeoutId = setTimeout(() => resolve("timeout"), BUN_INSTALL_TIMEOUT_MS)
}) })
const exitPromise = proc.exited.then(() => "completed" as const) const exitPromise = proc.exited.then(() => "completed" as const)
const result = await Promise.race([exitPromise, timeoutPromise]) const result = await Promise.race([exitPromise, timeoutPromise])
clearTimeout(timeoutId!) if (timeoutId) {
clearTimeout(timeoutId)
}
if (result === "timeout") { if (result === "timeout") {
try { try {
@@ -37,6 +91,10 @@ export async function runBunInstallWithDetails(): Promise<BunInstallResult> {
} catch { } catch {
/* intentionally empty - process may have already exited */ /* intentionally empty - process may have already exited */
} }
await proc.exited
logCapturedOutputOnFailure(outputMode, await outputPromise)
return { return {
success: false, success: false,
timedOut: true, timedOut: true,
@@ -44,7 +102,11 @@ export async function runBunInstallWithDetails(): Promise<BunInstallResult> {
} }
} }
const output = await outputPromise
if (proc.exitCode !== 0) { if (proc.exitCode !== 0) {
logCapturedOutputOnFailure(outputMode, output)
return { return {
success: false, success: false,
error: `bun install failed with exit code ${proc.exitCode}`, error: `bun install failed with exit code ${proc.exitCode}`,

View File

@@ -25,7 +25,7 @@ const mockGetCachedVersion = mock((): string | null => "3.4.0")
const mockGetLatestVersion = mock(async (): Promise<string | null> => "3.5.0") const mockGetLatestVersion = mock(async (): Promise<string | null> => "3.5.0")
const mockExtractChannel = mock(() => "latest") const mockExtractChannel = mock(() => "latest")
const mockInvalidatePackage = mock(() => {}) const mockInvalidatePackage = mock(() => {})
const mockRunBunInstall = mock(async () => true) const mockRunBunInstallWithDetails = mock(async () => ({ success: true }))
const mockShowUpdateAvailableToast = mock( const mockShowUpdateAvailableToast = mock(
async (_ctx: PluginInput, _latestVersion: string, _getToastMessage: ToastMessageGetter): Promise<void> => {} async (_ctx: PluginInput, _latestVersion: string, _getToastMessage: ToastMessageGetter): Promise<void> => {}
) )
@@ -41,7 +41,7 @@ mock.module("../checker", () => ({
})) }))
mock.module("../version-channel", () => ({ extractChannel: mockExtractChannel })) mock.module("../version-channel", () => ({ extractChannel: mockExtractChannel }))
mock.module("../cache", () => ({ invalidatePackage: mockInvalidatePackage })) mock.module("../cache", () => ({ invalidatePackage: mockInvalidatePackage }))
mock.module("../../../cli/config-manager", () => ({ runBunInstall: mockRunBunInstall })) mock.module("../../../cli/config-manager", () => ({ runBunInstallWithDetails: mockRunBunInstallWithDetails }))
mock.module("./update-toasts", () => ({ mock.module("./update-toasts", () => ({
showUpdateAvailableToast: mockShowUpdateAvailableToast, showUpdateAvailableToast: mockShowUpdateAvailableToast,
showAutoUpdatedToast: mockShowAutoUpdatedToast, showAutoUpdatedToast: mockShowAutoUpdatedToast,
@@ -62,7 +62,7 @@ describe("runBackgroundUpdateCheck", () => {
mockGetLatestVersion.mockReset() mockGetLatestVersion.mockReset()
mockExtractChannel.mockReset() mockExtractChannel.mockReset()
mockInvalidatePackage.mockReset() mockInvalidatePackage.mockReset()
mockRunBunInstall.mockReset() mockRunBunInstallWithDetails.mockReset()
mockShowUpdateAvailableToast.mockReset() mockShowUpdateAvailableToast.mockReset()
mockShowAutoUpdatedToast.mockReset() mockShowAutoUpdatedToast.mockReset()
@@ -70,7 +70,7 @@ describe("runBackgroundUpdateCheck", () => {
mockGetCachedVersion.mockReturnValue("3.4.0") mockGetCachedVersion.mockReturnValue("3.4.0")
mockGetLatestVersion.mockResolvedValue("3.5.0") mockGetLatestVersion.mockResolvedValue("3.5.0")
mockExtractChannel.mockReturnValue("latest") mockExtractChannel.mockReturnValue("latest")
mockRunBunInstall.mockResolvedValue(true) mockRunBunInstallWithDetails.mockResolvedValue({ success: true })
}) })
describe("#given no plugin entry found", () => { describe("#given no plugin entry found", () => {
@@ -83,7 +83,7 @@ describe("runBackgroundUpdateCheck", () => {
expect(mockFindPluginEntry).toHaveBeenCalledTimes(1) expect(mockFindPluginEntry).toHaveBeenCalledTimes(1)
expect(mockShowUpdateAvailableToast).not.toHaveBeenCalled() expect(mockShowUpdateAvailableToast).not.toHaveBeenCalled()
expect(mockShowAutoUpdatedToast).not.toHaveBeenCalled() expect(mockShowAutoUpdatedToast).not.toHaveBeenCalled()
expect(mockRunBunInstall).not.toHaveBeenCalled() expect(mockRunBunInstallWithDetails).not.toHaveBeenCalled()
}) })
}) })
@@ -110,7 +110,7 @@ describe("runBackgroundUpdateCheck", () => {
await runBackgroundUpdateCheck(mockCtx, true, getToastMessage) await runBackgroundUpdateCheck(mockCtx, true, getToastMessage)
//#then //#then
expect(mockGetLatestVersion).toHaveBeenCalledWith("latest") expect(mockGetLatestVersion).toHaveBeenCalledWith("latest")
expect(mockRunBunInstall).not.toHaveBeenCalled() expect(mockRunBunInstallWithDetails).not.toHaveBeenCalled()
expect(mockShowUpdateAvailableToast).not.toHaveBeenCalled() expect(mockShowUpdateAvailableToast).not.toHaveBeenCalled()
expect(mockShowAutoUpdatedToast).not.toHaveBeenCalled() expect(mockShowAutoUpdatedToast).not.toHaveBeenCalled()
}) })
@@ -125,7 +125,7 @@ describe("runBackgroundUpdateCheck", () => {
await runBackgroundUpdateCheck(mockCtx, true, getToastMessage) await runBackgroundUpdateCheck(mockCtx, true, getToastMessage)
//#then //#then
expect(mockGetLatestVersion).toHaveBeenCalledTimes(1) expect(mockGetLatestVersion).toHaveBeenCalledTimes(1)
expect(mockRunBunInstall).not.toHaveBeenCalled() expect(mockRunBunInstallWithDetails).not.toHaveBeenCalled()
expect(mockShowUpdateAvailableToast).not.toHaveBeenCalled() expect(mockShowUpdateAvailableToast).not.toHaveBeenCalled()
expect(mockShowAutoUpdatedToast).not.toHaveBeenCalled() expect(mockShowAutoUpdatedToast).not.toHaveBeenCalled()
}) })
@@ -139,7 +139,7 @@ describe("runBackgroundUpdateCheck", () => {
await runBackgroundUpdateCheck(mockCtx, autoUpdate, getToastMessage) await runBackgroundUpdateCheck(mockCtx, autoUpdate, getToastMessage)
//#then //#then
expect(mockShowUpdateAvailableToast).toHaveBeenCalledWith(mockCtx, "3.5.0", getToastMessage) expect(mockShowUpdateAvailableToast).toHaveBeenCalledWith(mockCtx, "3.5.0", getToastMessage)
expect(mockRunBunInstall).not.toHaveBeenCalled() expect(mockRunBunInstallWithDetails).not.toHaveBeenCalled()
expect(mockShowAutoUpdatedToast).not.toHaveBeenCalled() expect(mockShowAutoUpdatedToast).not.toHaveBeenCalled()
}) })
}) })
@@ -152,7 +152,7 @@ describe("runBackgroundUpdateCheck", () => {
await runBackgroundUpdateCheck(mockCtx, true, getToastMessage) await runBackgroundUpdateCheck(mockCtx, true, getToastMessage)
//#then //#then
expect(mockShowUpdateAvailableToast).toHaveBeenCalledTimes(1) expect(mockShowUpdateAvailableToast).toHaveBeenCalledTimes(1)
expect(mockRunBunInstall).not.toHaveBeenCalled() expect(mockRunBunInstallWithDetails).not.toHaveBeenCalled()
expect(mockShowAutoUpdatedToast).not.toHaveBeenCalled() expect(mockShowAutoUpdatedToast).not.toHaveBeenCalled()
}) })
@@ -182,12 +182,13 @@ describe("runBackgroundUpdateCheck", () => {
describe("#given unpinned with auto-update and install succeeds", () => { describe("#given unpinned with auto-update and install succeeds", () => {
it("invalidates cache, installs, and shows auto-updated toast", async () => { it("invalidates cache, installs, and shows auto-updated toast", async () => {
//#given //#given
mockRunBunInstall.mockResolvedValue(true) mockRunBunInstallWithDetails.mockResolvedValue({ success: true })
//#when //#when
await runBackgroundUpdateCheck(mockCtx, true, getToastMessage) await runBackgroundUpdateCheck(mockCtx, true, getToastMessage)
//#then //#then
expect(mockInvalidatePackage).toHaveBeenCalledTimes(1) expect(mockInvalidatePackage).toHaveBeenCalledTimes(1)
expect(mockRunBunInstall).toHaveBeenCalledTimes(1) expect(mockRunBunInstallWithDetails).toHaveBeenCalledTimes(1)
expect(mockRunBunInstallWithDetails).toHaveBeenCalledWith({ outputMode: "pipe" })
expect(mockShowAutoUpdatedToast).toHaveBeenCalledWith(mockCtx, "3.4.0", "3.5.0") expect(mockShowAutoUpdatedToast).toHaveBeenCalledWith(mockCtx, "3.4.0", "3.5.0")
expect(mockShowUpdateAvailableToast).not.toHaveBeenCalled() expect(mockShowUpdateAvailableToast).not.toHaveBeenCalled()
}) })
@@ -196,11 +197,12 @@ describe("runBackgroundUpdateCheck", () => {
describe("#given unpinned with auto-update and install fails", () => { describe("#given unpinned with auto-update and install fails", () => {
it("falls back to notification-only toast", async () => { it("falls back to notification-only toast", async () => {
//#given //#given
mockRunBunInstall.mockResolvedValue(false) mockRunBunInstallWithDetails.mockResolvedValue({ success: false, error: "install failed" })
//#when //#when
await runBackgroundUpdateCheck(mockCtx, true, getToastMessage) await runBackgroundUpdateCheck(mockCtx, true, getToastMessage)
//#then //#then
expect(mockRunBunInstall).toHaveBeenCalledTimes(1) expect(mockRunBunInstallWithDetails).toHaveBeenCalledTimes(1)
expect(mockRunBunInstallWithDetails).toHaveBeenCalledWith({ outputMode: "pipe" })
expect(mockShowUpdateAvailableToast).toHaveBeenCalledWith(mockCtx, "3.5.0", getToastMessage) expect(mockShowUpdateAvailableToast).toHaveBeenCalledWith(mockCtx, "3.5.0", getToastMessage)
expect(mockShowAutoUpdatedToast).not.toHaveBeenCalled() expect(mockShowAutoUpdatedToast).not.toHaveBeenCalled()
}) })

View File

@@ -1,5 +1,5 @@
import type { PluginInput } from "@opencode-ai/plugin" import type { PluginInput } from "@opencode-ai/plugin"
import { runBunInstall } from "../../../cli/config-manager" import { runBunInstallWithDetails } from "../../../cli/config-manager"
import { log } from "../../../shared/logger" import { log } from "../../../shared/logger"
import { invalidatePackage } from "../cache" import { invalidatePackage } from "../cache"
import { PACKAGE_NAME } from "../constants" import { PACKAGE_NAME } from "../constants"
@@ -13,7 +13,12 @@ function getPinnedVersionToastMessage(latestVersion: string): string {
async function runBunInstallSafe(): Promise<boolean> { async function runBunInstallSafe(): Promise<boolean> {
try { try {
return await runBunInstall() const result = await runBunInstallWithDetails({ outputMode: "pipe" })
if (!result.success && result.error) {
log("[auto-update-checker] bun install failed:", result.error)
}
return result.success
} catch (err) { } catch (err) {
const errorMessage = err instanceof Error ? err.message : String(err) const errorMessage = err instanceof Error ? err.message : String(err)
log("[auto-update-checker] bun install error:", errorMessage) log("[auto-update-checker] bun install error:", errorMessage)