| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174 |
- import { $ } from "bun"
- import * as fs from "fs/promises"
- import os from "os"
- import path from "path"
- 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 type { Config } from "../../src/config/config"
- import { InstanceRef } from "../../src/effect/instance-ref"
- import { Instance } from "../../src/project/instance"
- import { TestLLMServer } from "../lib/llm-server"
- // Strip null bytes from paths (defensive fix for CI environment issues)
- function sanitizePath(p: string): string {
- return p.replace(/\0/g, "")
- }
- function exists(dir: string) {
- return fs
- .stat(dir)
- .then(() => true)
- .catch(() => false)
- }
- function clean(dir: string) {
- return fs.rm(dir, {
- recursive: true,
- force: true,
- maxRetries: 5,
- retryDelay: 100,
- })
- }
- async function stop(dir: string) {
- if (!(await exists(dir))) return
- await $`git fsmonitor--daemon stop`.cwd(dir).quiet().nothrow()
- }
- type TmpDirOptions<T> = {
- git?: boolean
- config?: Partial<Config.Info>
- init?: (dir: string) => Promise<T>
- dispose?: (dir: string) => Promise<T>
- }
- export async function tmpdir<T>(options?: TmpDirOptions<T>) {
- const dirpath = sanitizePath(path.join(os.tmpdir(), "opencode-test-" + Math.random().toString(36).slice(2)))
- await fs.mkdir(dirpath, { recursive: true })
- if (options?.git) {
- await $`git init`.cwd(dirpath).quiet()
- await $`git config core.fsmonitor false`.cwd(dirpath).quiet()
- await $`git config commit.gpgsign false`.cwd(dirpath).quiet()
- await $`git config user.email "[email protected]"`.cwd(dirpath).quiet()
- await $`git config user.name "Test"`.cwd(dirpath).quiet()
- await $`git commit --allow-empty -m "root commit ${dirpath}"`.cwd(dirpath).quiet()
- }
- if (options?.config) {
- await Bun.write(
- path.join(dirpath, "opencode.json"),
- JSON.stringify({
- $schema: "https://app.kilo.ai/config.json",
- ...options.config,
- }),
- )
- }
- const realpath = sanitizePath(await fs.realpath(dirpath))
- const extra = await options?.init?.(realpath)
- const result = {
- [Symbol.asyncDispose]: async () => {
- try {
- await options?.dispose?.(realpath)
- } finally {
- if (options?.git) await stop(realpath).catch(() => undefined)
- await clean(realpath).catch(() => undefined)
- }
- },
- path: realpath,
- extra: extra as T,
- }
- return result
- }
- /** 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> }) {
- return Effect.gen(function* () {
- const spawner = yield* ChildProcessSpawner.ChildProcessSpawner
- 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[]) =>
- spawner.spawn(ChildProcess.make("git", args, { cwd: dir })).pipe(Effect.flatMap((handle) => handle.exitCode))
- if (options?.git) {
- yield* git("init")
- yield* git("config", "core.fsmonitor", "false")
- yield* git("config", "commit.gpgsign", "false")
- yield* git("config", "user.email", "[email protected]")
- yield* git("config", "user.name", "Test")
- yield* git("commit", "--allow-empty", "-m", "root commit")
- }
- if (options?.config) {
- yield* Effect.promise(() =>
- fs.writeFile(
- path.join(dir, "opencode.json"),
- JSON.stringify({ $schema: "https://opencode.ai/config.json", ...options.config }),
- ),
- )
- }
- return dir
- })
- }
- export const provideInstance =
- (directory: string) =>
- <A, E, R>(self: Effect.Effect<A, E, R>): Effect.Effect<A, E, R> =>
- Effect.servicesWith((services: ServiceMap.ServiceMap<R>) =>
- Effect.promise<A>(async () =>
- Instance.provide({
- directory,
- fn: () => Effect.runPromiseWith(services)(self.pipe(Effect.provideService(InstanceRef, Instance.current))),
- }),
- ),
- )
- export function provideTmpdirInstance<A, E, R>(
- self: (path: string) => Effect.Effect<A, E, R>,
- options?: { git?: boolean; config?: Partial<Config.Info> },
- ) {
- return Effect.gen(function* () {
- const path = yield* tmpdirScoped(options)
- let provided = false
- yield* Effect.addFinalizer(() =>
- provided
- ? Effect.promise(() =>
- Instance.provide({
- directory: path,
- fn: () => Instance.dispose(),
- }),
- ).pipe(Effect.ignore)
- : Effect.void,
- )
- provided = true
- 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),
- })
- })
- }
|