mirror of
https://github.com/simstudioai/sim.git
synced 2026-04-06 03:00:16 -04:00
* feat(transport): replace shared chat transport with mothership-stream module * improvement(contracts): regenerate contracts from go * feat(tools): add tool catalog codegen from go tool contracts * feat(tools): add tool-executor dispatch framework for sim side tool routing * feat(orchestrator): rewrite tool dispatch with catalog-driven executor and simplified resume loop * feat(orchestrator): checkpoint resume flow * refactor(copilot): consolidate orchestrator into request/ layer * refactor(mothership): reorganize lib/copilot into structured subdirectories * refactor(mothership): canonical transcript layer, dead code cleanup, type consolidation * refactor(mothership): rebase onto latest staging * refactor(mothership): rename request continue to lifecycle * feat(trace): add initial version of request traces * improvement(stream): batch stream from redis * fix(resume): fix the resume checkpoint * fix(resume): fix resume client tool * fix(subagents): subagent resume should join on existing subagent text block * improvement(reconnect): harden reconnect logic * fix(superagent): fix superagent integration tools * improvement(stream): improve stream perf * Rebase with origin dev * fix(tests): fix failing test * fix(build): fix type errors * fix(build): fix build errors * fix(build): fix type errors * feat(mothership): add cli execution * fix(mothership): fix function execute tests
67 lines
2.0 KiB
TypeScript
67 lines
2.0 KiB
TypeScript
import { type NextRequest, NextResponse } from 'next/server'
|
|
import { z } from 'zod'
|
|
import { SIM_AGENT_API_URL } from '@/lib/copilot/constants'
|
|
import {
|
|
authenticateCopilotRequestSessionOnly,
|
|
createBadRequestResponse,
|
|
createInternalServerErrorResponse,
|
|
createRequestTracker,
|
|
createUnauthorizedResponse,
|
|
} from '@/lib/copilot/request/http'
|
|
import { env } from '@/lib/core/config/env'
|
|
|
|
const BodySchema = z.object({
|
|
messageId: z.string(),
|
|
diffCreated: z.boolean(),
|
|
diffAccepted: z.boolean(),
|
|
})
|
|
|
|
export async function POST(req: NextRequest) {
|
|
const tracker = createRequestTracker()
|
|
try {
|
|
const { userId, isAuthenticated } = await authenticateCopilotRequestSessionOnly()
|
|
if (!isAuthenticated || !userId) {
|
|
return createUnauthorizedResponse()
|
|
}
|
|
|
|
const json = await req.json().catch(() => ({}))
|
|
const parsed = BodySchema.safeParse(json)
|
|
if (!parsed.success) {
|
|
return createBadRequestResponse('Invalid request body for copilot stats')
|
|
}
|
|
|
|
const { messageId, diffCreated, diffAccepted } = parsed.data as any
|
|
|
|
// Build outgoing payload for Sim Agent with only required fields
|
|
const payload: Record<string, any> = {
|
|
messageId,
|
|
diffCreated,
|
|
diffAccepted,
|
|
}
|
|
|
|
const agentRes = await fetch(`${SIM_AGENT_API_URL}/api/stats`, {
|
|
method: 'POST',
|
|
headers: {
|
|
'Content-Type': 'application/json',
|
|
...(env.COPILOT_API_KEY ? { 'x-api-key': env.COPILOT_API_KEY } : {}),
|
|
},
|
|
body: JSON.stringify(payload),
|
|
})
|
|
|
|
// Prefer not to block clients; still relay status
|
|
let agentJson: any = null
|
|
try {
|
|
agentJson = await agentRes.json()
|
|
} catch {}
|
|
|
|
if (!agentRes.ok) {
|
|
const message = (agentJson && (agentJson.error || agentJson.message)) || 'Upstream error'
|
|
return NextResponse.json({ success: false, error: message }, { status: 400 })
|
|
}
|
|
|
|
return NextResponse.json({ success: true })
|
|
} catch (error) {
|
|
return createInternalServerErrorResponse('Failed to forward copilot stats')
|
|
}
|
|
}
|