test: migrate prompt tests to HTTP mock LLM server (#20304)

pull/20369/head
Kit Langton 2026-03-31 19:14:32 -04:00 committed by GitHub
parent 53330a518f
commit 0c03a3ee10
No known key found for this signature in database
GPG Key ID: B5690EEEBB952194
27 changed files with 1140 additions and 711 deletions

View File

@ -90,8 +90,9 @@ export namespace Bus {
if (ps) yield* PubSub.publish(ps, payload) if (ps) yield* PubSub.publish(ps, payload)
yield* PubSub.publish(state.wildcard, payload) yield* PubSub.publish(state.wildcard, payload)
const dir = yield* InstanceState.directory
GlobalBus.emit("event", { GlobalBus.emit("event", {
directory: Instance.directory, directory: dir,
payload, payload,
}) })
}) })

View File

@ -1486,7 +1486,8 @@ export namespace Config {
}) })
const update = Effect.fn("Config.update")(function* (config: Info) { const update = Effect.fn("Config.update")(function* (config: Info) {
const file = path.join(Instance.directory, "config.json") const dir = yield* InstanceState.directory
const file = path.join(dir, "config.json")
const existing = yield* loadFile(file) const existing = yield* loadFile(file)
yield* fs.writeFileString(file, JSON.stringify(mergeDeep(existing, config), null, 2)).pipe(Effect.orDie) yield* fs.writeFileString(file, JSON.stringify(mergeDeep(existing, config), null, 2)).pipe(Effect.orDie)
yield* Effect.promise(() => Instance.dispose()) yield* Effect.promise(() => Instance.dispose())

View File

@ -0,0 +1,6 @@
import { ServiceMap } from "effect"
import type { InstanceContext } from "@/project/instance"
export const InstanceRef = ServiceMap.Reference<InstanceContext | undefined>("~opencode/InstanceRef", {
defaultValue: () => undefined,
})

View File

@ -1,5 +1,7 @@
import { Effect, ScopedCache, Scope } from "effect" import { Effect, Fiber, ScopedCache, Scope, ServiceMap } from "effect"
import { Instance, type InstanceContext } from "@/project/instance" import { Instance, type InstanceContext } from "@/project/instance"
import { Context } from "@/util/context"
import { InstanceRef } from "./instance-ref"
import { registerDisposer } from "./instance-registry" import { registerDisposer } from "./instance-registry"
const TypeId = "~opencode/InstanceState" const TypeId = "~opencode/InstanceState"
@ -10,13 +12,34 @@ export interface InstanceState<A, E = never, R = never> {
} }
export namespace InstanceState { export namespace InstanceState {
export const bind = <F extends (...args: any[]) => any>(fn: F): F => {
try {
return Instance.bind(fn)
} catch (err) {
if (!(err instanceof Context.NotFound)) throw err
}
const fiber = Fiber.getCurrent()
const ctx = fiber ? ServiceMap.getReferenceUnsafe(fiber.services, InstanceRef) : undefined
if (!ctx) return fn
return ((...args: any[]) => Instance.restore(ctx, () => fn(...args))) as F
}
export const context = Effect.fnUntraced(function* () {
return (yield* InstanceRef) ?? Instance.current
})()
export const directory = Effect.map(context, (ctx) => ctx.directory)
export const make = <A, E = never, R = never>( export const make = <A, E = never, R = never>(
init: (ctx: InstanceContext) => Effect.Effect<A, E, R | Scope.Scope>, init: (ctx: InstanceContext) => Effect.Effect<A, E, R | Scope.Scope>,
): Effect.Effect<InstanceState<A, E, Exclude<R, Scope.Scope>>, never, R | Scope.Scope> => ): Effect.Effect<InstanceState<A, E, Exclude<R, Scope.Scope>>, never, R | Scope.Scope> =>
Effect.gen(function* () { Effect.gen(function* () {
const cache = yield* ScopedCache.make<string, A, E, R>({ const cache = yield* ScopedCache.make<string, A, E, R>({
capacity: Number.POSITIVE_INFINITY, capacity: Number.POSITIVE_INFINITY,
lookup: () => init(Instance.current), lookup: () =>
Effect.fnUntraced(function* () {
return yield* init(yield* context)
})(),
}) })
const off = registerDisposer((directory) => Effect.runPromise(ScopedCache.invalidate(cache, directory))) const off = registerDisposer((directory) => Effect.runPromise(ScopedCache.invalidate(cache, directory)))
@ -29,7 +52,9 @@ export namespace InstanceState {
}) })
export const get = <A, E, R>(self: InstanceState<A, E, R>) => export const get = <A, E, R>(self: InstanceState<A, E, R>) =>
Effect.suspend(() => ScopedCache.get(self.cache, Instance.directory)) Effect.gen(function* () {
return yield* ScopedCache.get(self.cache, yield* directory)
})
export const use = <A, E, R, B>(self: InstanceState<A, E, R>, select: (value: A) => B) => export const use = <A, E, R, B>(self: InstanceState<A, E, R>, select: (value: A) => B) =>
Effect.map(get(self), select) Effect.map(get(self), select)
@ -40,8 +65,18 @@ export namespace InstanceState {
) => Effect.flatMap(get(self), select) ) => Effect.flatMap(get(self), select)
export const has = <A, E, R>(self: InstanceState<A, E, R>) => export const has = <A, E, R>(self: InstanceState<A, E, R>) =>
Effect.suspend(() => ScopedCache.has(self.cache, Instance.directory)) Effect.gen(function* () {
return yield* ScopedCache.has(self.cache, yield* directory)
})
export const invalidate = <A, E, R>(self: InstanceState<A, E, R>) => export const invalidate = <A, E, R>(self: InstanceState<A, E, R>) =>
Effect.suspend(() => ScopedCache.invalidate(self.cache, Instance.directory)) Effect.gen(function* () {
return yield* ScopedCache.invalidate(self.cache, yield* directory)
})
/**
* Effect finalizers run on the fiber scheduler after the original async
* boundary, so ALS reads like Instance.directory can be gone by then.
*/
export const withALS = <T>(fn: () => T) => Effect.map(context, (ctx) => Instance.restore(ctx, fn))
} }

View File

@ -1,19 +1,33 @@
import { Effect, Layer, ManagedRuntime } from "effect" import { Effect, Layer, ManagedRuntime } from "effect"
import * as ServiceMap from "effect/ServiceMap" import * as ServiceMap from "effect/ServiceMap"
import { Instance } from "@/project/instance"
import { Context } from "@/util/context"
import { InstanceRef } from "./instance-ref"
export const memoMap = Layer.makeMemoMapUnsafe() export const memoMap = Layer.makeMemoMapUnsafe()
function attach<A, E, R>(effect: Effect.Effect<A, E, R>): Effect.Effect<A, E, R> {
try {
const ctx = Instance.current
return Effect.provideService(effect, InstanceRef, ctx)
} catch (err) {
if (!(err instanceof Context.NotFound)) throw err
}
return effect
}
export function makeRuntime<I, S, E>(service: ServiceMap.Service<I, S>, layer: Layer.Layer<I, E>) { export function makeRuntime<I, S, E>(service: ServiceMap.Service<I, S>, layer: Layer.Layer<I, E>) {
let rt: ManagedRuntime.ManagedRuntime<I, E> | undefined let rt: ManagedRuntime.ManagedRuntime<I, E> | undefined
const getRuntime = () => (rt ??= ManagedRuntime.make(layer, { memoMap })) const getRuntime = () => (rt ??= ManagedRuntime.make(layer, { memoMap }))
return { return {
runSync: <A, Err>(fn: (svc: S) => Effect.Effect<A, Err, I>) => getRuntime().runSync(service.use(fn)), runSync: <A, Err>(fn: (svc: S) => Effect.Effect<A, Err, I>) => getRuntime().runSync(attach(service.use(fn))),
runPromiseExit: <A, Err>(fn: (svc: S) => Effect.Effect<A, Err, I>, options?: Effect.RunOptions) => runPromiseExit: <A, Err>(fn: (svc: S) => Effect.Effect<A, Err, I>, options?: Effect.RunOptions) =>
getRuntime().runPromiseExit(service.use(fn), options), getRuntime().runPromiseExit(attach(service.use(fn)), options),
runPromise: <A, Err>(fn: (svc: S) => Effect.Effect<A, Err, I>, options?: Effect.RunOptions) => runPromise: <A, Err>(fn: (svc: S) => Effect.Effect<A, Err, I>, options?: Effect.RunOptions) =>
getRuntime().runPromise(service.use(fn), options), getRuntime().runPromise(attach(service.use(fn)), options),
runFork: <A, Err>(fn: (svc: S) => Effect.Effect<A, Err, I>) => getRuntime().runFork(service.use(fn)), runFork: <A, Err>(fn: (svc: S) => Effect.Effect<A, Err, I>) => getRuntime().runFork(attach(service.use(fn))),
runCallback: <A, Err>(fn: (svc: S) => Effect.Effect<A, Err, I>) => getRuntime().runCallback(service.use(fn)), runCallback: <A, Err>(fn: (svc: S) => Effect.Effect<A, Err, I>) =>
getRuntime().runCallback(attach(service.use(fn))),
} }
} }

View File

@ -108,10 +108,11 @@ export namespace Format {
for (const item of yield* Effect.promise(() => getFormatter(ext))) { for (const item of yield* Effect.promise(() => getFormatter(ext))) {
log.info("running", { command: item.command }) log.info("running", { command: item.command })
const cmd = item.command.map((x) => x.replace("$FILE", filepath)) const cmd = item.command.map((x) => x.replace("$FILE", filepath))
const dir = yield* InstanceState.directory
const code = yield* spawner const code = yield* spawner
.spawn( .spawn(
ChildProcess.make(cmd[0]!, cmd.slice(1), { ChildProcess.make(cmd[0]!, cmd.slice(1), {
cwd: Instance.directory, cwd: dir,
env: item.environment, env: item.environment,
extendEnv: true, extendEnv: true,
}), }),

View File

@ -9,11 +9,7 @@ import z from "zod"
import { BusEvent } from "@/bus/bus-event" import { BusEvent } from "@/bus/bus-event"
import { Flag } from "../flag/flag" import { Flag } from "../flag/flag"
import { Log } from "../util/log" import { Log } from "../util/log"
import { CHANNEL as channel, VERSION as version } from "./meta"
declare global {
const OPENCODE_VERSION: string
const OPENCODE_CHANNEL: string
}
import semver from "semver" import semver from "semver"
@ -60,8 +56,8 @@ export namespace Installation {
}) })
export type Info = z.infer<typeof Info> export type Info = z.infer<typeof Info>
export const VERSION = typeof OPENCODE_VERSION === "string" ? OPENCODE_VERSION : "local" export const VERSION = version
export const CHANNEL = typeof OPENCODE_CHANNEL === "string" ? OPENCODE_CHANNEL : "local" export const CHANNEL = channel
export const USER_AGENT = `opencode/${CHANNEL}/${VERSION}/${Flag.OPENCODE_CLIENT}` export const USER_AGENT = `opencode/${CHANNEL}/${VERSION}/${Flag.OPENCODE_CLIENT}`
export function isPreview() { export function isPreview() {

View File

@ -0,0 +1,7 @@
declare global {
const OPENCODE_VERSION: string
const OPENCODE_CHANNEL: string
}
export const VERSION = typeof OPENCODE_VERSION === "string" ? OPENCODE_VERSION : "local"
export const CHANNEL = typeof OPENCODE_CHANNEL === "string" ? OPENCODE_CHANNEL : "local"

View File

@ -114,6 +114,14 @@ export const Instance = {
const ctx = context.use() const ctx = context.use()
return ((...args: any[]) => context.provide(ctx, () => fn(...args))) as F return ((...args: any[]) => context.provide(ctx, () => fn(...args))) as F
}, },
/**
* Run a synchronous function within the given instance context ALS.
* Use this to bridge from Effect (where InstanceRef carries context)
* back to sync code that reads Instance.directory from ALS.
*/
restore<R>(ctx: InstanceContext, fn: () => R): R {
return context.provide(ctx, fn)
},
state<S>(init: () => S, dispose?: (state: Awaited<S>) => Promise<void>): () => S { state<S>(init: () => S, dispose?: (state: Awaited<S>) => Promise<void>): () => S {
return State.create(() => Instance.directory, init, dispose) return State.create(() => Instance.directory, init, dispose)
}, },

View File

@ -17,6 +17,7 @@ import { NotFoundError } from "@/storage/db"
import { ModelID, ProviderID } from "@/provider/schema" import { ModelID, ProviderID } from "@/provider/schema"
import { Effect, Layer, ServiceMap } from "effect" import { Effect, Layer, ServiceMap } from "effect"
import { makeRuntime } from "@/effect/run-service" import { makeRuntime } from "@/effect/run-service"
import { InstanceState } from "@/effect/instance-state"
import { isOverflow as overflow } from "./overflow" import { isOverflow as overflow } from "./overflow"
export namespace SessionCompaction { export namespace SessionCompaction {
@ -213,6 +214,7 @@ When constructing the summary, try to stick to this template:
const msgs = structuredClone(messages) const msgs = structuredClone(messages)
yield* plugin.trigger("experimental.chat.messages.transform", {}, { messages: msgs }) yield* plugin.trigger("experimental.chat.messages.transform", {}, { messages: msgs })
const modelMessages = yield* Effect.promise(() => MessageV2.toModelMessages(msgs, model, { stripMedia: true })) const modelMessages = yield* Effect.promise(() => MessageV2.toModelMessages(msgs, model, { stripMedia: true }))
const ctx = yield* InstanceState.context
const msg: MessageV2.Assistant = { const msg: MessageV2.Assistant = {
id: MessageID.ascending(), id: MessageID.ascending(),
role: "assistant", role: "assistant",
@ -223,8 +225,8 @@ When constructing the summary, try to stick to this template:
variant: userMessage.variant, variant: userMessage.variant,
summary: true, summary: true,
path: { path: {
cwd: Instance.directory, cwd: ctx.directory,
root: Instance.worktree, root: ctx.worktree,
}, },
cost: 0, cost: 0,
tokens: { tokens: {

View File

@ -19,6 +19,7 @@ import { Log } from "../util/log"
import { updateSchema } from "../util/update-schema" import { updateSchema } from "../util/update-schema"
import { MessageV2 } from "./message-v2" import { MessageV2 } from "./message-v2"
import { Instance } from "../project/instance" import { Instance } from "../project/instance"
import { InstanceState } from "@/effect/instance-state"
import { SessionPrompt } from "./prompt" import { SessionPrompt } from "./prompt"
import { fn } from "@/util/fn" import { fn } from "@/util/fn"
import { Command } from "../command" import { Command } from "../command"
@ -382,11 +383,12 @@ export namespace Session {
directory: string directory: string
permission?: Permission.Ruleset permission?: Permission.Ruleset
}) { }) {
const ctx = yield* InstanceState.context
const result: Info = { const result: Info = {
id: SessionID.descending(input.id), id: SessionID.descending(input.id),
slug: Slug.create(), slug: Slug.create(),
version: Installation.VERSION, version: Installation.VERSION,
projectID: Instance.project.id, projectID: ctx.project.id,
directory: input.directory, directory: input.directory,
workspaceID: input.workspaceID, workspaceID: input.workspaceID,
parentID: input.parentID, parentID: input.parentID,
@ -444,12 +446,12 @@ export namespace Session {
}) })
const children = Effect.fn("Session.children")(function* (parentID: SessionID) { const children = Effect.fn("Session.children")(function* (parentID: SessionID) {
const project = Instance.project const ctx = yield* InstanceState.context
const rows = yield* db((d) => const rows = yield* db((d) =>
d d
.select() .select()
.from(SessionTable) .from(SessionTable)
.where(and(eq(SessionTable.project_id, project.id), eq(SessionTable.parent_id, parentID))) .where(and(eq(SessionTable.project_id, ctx.project.id), eq(SessionTable.parent_id, parentID)))
.all(), .all(),
) )
return rows.map(fromRow) return rows.map(fromRow)
@ -496,9 +498,10 @@ export namespace Session {
permission?: Permission.Ruleset permission?: Permission.Ruleset
workspaceID?: WorkspaceID workspaceID?: WorkspaceID
}) { }) {
const directory = yield* InstanceState.directory
return yield* createNext({ return yield* createNext({
parentID: input?.parentID, parentID: input?.parentID,
directory: Instance.directory, directory,
title: input?.title, title: input?.title,
permission: input?.permission, permission: input?.permission,
workspaceID: input?.workspaceID, workspaceID: input?.workspaceID,
@ -506,10 +509,11 @@ export namespace Session {
}) })
const fork = Effect.fn("Session.fork")(function* (input: { sessionID: SessionID; messageID?: MessageID }) { const fork = Effect.fn("Session.fork")(function* (input: { sessionID: SessionID; messageID?: MessageID }) {
const directory = yield* InstanceState.directory
const original = yield* get(input.sessionID) const original = yield* get(input.sessionID)
const title = getForkedTitle(original.title) const title = getForkedTitle(original.title)
const session = yield* createNext({ const session = yield* createNext({
directory: Instance.directory, directory,
workspaceID: original.workspaceID, workspaceID: original.workspaceID,
title, title,
}) })

View File

@ -148,6 +148,7 @@ export namespace SessionPrompt {
}) })
const resolvePromptParts = Effect.fn("SessionPrompt.resolvePromptParts")(function* (template: string) { const resolvePromptParts = Effect.fn("SessionPrompt.resolvePromptParts")(function* (template: string) {
const ctx = yield* InstanceState.context
const parts: PromptInput["parts"] = [{ type: "text", text: template }] const parts: PromptInput["parts"] = [{ type: "text", text: template }]
const files = ConfigMarkdown.files(template) const files = ConfigMarkdown.files(template)
const seen = new Set<string>() const seen = new Set<string>()
@ -159,7 +160,7 @@ export namespace SessionPrompt {
seen.add(name) seen.add(name)
const filepath = name.startsWith("~/") const filepath = name.startsWith("~/")
? path.join(os.homedir(), name.slice(2)) ? path.join(os.homedir(), name.slice(2))
: path.resolve(Instance.worktree, name) : path.resolve(ctx.worktree, name)
const info = yield* fsys.stat(filepath).pipe(Effect.option) const info = yield* fsys.stat(filepath).pipe(Effect.option)
if (Option.isNone(info)) { if (Option.isNone(info)) {
@ -553,6 +554,7 @@ NOTE: At any point in time through this workflow you should feel free to ask the
msgs: MessageV2.WithParts[] msgs: MessageV2.WithParts[]
}) { }) {
const { task, model, lastUser, sessionID, session, msgs } = input const { task, model, lastUser, sessionID, session, msgs } = input
const ctx = yield* InstanceState.context
const taskTool = yield* Effect.promise(() => TaskTool.init()) const taskTool = yield* Effect.promise(() => TaskTool.init())
const taskModel = task.model ? yield* getModel(task.model.providerID, task.model.modelID, sessionID) : model const taskModel = task.model ? yield* getModel(task.model.providerID, task.model.modelID, sessionID) : model
const assistantMessage: MessageV2.Assistant = yield* sessions.updateMessage({ const assistantMessage: MessageV2.Assistant = yield* sessions.updateMessage({
@ -563,7 +565,7 @@ NOTE: At any point in time through this workflow you should feel free to ask the
mode: task.agent, mode: task.agent,
agent: task.agent, agent: task.agent,
variant: lastUser.variant, variant: lastUser.variant,
path: { cwd: Instance.directory, root: Instance.worktree }, path: { cwd: ctx.directory, root: ctx.worktree },
cost: 0, cost: 0,
tokens: { input: 0, output: 0, reasoning: 0, cache: { read: 0, write: 0 } }, tokens: { input: 0, output: 0, reasoning: 0, cache: { read: 0, write: 0 } },
modelID: taskModel.id, modelID: taskModel.id,
@ -734,6 +736,7 @@ NOTE: At any point in time through this workflow you should feel free to ask the
}) })
const shellImpl = Effect.fn("SessionPrompt.shellImpl")(function* (input: ShellInput, signal: AbortSignal) { const shellImpl = Effect.fn("SessionPrompt.shellImpl")(function* (input: ShellInput, signal: AbortSignal) {
const ctx = yield* InstanceState.context
const session = yield* sessions.get(input.sessionID) const session = yield* sessions.get(input.sessionID)
if (session.revert) { if (session.revert) {
yield* Effect.promise(() => SessionRevert.cleanup(session)) yield* Effect.promise(() => SessionRevert.cleanup(session))
@ -773,7 +776,7 @@ NOTE: At any point in time through this workflow you should feel free to ask the
mode: input.agent, mode: input.agent,
agent: input.agent, agent: input.agent,
cost: 0, cost: 0,
path: { cwd: Instance.directory, root: Instance.worktree }, path: { cwd: ctx.directory, root: ctx.worktree },
time: { created: Date.now() }, time: { created: Date.now() },
role: "assistant", role: "assistant",
tokens: { input: 0, output: 0, reasoning: 0, cache: { read: 0, write: 0 } }, tokens: { input: 0, output: 0, reasoning: 0, cache: { read: 0, write: 0 } },
@ -832,7 +835,7 @@ NOTE: At any point in time through this workflow you should feel free to ask the
} }
const args = (invocations[shellName] ?? invocations[""]).args const args = (invocations[shellName] ?? invocations[""]).args
const cwd = Instance.directory const cwd = ctx.directory
const shellEnv = yield* plugin.trigger( const shellEnv = yield* plugin.trigger(
"shell.env", "shell.env",
{ cwd, sessionID: input.sessionID, callID: part.callID }, { cwd, sessionID: input.sessionID, callID: part.callID },
@ -976,7 +979,7 @@ NOTE: At any point in time through this workflow you should feel free to ask the
variant, variant,
} }
yield* Effect.addFinalizer(() => Effect.sync(() => InstructionPrompt.clear(info.id))) yield* Effect.addFinalizer(() => InstanceState.withALS(() => InstructionPrompt.clear(info.id)))
type Draft<T> = T extends MessageV2.Part ? Omit<T, "id"> & { id?: string } : never type Draft<T> = T extends MessageV2.Part ? Omit<T, "id"> & { id?: string } : never
const assign = (part: Draft<MessageV2.Part>): MessageV2.Part => ({ const assign = (part: Draft<MessageV2.Part>): MessageV2.Part => ({
@ -1330,6 +1333,7 @@ NOTE: At any point in time through this workflow you should feel free to ask the
const runLoop: (sessionID: SessionID) => Effect.Effect<MessageV2.WithParts> = Effect.fn("SessionPrompt.run")( const runLoop: (sessionID: SessionID) => Effect.Effect<MessageV2.WithParts> = Effect.fn("SessionPrompt.run")(
function* (sessionID: SessionID) { function* (sessionID: SessionID) {
const ctx = yield* InstanceState.context
let structured: unknown | undefined let structured: unknown | undefined
let step = 0 let step = 0
const session = yield* sessions.get(sessionID) const session = yield* sessions.get(sessionID)
@ -1421,7 +1425,7 @@ NOTE: At any point in time through this workflow you should feel free to ask the
mode: agent.name, mode: agent.name,
agent: agent.name, agent: agent.name,
variant: lastUser.variant, variant: lastUser.variant,
path: { cwd: Instance.directory, root: Instance.worktree }, path: { cwd: ctx.directory, root: ctx.worktree },
cost: 0, cost: 0,
tokens: { input: 0, output: 0, reasoning: 0, cache: { read: 0, write: 0 } }, tokens: { input: 0, output: 0, reasoning: 0, cache: { read: 0, write: 0 } },
modelID: model.id, modelID: model.id,
@ -1538,7 +1542,7 @@ NOTE: At any point in time through this workflow you should feel free to ask the
}), }),
Effect.fnUntraced(function* (exit) { Effect.fnUntraced(function* (exit) {
if (Exit.isFailure(exit) && Cause.hasInterruptsOnly(exit.cause)) yield* handle.abort() if (Exit.isFailure(exit) && Cause.hasInterruptsOnly(exit.cause)) yield* handle.abort()
InstructionPrompt.clear(handle.message.id) yield* InstanceState.withALS(() => InstructionPrompt.clear(handle.message.id))
}), }),
) )
if (outcome === "break") break if (outcome === "break") break

View File

@ -10,8 +10,9 @@ import { NamedError } from "@opencode-ai/util/error"
import z from "zod" import z from "zod"
import path from "path" import path from "path"
import { readFileSync, readdirSync, existsSync } from "fs" import { readFileSync, readdirSync, existsSync } from "fs"
import { Installation } from "../installation"
import { Flag } from "../flag/flag" import { Flag } from "../flag/flag"
import { CHANNEL } from "../installation/meta"
import { InstanceState } from "@/effect/instance-state"
import { iife } from "@/util/iife" import { iife } from "@/util/iife"
import { init } from "#db" import { init } from "#db"
@ -28,10 +29,9 @@ const log = Log.create({ service: "db" })
export namespace Database { export namespace Database {
export function getChannelPath() { export function getChannelPath() {
const channel = Installation.CHANNEL if (["latest", "beta"].includes(CHANNEL) || Flag.OPENCODE_DISABLE_CHANNEL_DB)
if (["latest", "beta"].includes(channel) || Flag.OPENCODE_DISABLE_CHANNEL_DB)
return path.join(Global.Path.data, "opencode.db") return path.join(Global.Path.data, "opencode.db")
const safe = channel.replace(/[^a-zA-Z0-9._-]/g, "-") const safe = CHANNEL.replace(/[^a-zA-Z0-9._-]/g, "-")
return path.join(Global.Path.data, `opencode-${safe}.db`) return path.join(Global.Path.data, `opencode-${safe}.db`)
} }
@ -142,10 +142,11 @@ export namespace Database {
} }
export function effect(fn: () => any | Promise<any>) { export function effect(fn: () => any | Promise<any>) {
const bound = InstanceState.bind(fn)
try { try {
ctx.use().effects.push(fn) ctx.use().effects.push(bound)
} catch { } catch {
fn() bound()
} }
} }
@ -162,12 +163,8 @@ export namespace Database {
} catch (err) { } catch (err) {
if (err instanceof Context.NotFound) { if (err instanceof Context.NotFound) {
const effects: (() => void | Promise<void>)[] = [] const effects: (() => void | Promise<void>)[] = []
const result = Client().transaction( const txCallback = InstanceState.bind((tx: TxOrDb) => ctx.provide({ tx, effects }, () => callback(tx)))
(tx: TxOrDb) => { const result = Client().transaction(txCallback, { behavior: options?.behavior })
return ctx.provide({ tx, effects }, () => callback(tx))
},
{ behavior: options?.behavior },
)
for (const effect of effects) effect() for (const effect of effects) effect()
return result as NotPromise<T> return result as NotPromise<T>
} }

View File

@ -18,6 +18,7 @@ import { NodePath } from "@effect/platform-node"
import { AppFileSystem } from "@/filesystem" import { AppFileSystem } from "@/filesystem"
import { makeRuntime } from "@/effect/run-service" import { makeRuntime } from "@/effect/run-service"
import * as CrossSpawnSpawner from "@/effect/cross-spawn-spawner" import * as CrossSpawnSpawner from "@/effect/cross-spawn-spawner"
import { InstanceState } from "@/effect/instance-state"
export namespace Worktree { export namespace Worktree {
const log = Log.create({ service: "worktree" }) const log = Log.create({ service: "worktree" })
@ -199,6 +200,7 @@ export namespace Worktree {
const MAX_NAME_ATTEMPTS = 26 const MAX_NAME_ATTEMPTS = 26
const candidate = Effect.fn("Worktree.candidate")(function* (root: string, base?: string) { const candidate = Effect.fn("Worktree.candidate")(function* (root: string, base?: string) {
const ctx = yield* InstanceState.context
for (const attempt of Array.from({ length: MAX_NAME_ATTEMPTS }, (_, i) => i)) { for (const attempt of Array.from({ length: MAX_NAME_ATTEMPTS }, (_, i) => i)) {
const name = base ? (attempt === 0 ? base : `${base}-${Slug.create()}`) : Slug.create() const name = base ? (attempt === 0 ? base : `${base}-${Slug.create()}`) : Slug.create()
const branch = `opencode/${name}` const branch = `opencode/${name}`
@ -207,7 +209,7 @@ export namespace Worktree {
if (yield* fs.exists(directory).pipe(Effect.orDie)) continue if (yield* fs.exists(directory).pipe(Effect.orDie)) continue
const ref = `refs/heads/${branch}` const ref = `refs/heads/${branch}`
const branchCheck = yield* git(["show-ref", "--verify", "--quiet", ref], { cwd: Instance.worktree }) const branchCheck = yield* git(["show-ref", "--verify", "--quiet", ref], { cwd: ctx.worktree })
if (branchCheck.code === 0) continue if (branchCheck.code === 0) continue
return Info.parse({ name, branch, directory }) return Info.parse({ name, branch, directory })
@ -216,11 +218,12 @@ export namespace Worktree {
}) })
const makeWorktreeInfo = Effect.fn("Worktree.makeWorktreeInfo")(function* (name?: string) { const makeWorktreeInfo = Effect.fn("Worktree.makeWorktreeInfo")(function* (name?: string) {
if (Instance.project.vcs !== "git") { const ctx = yield* InstanceState.context
if (ctx.project.vcs !== "git") {
throw new NotGitError({ message: "Worktrees are only supported for git projects" }) throw new NotGitError({ message: "Worktrees are only supported for git projects" })
} }
const root = pathSvc.join(Global.Path.data, "worktree", Instance.project.id) const root = pathSvc.join(Global.Path.data, "worktree", ctx.project.id)
yield* fs.makeDirectory(root, { recursive: true }).pipe(Effect.orDie) yield* fs.makeDirectory(root, { recursive: true }).pipe(Effect.orDie)
const base = name ? slugify(name) : "" const base = name ? slugify(name) : ""
@ -228,18 +231,20 @@ export namespace Worktree {
}) })
const setup = Effect.fnUntraced(function* (info: Info) { const setup = Effect.fnUntraced(function* (info: Info) {
const ctx = yield* InstanceState.context
const created = yield* git(["worktree", "add", "--no-checkout", "-b", info.branch, info.directory], { const created = yield* git(["worktree", "add", "--no-checkout", "-b", info.branch, info.directory], {
cwd: Instance.worktree, cwd: ctx.worktree,
}) })
if (created.code !== 0) { if (created.code !== 0) {
throw new CreateFailedError({ message: created.stderr || created.text || "Failed to create git worktree" }) throw new CreateFailedError({ message: created.stderr || created.text || "Failed to create git worktree" })
} }
yield* project.addSandbox(Instance.project.id, info.directory).pipe(Effect.catch(() => Effect.void)) yield* project.addSandbox(ctx.project.id, info.directory).pipe(Effect.catch(() => Effect.void))
}) })
const boot = Effect.fnUntraced(function* (info: Info, startCommand?: string) { const boot = Effect.fnUntraced(function* (info: Info, startCommand?: string) {
const projectID = Instance.project.id const ctx = yield* InstanceState.context
const projectID = ctx.project.id
const extra = startCommand?.trim() const extra = startCommand?.trim()
const populated = yield* git(["reset", "--hard"], { cwd: info.directory }) const populated = yield* git(["reset", "--hard"], { cwd: info.directory })

View File

@ -16,21 +16,21 @@ const truncate = Layer.effectDiscard(
const it = testEffect(Layer.merge(AccountRepo.layer, truncate)) const it = testEffect(Layer.merge(AccountRepo.layer, truncate))
it.effect("list returns empty when no accounts exist", () => it.live("list returns empty when no accounts exist", () =>
Effect.gen(function* () { Effect.gen(function* () {
const accounts = yield* AccountRepo.use((r) => r.list()) const accounts = yield* AccountRepo.use((r) => r.list())
expect(accounts).toEqual([]) expect(accounts).toEqual([])
}), }),
) )
it.effect("active returns none when no accounts exist", () => it.live("active returns none when no accounts exist", () =>
Effect.gen(function* () { Effect.gen(function* () {
const active = yield* AccountRepo.use((r) => r.active()) const active = yield* AccountRepo.use((r) => r.active())
expect(Option.isNone(active)).toBe(true) expect(Option.isNone(active)).toBe(true)
}), }),
) )
it.effect("persistAccount inserts and getRow retrieves", () => it.live("persistAccount inserts and getRow retrieves", () =>
Effect.gen(function* () { Effect.gen(function* () {
const id = AccountID.make("user-1") const id = AccountID.make("user-1")
yield* AccountRepo.use((r) => yield* AccountRepo.use((r) =>
@ -56,7 +56,7 @@ it.effect("persistAccount inserts and getRow retrieves", () =>
}), }),
) )
it.effect("persistAccount sets the active account and org", () => it.live("persistAccount sets the active account and org", () =>
Effect.gen(function* () { Effect.gen(function* () {
const id1 = AccountID.make("user-1") const id1 = AccountID.make("user-1")
const id2 = AccountID.make("user-2") const id2 = AccountID.make("user-2")
@ -93,7 +93,7 @@ it.effect("persistAccount sets the active account and org", () =>
}), }),
) )
it.effect("list returns all accounts", () => it.live("list returns all accounts", () =>
Effect.gen(function* () { Effect.gen(function* () {
const id1 = AccountID.make("user-1") const id1 = AccountID.make("user-1")
const id2 = AccountID.make("user-2") const id2 = AccountID.make("user-2")
@ -128,7 +128,7 @@ it.effect("list returns all accounts", () =>
}), }),
) )
it.effect("remove deletes an account", () => it.live("remove deletes an account", () =>
Effect.gen(function* () { Effect.gen(function* () {
const id = AccountID.make("user-1") const id = AccountID.make("user-1")
@ -151,7 +151,7 @@ it.effect("remove deletes an account", () =>
}), }),
) )
it.effect("use stores the selected org and marks the account active", () => it.live("use stores the selected org and marks the account active", () =>
Effect.gen(function* () { Effect.gen(function* () {
const id1 = AccountID.make("user-1") const id1 = AccountID.make("user-1")
const id2 = AccountID.make("user-2") const id2 = AccountID.make("user-2")
@ -191,7 +191,7 @@ it.effect("use stores the selected org and marks the account active", () =>
}), }),
) )
it.effect("persistToken updates token fields", () => it.live("persistToken updates token fields", () =>
Effect.gen(function* () { Effect.gen(function* () {
const id = AccountID.make("user-1") const id = AccountID.make("user-1")
@ -225,7 +225,7 @@ it.effect("persistToken updates token fields", () =>
}), }),
) )
it.effect("persistToken with no expiry sets token_expiry to null", () => it.live("persistToken with no expiry sets token_expiry to null", () =>
Effect.gen(function* () { Effect.gen(function* () {
const id = AccountID.make("user-1") const id = AccountID.make("user-1")
@ -255,7 +255,7 @@ it.effect("persistToken with no expiry sets token_expiry to null", () =>
}), }),
) )
it.effect("persistAccount upserts on conflict", () => it.live("persistAccount upserts on conflict", () =>
Effect.gen(function* () { Effect.gen(function* () {
const id = AccountID.make("user-1") const id = AccountID.make("user-1")
@ -295,7 +295,7 @@ it.effect("persistAccount upserts on conflict", () =>
}), }),
) )
it.effect("remove clears active state when deleting the active account", () => it.live("remove clears active state when deleting the active account", () =>
Effect.gen(function* () { Effect.gen(function* () {
const id = AccountID.make("user-1") const id = AccountID.make("user-1")
@ -318,7 +318,7 @@ it.effect("remove clears active state when deleting the active account", () =>
}), }),
) )
it.effect("getRow returns none for nonexistent account", () => it.live("getRow returns none for nonexistent account", () =>
Effect.gen(function* () { Effect.gen(function* () {
const row = yield* AccountRepo.use((r) => r.getRow(AccountID.make("nope"))) const row = yield* AccountRepo.use((r) => r.getRow(AccountID.make("nope")))
expect(Option.isNone(row)).toBe(true) expect(Option.isNone(row)).toBe(true)

View File

@ -54,7 +54,7 @@ const deviceTokenClient = (body: unknown, status = 400) =>
const poll = (body: unknown, status = 400) => const poll = (body: unknown, status = 400) =>
Account.Service.use((s) => s.poll(login())).pipe(Effect.provide(live(deviceTokenClient(body, status)))) Account.Service.use((s) => s.poll(login())).pipe(Effect.provide(live(deviceTokenClient(body, status))))
it.effect("orgsByAccount groups orgs per account", () => it.live("orgsByAccount groups orgs per account", () =>
Effect.gen(function* () { Effect.gen(function* () {
yield* AccountRepo.use((r) => yield* AccountRepo.use((r) =>
r.persistAccount({ r.persistAccount({
@ -107,7 +107,7 @@ it.effect("orgsByAccount groups orgs per account", () =>
}), }),
) )
it.effect("token refresh persists the new token", () => it.live("token refresh persists the new token", () =>
Effect.gen(function* () { Effect.gen(function* () {
const id = AccountID.make("user-1") const id = AccountID.make("user-1")
@ -148,7 +148,7 @@ it.effect("token refresh persists the new token", () =>
}), }),
) )
it.effect("config sends the selected org header", () => it.live("config sends the selected org header", () =>
Effect.gen(function* () { Effect.gen(function* () {
const id = AccountID.make("user-1") const id = AccountID.make("user-1")
@ -188,7 +188,7 @@ it.effect("config sends the selected org header", () =>
}), }),
) )
it.effect("poll stores the account and first org on success", () => it.live("poll stores the account and first org on success", () =>
Effect.gen(function* () { Effect.gen(function* () {
const client = HttpClient.make((req) => const client = HttpClient.make((req) =>
Effect.succeed( Effect.succeed(
@ -259,7 +259,7 @@ for (const [name, body, expectedTag] of [
"PollExpired", "PollExpired",
], ],
] as const) { ] as const) {
it.effect(`poll returns ${name} for ${body.error}`, () => it.live(`poll returns ${name} for ${body.error}`, () =>
Effect.gen(function* () { Effect.gen(function* () {
const result = yield* poll(body) const result = yield* poll(body)
expect(result._tag).toBe(expectedTag) expect(result._tag).toBe(expectedTag)
@ -267,7 +267,7 @@ for (const [name, body, expectedTag] of [
) )
} }
it.effect("poll returns poll error for other OAuth errors", () => it.live("poll returns poll error for other OAuth errors", () =>
Effect.gen(function* () { Effect.gen(function* () {
const result = yield* poll({ const result = yield* poll({
error: "server_error", error: "server_error",

View File

@ -22,7 +22,7 @@ const live = Layer.mergeAll(Bus.layer, node)
const it = testEffect(live) const it = testEffect(live)
describe("Bus (Effect-native)", () => { describe("Bus (Effect-native)", () => {
it.effect("publish + subscribe stream delivers events", () => it.live("publish + subscribe stream delivers events", () =>
provideTmpdirInstance(() => provideTmpdirInstance(() =>
Effect.gen(function* () { Effect.gen(function* () {
const bus = yield* Bus.Service const bus = yield* Bus.Service
@ -46,7 +46,7 @@ describe("Bus (Effect-native)", () => {
), ),
) )
it.effect("subscribe filters by event type", () => it.live("subscribe filters by event type", () =>
provideTmpdirInstance(() => provideTmpdirInstance(() =>
Effect.gen(function* () { Effect.gen(function* () {
const bus = yield* Bus.Service const bus = yield* Bus.Service
@ -70,7 +70,7 @@ describe("Bus (Effect-native)", () => {
), ),
) )
it.effect("subscribeAll receives all types", () => it.live("subscribeAll receives all types", () =>
provideTmpdirInstance(() => provideTmpdirInstance(() =>
Effect.gen(function* () { Effect.gen(function* () {
const bus = yield* Bus.Service const bus = yield* Bus.Service
@ -95,7 +95,7 @@ describe("Bus (Effect-native)", () => {
), ),
) )
it.effect("multiple subscribers each receive the event", () => it.live("multiple subscribers each receive the event", () =>
provideTmpdirInstance(() => provideTmpdirInstance(() =>
Effect.gen(function* () { Effect.gen(function* () {
const bus = yield* Bus.Service const bus = yield* Bus.Service
@ -129,7 +129,7 @@ describe("Bus (Effect-native)", () => {
), ),
) )
it.effect("subscribeAll stream sees InstanceDisposed on disposal", () => it.live("subscribeAll stream sees InstanceDisposed on disposal", () =>
Effect.gen(function* () { Effect.gen(function* () {
const dir = yield* tmpdirScoped() const dir = yield* tmpdirScoped()
const types: string[] = [] const types: string[] = []

View File

@ -1,6 +1,7 @@
import { afterEach, expect, test } from "bun:test" import { afterEach, expect, test } from "bun:test"
import { Duration, Effect, Layer, ManagedRuntime, ServiceMap } from "effect" import { Cause, Deferred, Duration, Effect, Exit, Fiber, Layer, ManagedRuntime, ServiceMap } from "effect"
import { InstanceState } from "../../src/effect/instance-state" import { InstanceState } from "../../src/effect/instance-state"
import { InstanceRef } from "../../src/effect/instance-ref"
import { Instance } from "../../src/project/instance" import { Instance } from "../../src/project/instance"
import { tmpdir } from "../fixture/fixture" import { tmpdir } from "../fixture/fixture"
@ -382,3 +383,100 @@ test("InstanceState dedupes concurrent lookups", async () => {
), ),
) )
}) })
test("InstanceState survives deferred resume from the same instance context", async () => {
await using tmp = await tmpdir({ git: true })
interface Api {
readonly get: (gate: Deferred.Deferred<void>) => Effect.Effect<string>
}
class Test extends ServiceMap.Service<Test, Api>()("@test/DeferredResume") {
static readonly layer = Layer.effect(
Test,
Effect.gen(function* () {
const state = yield* InstanceState.make((ctx) => Effect.sync(() => ctx.directory))
return Test.of({
get: Effect.fn("Test.get")(function* (gate: Deferred.Deferred<void>) {
yield* Deferred.await(gate)
return yield* InstanceState.get(state)
}),
})
}),
)
}
const rt = ManagedRuntime.make(Test.layer)
try {
const gate = await Effect.runPromise(Deferred.make<void>())
const fiber = await Instance.provide({
directory: tmp.path,
fn: () => Promise.resolve(rt.runFork(Test.use((svc) => svc.get(gate)))),
})
await Instance.provide({
directory: tmp.path,
fn: () => Effect.runPromise(Deferred.succeed(gate, void 0)),
})
const exit = await Effect.runPromise(Fiber.await(fiber))
expect(Exit.isSuccess(exit)).toBe(true)
if (Exit.isSuccess(exit)) {
expect(exit.value).toBe(tmp.path)
}
} finally {
await rt.dispose()
}
})
test("InstanceState survives deferred resume outside ALS when InstanceRef is set", async () => {
await using tmp = await tmpdir({ git: true })
interface Api {
readonly get: (gate: Deferred.Deferred<void>) => Effect.Effect<string>
}
class Test extends ServiceMap.Service<Test, Api>()("@test/DeferredResumeOutside") {
static readonly layer = Layer.effect(
Test,
Effect.gen(function* () {
const state = yield* InstanceState.make((ctx) => Effect.sync(() => ctx.directory))
return Test.of({
get: Effect.fn("Test.get")(function* (gate: Deferred.Deferred<void>) {
yield* Deferred.await(gate)
return yield* InstanceState.get(state)
}),
})
}),
)
}
const rt = ManagedRuntime.make(Test.layer)
try {
const gate = await Effect.runPromise(Deferred.make<void>())
// Provide InstanceRef so the fiber carries the context even when
// the deferred is resolved from outside Instance.provide ALS.
const fiber = await Instance.provide({
directory: tmp.path,
fn: () =>
Promise.resolve(
rt.runFork(Test.use((svc) => svc.get(gate)).pipe(Effect.provideService(InstanceRef, Instance.current))),
),
})
// Resume from outside any Instance.provide — ALS is NOT set here
await Effect.runPromise(Deferred.succeed(gate, void 0))
const exit = await Effect.runPromise(Fiber.await(fiber))
expect(Exit.isSuccess(exit)).toBe(true)
if (Exit.isSuccess(exit)) {
expect(exit.value).toBe(tmp.path)
}
} finally {
await rt.dispose()
}
})

View File

@ -6,7 +6,7 @@ import { it } from "../lib/effect"
describe("Runner", () => { describe("Runner", () => {
// --- ensureRunning semantics --- // --- ensureRunning semantics ---
it.effect( it.live(
"ensureRunning starts work and returns result", "ensureRunning starts work and returns result",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -18,7 +18,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"ensureRunning propagates work failures", "ensureRunning propagates work failures",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -29,7 +29,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"concurrent callers share the same run", "concurrent callers share the same run",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -51,7 +51,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"concurrent callers all receive same error", "concurrent callers all receive same error",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -71,7 +71,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"ensureRunning can be called again after previous run completes", "ensureRunning can be called again after previous run completes",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -81,7 +81,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"second ensureRunning ignores new work if already running", "second ensureRunning ignores new work if already running",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -110,7 +110,7 @@ describe("Runner", () => {
// --- cancel semantics --- // --- cancel semantics ---
it.effect( it.live(
"cancel interrupts running work", "cancel interrupts running work",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -128,7 +128,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"cancel on idle is a no-op", "cancel on idle is a no-op",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -138,7 +138,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"cancel with onInterrupt resolves callers gracefully", "cancel with onInterrupt resolves callers gracefully",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -154,7 +154,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"cancel with queued callers resolves all", "cancel with queued callers resolves all",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -175,7 +175,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"work can be started after cancel", "work can be started after cancel",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -245,7 +245,7 @@ describe("Runner", () => {
// --- shell semantics --- // --- shell semantics ---
it.effect( it.live(
"shell runs exclusively", "shell runs exclusively",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -256,7 +256,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"shell rejects when run is active", "shell rejects when run is active",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -272,7 +272,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"shell rejects when another shell is running", "shell rejects when another shell is running",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -292,7 +292,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"shell rejects via busy callback and cancel still stops the first shell", "shell rejects via busy callback and cancel still stops the first shell",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -323,7 +323,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"cancel interrupts shell that ignores abort signal", "cancel interrupts shell that ignores abort signal",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -349,7 +349,7 @@ describe("Runner", () => {
// --- shell→run handoff --- // --- shell→run handoff ---
it.effect( it.live(
"ensureRunning queues behind shell then runs after", "ensureRunning queues behind shell then runs after",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -376,7 +376,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"multiple ensureRunning callers share the queued run behind shell", "multiple ensureRunning callers share the queued run behind shell",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -407,7 +407,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"cancel during shell_then_run cancels both", "cancel during shell_then_run cancels both",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -441,7 +441,7 @@ describe("Runner", () => {
// --- lifecycle callbacks --- // --- lifecycle callbacks ---
it.effect( it.live(
"onIdle fires when returning to idle from running", "onIdle fires when returning to idle from running",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -454,7 +454,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"onIdle fires on cancel", "onIdle fires on cancel",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -470,7 +470,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"onBusy fires when shell starts", "onBusy fires when shell starts",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -485,7 +485,7 @@ describe("Runner", () => {
// --- busy flag --- // --- busy flag ---
it.effect( it.live(
"busy is true during run", "busy is true during run",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope
@ -502,7 +502,7 @@ describe("Runner", () => {
}), }),
) )
it.effect( it.live(
"busy is true during shell", "busy is true during shell",
Effect.gen(function* () { Effect.gen(function* () {
const s = yield* Scope.Scope const s = yield* Scope.Scope

View File

@ -2,10 +2,14 @@ import { $ } from "bun"
import * as fs from "fs/promises" import * as fs from "fs/promises"
import os from "os" import os from "os"
import path from "path" import path from "path"
import { Effect, FileSystem, ServiceMap } from "effect" import { Effect, ServiceMap } from "effect"
import type * as PlatformError from "effect/PlatformError"
import type * as Scope from "effect/Scope"
import { ChildProcess, ChildProcessSpawner } from "effect/unstable/process" import { ChildProcess, ChildProcessSpawner } from "effect/unstable/process"
import type { Config } from "../../src/config/config" import type { Config } from "../../src/config/config"
import { InstanceRef } from "../../src/effect/instance-ref"
import { Instance } from "../../src/project/instance" import { Instance } from "../../src/project/instance"
import { TestLLMServer } from "../lib/llm-server"
// Strip null bytes from paths (defensive fix for CI environment issues) // Strip null bytes from paths (defensive fix for CI environment issues)
function sanitizePath(p: string): string { function sanitizePath(p: string): string {
@ -78,9 +82,17 @@ export async function tmpdir<T>(options?: TmpDirOptions<T>) {
/** Effectful scoped tmpdir. Cleaned up when the scope closes. Make sure these stay in sync */ /** Effectful scoped tmpdir. Cleaned up when the scope closes. Make sure these stay in sync */
export function tmpdirScoped(options?: { git?: boolean; config?: Partial<Config.Info> }) { export function tmpdirScoped(options?: { git?: boolean; config?: Partial<Config.Info> }) {
return Effect.gen(function* () { return Effect.gen(function* () {
const fs = yield* FileSystem.FileSystem
const spawner = yield* ChildProcessSpawner.ChildProcessSpawner const spawner = yield* ChildProcessSpawner.ChildProcessSpawner
const dir = yield* fs.makeTempDirectoryScoped({ prefix: "opencode-test-" }) const dirpath = sanitizePath(path.join(os.tmpdir(), "opencode-test-" + Math.random().toString(36).slice(2)))
yield* Effect.promise(() => fs.mkdir(dirpath, { recursive: true }))
const dir = sanitizePath(yield* Effect.promise(() => fs.realpath(dirpath)))
yield* Effect.addFinalizer(() =>
Effect.promise(async () => {
if (options?.git) await stop(dir).catch(() => undefined)
await clean(dir).catch(() => undefined)
}),
)
const git = (...args: string[]) => const git = (...args: string[]) =>
spawner.spawn(ChildProcess.make("git", args, { cwd: dir })).pipe(Effect.flatMap((handle) => handle.exitCode)) spawner.spawn(ChildProcess.make("git", args, { cwd: dir })).pipe(Effect.flatMap((handle) => handle.exitCode))
@ -94,9 +106,11 @@ export function tmpdirScoped(options?: { git?: boolean; config?: Partial<Config.
} }
if (options?.config) { if (options?.config) {
yield* fs.writeFileString( yield* Effect.promise(() =>
path.join(dir, "opencode.json"), fs.writeFile(
JSON.stringify({ $schema: "https://opencode.ai/config.json", ...options.config }), path.join(dir, "opencode.json"),
JSON.stringify({ $schema: "https://opencode.ai/config.json", ...options.config }),
),
) )
} }
@ -111,7 +125,7 @@ export const provideInstance =
Effect.promise<A>(async () => Effect.promise<A>(async () =>
Instance.provide({ Instance.provide({
directory, directory,
fn: () => Effect.runPromiseWith(services)(self), fn: () => Effect.runPromiseWith(services)(self.pipe(Effect.provideService(InstanceRef, Instance.current))),
}), }),
), ),
) )
@ -139,3 +153,20 @@ export function provideTmpdirInstance<A, E, R>(
return yield* self(path).pipe(provideInstance(path)) return yield* self(path).pipe(provideInstance(path))
}) })
} }
export function provideTmpdirServer<A, E, R>(
self: (input: { dir: string; llm: TestLLMServer["Service"] }) => Effect.Effect<A, E, R>,
options?: { git?: boolean; config?: (url: string) => Partial<Config.Info> },
): Effect.Effect<
A,
E | PlatformError.PlatformError,
R | TestLLMServer | ChildProcessSpawner.ChildProcessSpawner | Scope.Scope
> {
return Effect.gen(function* () {
const llm = yield* TestLLMServer
return yield* provideTmpdirInstance((dir) => self({ dir, llm }), {
git: options?.git,
config: options?.config?.(llm.url),
})
})
}

View File

@ -10,7 +10,7 @@ import * as Formatter from "../../src/format/formatter"
const it = testEffect(Layer.mergeAll(Format.defaultLayer, CrossSpawnSpawner.defaultLayer, NodeFileSystem.layer)) const it = testEffect(Layer.mergeAll(Format.defaultLayer, CrossSpawnSpawner.defaultLayer, NodeFileSystem.layer))
describe("Format", () => { describe("Format", () => {
it.effect("status() returns built-in formatters when no config overrides", () => it.live("status() returns built-in formatters when no config overrides", () =>
provideTmpdirInstance(() => provideTmpdirInstance(() =>
Format.Service.use((fmt) => Format.Service.use((fmt) =>
Effect.gen(function* () { Effect.gen(function* () {
@ -32,7 +32,7 @@ describe("Format", () => {
), ),
) )
it.effect("status() returns empty list when formatter is disabled", () => it.live("status() returns empty list when formatter is disabled", () =>
provideTmpdirInstance( provideTmpdirInstance(
() => () =>
Format.Service.use((fmt) => Format.Service.use((fmt) =>
@ -44,7 +44,7 @@ describe("Format", () => {
), ),
) )
it.effect("status() excludes formatters marked as disabled in config", () => it.live("status() excludes formatters marked as disabled in config", () =>
provideTmpdirInstance( provideTmpdirInstance(
() => () =>
Format.Service.use((fmt) => Format.Service.use((fmt) =>
@ -64,11 +64,11 @@ describe("Format", () => {
), ),
) )
it.effect("service initializes without error", () => it.live("service initializes without error", () =>
provideTmpdirInstance(() => Format.Service.use(() => Effect.void)), provideTmpdirInstance(() => Format.Service.use(() => Effect.void)),
) )
it.effect("status() initializes formatter state per directory", () => it.live("status() initializes formatter state per directory", () =>
Effect.gen(function* () { Effect.gen(function* () {
const a = yield* provideTmpdirInstance(() => Format.Service.use((fmt) => fmt.status()), { const a = yield* provideTmpdirInstance(() => Format.Service.use((fmt) => fmt.status()), {
config: { formatter: false }, config: { formatter: false },
@ -80,7 +80,7 @@ describe("Format", () => {
}), }),
) )
it.effect("runs enabled checks for matching formatters in parallel", () => it.live("runs enabled checks for matching formatters in parallel", () =>
provideTmpdirInstance((path) => provideTmpdirInstance((path) =>
Effect.gen(function* () { Effect.gen(function* () {
const file = `${path}/test.parallel` const file = `${path}/test.parallel`
@ -144,7 +144,7 @@ describe("Format", () => {
), ),
) )
it.effect("runs matching formatters sequentially for the same file", () => it.live("runs matching formatters sequentially for the same file", () =>
provideTmpdirInstance( provideTmpdirInstance(
(path) => (path) =>
Effect.gen(function* () { Effect.gen(function* () {

View File

@ -1,14 +1,14 @@
import { test, type TestOptions } from "bun:test" import { test, type TestOptions } from "bun:test"
import { Cause, Effect, Exit, Layer } from "effect" import { Cause, Effect, Exit, Layer } from "effect"
import type * as Scope from "effect/Scope" import type * as Scope from "effect/Scope"
import * as TestClock from "effect/testing/TestClock"
import * as TestConsole from "effect/testing/TestConsole" import * as TestConsole from "effect/testing/TestConsole"
type Body<A, E, R> = Effect.Effect<A, E, R> | (() => Effect.Effect<A, E, R>) type Body<A, E, R> = Effect.Effect<A, E, R> | (() => Effect.Effect<A, E, R>)
const env = TestConsole.layer
const body = <A, E, R>(value: Body<A, E, R>) => Effect.suspend(() => (typeof value === "function" ? value() : value)) const body = <A, E, R>(value: Body<A, E, R>) => Effect.suspend(() => (typeof value === "function" ? value() : value))
const run = <A, E, R, E2>(value: Body<A, E, R | Scope.Scope>, layer: Layer.Layer<R, E2, never>) => const run = <A, E, R, E2>(value: Body<A, E, R | Scope.Scope>, layer: Layer.Layer<R, E2>) =>
Effect.gen(function* () { Effect.gen(function* () {
const exit = yield* body(value).pipe(Effect.scoped, Effect.provide(layer), Effect.exit) const exit = yield* body(value).pipe(Effect.scoped, Effect.provide(layer), Effect.exit)
if (Exit.isFailure(exit)) { if (Exit.isFailure(exit)) {
@ -19,19 +19,35 @@ const run = <A, E, R, E2>(value: Body<A, E, R | Scope.Scope>, layer: Layer.Layer
return yield* exit return yield* exit
}).pipe(Effect.runPromise) }).pipe(Effect.runPromise)
const make = <R, E>(layer: Layer.Layer<R, E, never>) => { const make = <R, E>(testLayer: Layer.Layer<R, E>, liveLayer: Layer.Layer<R, E>) => {
const effect = <A, E2>(name: string, value: Body<A, E2, R | Scope.Scope>, opts?: number | TestOptions) => const effect = <A, E2>(name: string, value: Body<A, E2, R | Scope.Scope>, opts?: number | TestOptions) =>
test(name, () => run(value, layer), opts) test(name, () => run(value, testLayer), opts)
effect.only = <A, E2>(name: string, value: Body<A, E2, R | Scope.Scope>, opts?: number | TestOptions) => effect.only = <A, E2>(name: string, value: Body<A, E2, R | Scope.Scope>, opts?: number | TestOptions) =>
test.only(name, () => run(value, layer), opts) test.only(name, () => run(value, testLayer), opts)
effect.skip = <A, E2>(name: string, value: Body<A, E2, R | Scope.Scope>, opts?: number | TestOptions) => effect.skip = <A, E2>(name: string, value: Body<A, E2, R | Scope.Scope>, opts?: number | TestOptions) =>
test.skip(name, () => run(value, layer), opts) test.skip(name, () => run(value, testLayer), opts)
return { effect } const live = <A, E2>(name: string, value: Body<A, E2, R | Scope.Scope>, opts?: number | TestOptions) =>
test(name, () => run(value, liveLayer), opts)
live.only = <A, E2>(name: string, value: Body<A, E2, R | Scope.Scope>, opts?: number | TestOptions) =>
test.only(name, () => run(value, liveLayer), opts)
live.skip = <A, E2>(name: string, value: Body<A, E2, R | Scope.Scope>, opts?: number | TestOptions) =>
test.skip(name, () => run(value, liveLayer), opts)
return { effect, live }
} }
export const it = make(env) // Test environment with TestClock and TestConsole
const testEnv = Layer.mergeAll(TestConsole.layer, TestClock.layer())
export const testEffect = <R, E>(layer: Layer.Layer<R, E, never>) => make(Layer.provideMerge(layer, env)) // Live environment - uses real clock, but keeps TestConsole for output capture
const liveEnv = TestConsole.layer
export const it = make(testEnv, liveEnv)
export const testEffect = <R, E>(layer: Layer.Layer<R, E>) =>
make(Layer.provideMerge(layer, testEnv), Layer.provideMerge(layer, liveEnv))

View File

@ -0,0 +1,282 @@
import { NodeHttpServer } from "@effect/platform-node"
import * as Http from "node:http"
import { Deferred, Effect, Layer, ServiceMap, Stream } from "effect"
import * as HttpServer from "effect/unstable/http/HttpServer"
import { HttpRouter, HttpServerRequest, HttpServerResponse } from "effect/unstable/http"
type Step =
| {
type: "text"
text: string
}
| {
type: "tool"
tool: string
input: unknown
}
| {
type: "fail"
message: string
}
| {
type: "hang"
}
| {
type: "hold"
text: string
wait: PromiseLike<unknown>
}
type Hit = {
url: URL
body: Record<string, unknown>
}
type Wait = {
count: number
ready: Deferred.Deferred<void>
}
function sse(lines: unknown[]) {
return HttpServerResponse.stream(
Stream.fromIterable([
[...lines.map((line) => `data: ${JSON.stringify(line)}`), "data: [DONE]"].join("\n\n") + "\n\n",
]).pipe(Stream.encodeText),
{ contentType: "text/event-stream" },
)
}
function text(step: Extract<Step, { type: "text" }>) {
return sse([
{
id: "chatcmpl-test",
object: "chat.completion.chunk",
choices: [{ delta: { role: "assistant" } }],
},
{
id: "chatcmpl-test",
object: "chat.completion.chunk",
choices: [{ delta: { content: step.text } }],
},
{
id: "chatcmpl-test",
object: "chat.completion.chunk",
choices: [{ delta: {}, finish_reason: "stop" }],
},
])
}
function tool(step: Extract<Step, { type: "tool" }>, seq: number) {
const id = `call_${seq}`
const args = JSON.stringify(step.input)
return sse([
{
id: "chatcmpl-test",
object: "chat.completion.chunk",
choices: [{ delta: { role: "assistant" } }],
},
{
id: "chatcmpl-test",
object: "chat.completion.chunk",
choices: [
{
delta: {
tool_calls: [
{
index: 0,
id,
type: "function",
function: {
name: step.tool,
arguments: "",
},
},
],
},
},
],
},
{
id: "chatcmpl-test",
object: "chat.completion.chunk",
choices: [
{
delta: {
tool_calls: [
{
index: 0,
function: {
arguments: args,
},
},
],
},
},
],
},
{
id: "chatcmpl-test",
object: "chat.completion.chunk",
choices: [{ delta: {}, finish_reason: "tool_calls" }],
},
])
}
function fail(step: Extract<Step, { type: "fail" }>) {
return HttpServerResponse.stream(
Stream.fromIterable([
'data: {"id":"chatcmpl-test","object":"chat.completion.chunk","choices":[{"delta":{"role":"assistant"}}]}\n\n',
]).pipe(Stream.encodeText, Stream.concat(Stream.fail(new Error(step.message)))),
{ contentType: "text/event-stream" },
)
}
function hang() {
return HttpServerResponse.stream(
Stream.fromIterable([
'data: {"id":"chatcmpl-test","object":"chat.completion.chunk","choices":[{"delta":{"role":"assistant"}}]}\n\n',
]).pipe(Stream.encodeText, Stream.concat(Stream.never)),
{ contentType: "text/event-stream" },
)
}
function hold(step: Extract<Step, { type: "hold" }>) {
return HttpServerResponse.stream(
Stream.fromIterable([
'data: {"id":"chatcmpl-test","object":"chat.completion.chunk","choices":[{"delta":{"role":"assistant"}}]}\n\n',
]).pipe(
Stream.encodeText,
Stream.concat(
Stream.fromEffect(Effect.promise(() => step.wait)).pipe(
Stream.flatMap(() =>
Stream.fromIterable([
`data: ${JSON.stringify({
id: "chatcmpl-test",
object: "chat.completion.chunk",
choices: [{ delta: { content: step.text } }],
})}\n\n`,
`data: ${JSON.stringify({
id: "chatcmpl-test",
object: "chat.completion.chunk",
choices: [{ delta: {}, finish_reason: "stop" }],
})}\n\n`,
"data: [DONE]\n\n",
]).pipe(Stream.encodeText),
),
),
),
),
{ contentType: "text/event-stream" },
)
}
namespace TestLLMServer {
export interface Service {
readonly url: string
readonly text: (value: string) => Effect.Effect<void>
readonly tool: (tool: string, input: unknown) => Effect.Effect<void>
readonly fail: (message?: string) => Effect.Effect<void>
readonly hang: Effect.Effect<void>
readonly hold: (text: string, wait: PromiseLike<unknown>) => Effect.Effect<void>
readonly hits: Effect.Effect<Hit[]>
readonly calls: Effect.Effect<number>
readonly wait: (count: number) => Effect.Effect<void>
readonly inputs: Effect.Effect<Record<string, unknown>[]>
readonly pending: Effect.Effect<number>
}
}
export class TestLLMServer extends ServiceMap.Service<TestLLMServer, TestLLMServer.Service>()("@test/LLMServer") {
static readonly layer = Layer.effect(
TestLLMServer,
Effect.gen(function* () {
const server = yield* HttpServer.HttpServer
const router = yield* HttpRouter.HttpRouter
let hits: Hit[] = []
let list: Step[] = []
let seq = 0
let waits: Wait[] = []
const push = (step: Step) => {
list = [...list, step]
}
const notify = Effect.fnUntraced(function* () {
const ready = waits.filter((item) => hits.length >= item.count)
if (!ready.length) return
waits = waits.filter((item) => hits.length < item.count)
yield* Effect.forEach(ready, (item) => Deferred.succeed(item.ready, void 0))
})
const pull = () => {
const step = list[0]
if (!step) return { step: undefined, seq }
seq += 1
list = list.slice(1)
return { step, seq }
}
yield* router.add(
"POST",
"/v1/chat/completions",
Effect.gen(function* () {
const req = yield* HttpServerRequest.HttpServerRequest
const next = pull()
if (!next.step) return HttpServerResponse.text("unexpected request", { status: 500 })
const json = yield* req.json.pipe(Effect.orElseSucceed(() => ({})))
hits = [
...hits,
{
url: new URL(req.originalUrl, "http://localhost"),
body: json && typeof json === "object" ? (json as Record<string, unknown>) : {},
},
]
yield* notify()
if (next.step.type === "text") return text(next.step)
if (next.step.type === "tool") return tool(next.step, next.seq)
if (next.step.type === "fail") return fail(next.step)
if (next.step.type === "hang") return hang()
return hold(next.step)
}),
)
yield* server.serve(router.asHttpEffect())
return TestLLMServer.of({
url:
server.address._tag === "TcpAddress"
? `http://127.0.0.1:${server.address.port}/v1`
: `unix://${server.address.path}/v1`,
text: Effect.fn("TestLLMServer.text")(function* (value: string) {
push({ type: "text", text: value })
}),
tool: Effect.fn("TestLLMServer.tool")(function* (tool: string, input: unknown) {
push({ type: "tool", tool, input })
}),
fail: Effect.fn("TestLLMServer.fail")(function* (message = "boom") {
push({ type: "fail", message })
}),
hang: Effect.gen(function* () {
push({ type: "hang" })
}).pipe(Effect.withSpan("TestLLMServer.hang")),
hold: Effect.fn("TestLLMServer.hold")(function* (text: string, wait: PromiseLike<unknown>) {
push({ type: "hold", text, wait })
}),
hits: Effect.sync(() => [...hits]),
calls: Effect.sync(() => hits.length),
wait: Effect.fn("TestLLMServer.wait")(function* (count: number) {
if (hits.length >= count) return
const ready = yield* Deferred.make<void>()
waits = [...waits, { count, ready }]
yield* Deferred.await(ready)
}),
inputs: Effect.sync(() => hits.map((hit) => hit.body)),
pending: Effect.sync(() => list.length),
})
}),
).pipe(
Layer.provide(HttpRouter.layer), //
Layer.provide(NodeHttpServer.layer(() => Http.createServer(), { port: 0 })),
)
}

View File

@ -264,7 +264,7 @@ const env = SessionProcessor.layer.pipe(Layer.provideMerge(deps))
const it = testEffect(env) const it = testEffect(env)
it.effect("session.processor effect tests capture llm input cleanly", () => { it.live("session.processor effect tests capture llm input cleanly", () => {
return provideTmpdirInstance( return provideTmpdirInstance(
(dir) => (dir) =>
Effect.gen(function* () { Effect.gen(function* () {
@ -316,7 +316,7 @@ it.effect("session.processor effect tests capture llm input cleanly", () => {
) )
}) })
it.effect("session.processor effect tests stop after token overflow requests compaction", () => { it.live("session.processor effect tests stop after token overflow requests compaction", () => {
return provideTmpdirInstance( return provideTmpdirInstance(
(dir) => (dir) =>
Effect.gen(function* () { Effect.gen(function* () {
@ -376,7 +376,7 @@ it.effect("session.processor effect tests stop after token overflow requests com
) )
}) })
it.effect("session.processor effect tests reset reasoning state across retries", () => { it.live("session.processor effect tests reset reasoning state across retries", () => {
return provideTmpdirInstance( return provideTmpdirInstance(
(dir) => (dir) =>
Effect.gen(function* () { Effect.gen(function* () {
@ -449,7 +449,7 @@ it.effect("session.processor effect tests reset reasoning state across retries",
) )
}) })
it.effect("session.processor effect tests do not retry unknown json errors", () => { it.live("session.processor effect tests do not retry unknown json errors", () => {
return provideTmpdirInstance( return provideTmpdirInstance(
(dir) => (dir) =>
Effect.gen(function* () { Effect.gen(function* () {
@ -495,7 +495,7 @@ it.effect("session.processor effect tests do not retry unknown json errors", ()
) )
}) })
it.effect("session.processor effect tests retry recognized structured json errors", () => { it.live("session.processor effect tests retry recognized structured json errors", () => {
return provideTmpdirInstance( return provideTmpdirInstance(
(dir) => (dir) =>
Effect.gen(function* () { Effect.gen(function* () {
@ -544,7 +544,7 @@ it.effect("session.processor effect tests retry recognized structured json error
) )
}) })
it.effect("session.processor effect tests publish retry status updates", () => { it.live("session.processor effect tests publish retry status updates", () => {
return provideTmpdirInstance( return provideTmpdirInstance(
(dir) => (dir) =>
Effect.gen(function* () { Effect.gen(function* () {
@ -611,7 +611,7 @@ it.effect("session.processor effect tests publish retry status updates", () => {
) )
}) })
it.effect("session.processor effect tests compact on structured context overflow", () => { it.live("session.processor effect tests compact on structured context overflow", () => {
return provideTmpdirInstance( return provideTmpdirInstance(
(dir) => (dir) =>
Effect.gen(function* () { Effect.gen(function* () {
@ -656,7 +656,7 @@ it.effect("session.processor effect tests compact on structured context overflow
) )
}) })
it.effect("session.processor effect tests mark pending tools as aborted on cleanup", () => { it.live("session.processor effect tests mark pending tools as aborted on cleanup", () => {
return provideTmpdirInstance( return provideTmpdirInstance(
(dir) => (dir) =>
Effect.gen(function* () { Effect.gen(function* () {
@ -725,7 +725,7 @@ it.effect("session.processor effect tests mark pending tools as aborted on clean
) )
}) })
it.effect("session.processor effect tests record aborted errors and idle state", () => { it.live("session.processor effect tests record aborted errors and idle state", () => {
return provideTmpdirInstance( return provideTmpdirInstance(
(dir) => (dir) =>
Effect.gen(function* () { Effect.gen(function* () {
@ -807,7 +807,7 @@ it.effect("session.processor effect tests record aborted errors and idle state",
) )
}) })
it.effect("session.processor effect tests mark interruptions aborted without manual abort", () => { it.live("session.processor effect tests mark interruptions aborted without manual abort", () => {
return provideTmpdirInstance( return provideTmpdirInstance(
(dir) => (dir) =>
Effect.gen(function* () { Effect.gen(function* () {

File diff suppressed because it is too large Load Diff

View File

@ -140,7 +140,7 @@ describe("Truncate", () => {
const DAY_MS = 24 * 60 * 60 * 1000 const DAY_MS = 24 * 60 * 60 * 1000
const it = testEffect(Layer.mergeAll(TruncateSvc.defaultLayer, NodeFileSystem.layer)) const it = testEffect(Layer.mergeAll(TruncateSvc.defaultLayer, NodeFileSystem.layer))
it.effect("deletes files older than 7 days and preserves recent files", () => it.live("deletes files older than 7 days and preserves recent files", () =>
Effect.gen(function* () { Effect.gen(function* () {
const fs = yield* FileSystem.FileSystem const fs = yield* FileSystem.FileSystem

View File

@ -4,20 +4,6 @@ export type ClientOptions = {
baseUrl: `${string}://${string}` | (string & {}) baseUrl: `${string}://${string}` | (string & {})
} }
export type EventInstallationUpdated = {
type: "installation.updated"
properties: {
version: string
}
}
export type EventInstallationUpdateAvailable = {
type: "installation.update-available"
properties: {
version: string
}
}
export type Project = { export type Project = {
id: string id: string
worktree: string worktree: string
@ -47,6 +33,20 @@ export type EventProjectUpdated = {
properties: Project properties: Project
} }
export type EventInstallationUpdated = {
type: "installation.updated"
properties: {
version: string
}
}
export type EventInstallationUpdateAvailable = {
type: "installation.update-available"
properties: {
version: string
}
}
export type EventServerInstanceDisposed = { export type EventServerInstanceDisposed = {
type: "server.instance.disposed" type: "server.instance.disposed"
properties: { properties: {
@ -964,9 +964,9 @@ export type EventSessionDeleted = {
} }
export type Event = export type Event =
| EventProjectUpdated
| EventInstallationUpdated | EventInstallationUpdated
| EventInstallationUpdateAvailable | EventInstallationUpdateAvailable
| EventProjectUpdated
| EventServerInstanceDisposed | EventServerInstanceDisposed
| EventServerConnected | EventServerConnected
| EventGlobalDisposed | EventGlobalDisposed