Files
stripstream-librarian/apps/backoffice/app/api/jobs/[id]/stream/route.ts
Froidefond Julien 85cad1a7e7 refactor: streamline API calls and enhance configuration management
- Refactor multiple API routes to utilize a centralized configuration function for base URL and token management, improving code consistency and maintainability.
- Replace direct environment variable access with a unified config function in the `lib/api.ts` file.
- Remove redundant error handling and streamline response handling in various API endpoints.
- Delete unused job-related API routes and settings, simplifying the overall API structure.
2026-03-09 14:16:01 +01:00

91 lines
2.5 KiB
TypeScript

import { NextRequest } from "next/server";
import { config } from "@/lib/api";
export async function GET(
request: NextRequest,
{ params }: { params: Promise<{ id: string }> }
) {
const { id } = await params;
const { baseUrl, token } = config();
const stream = new ReadableStream({
async start(controller) {
// Send initial headers for SSE
controller.enqueue(new TextEncoder().encode(""));
let lastData: string | null = null;
let isActive = true;
const fetchJob = async () => {
if (!isActive) return;
try {
const response = await fetch(`${baseUrl}/index/jobs/${id}`, {
headers: { Authorization: `Bearer ${token}` },
});
if (response.ok && isActive) {
const data = await response.json();
const dataStr = JSON.stringify(data);
// Only send if data changed
if (dataStr !== lastData && isActive) {
lastData = dataStr;
try {
controller.enqueue(
new TextEncoder().encode(`data: ${dataStr}\n\n`)
);
} catch (err) {
// Controller closed, ignore
isActive = false;
return;
}
// Stop polling if job is complete
if (data.status === "success" || data.status === "failed" || data.status === "cancelled") {
isActive = false;
try {
controller.close();
} catch (err) {
// Already closed, ignore
}
}
}
}
} catch (error) {
if (isActive) {
console.error("SSE fetch error:", error);
}
}
};
// Initial fetch
await fetchJob();
// Poll every 500ms while job is active
const interval = setInterval(async () => {
if (!isActive) {
clearInterval(interval);
return;
}
await fetchJob();
}, 500);
// Cleanup on abort
request.signal.addEventListener("abort", () => {
isActive = false;
clearInterval(interval);
controller.close();
});
},
});
return new Response(stream, {
headers: {
"Content-Type": "text/event-stream",
"Cache-Control": "no-cache",
"Connection": "keep-alive",
},
});
}