Files
stripstream-librarian/apps/backoffice/app/components/ConvertButton.tsx
Froidefond Julien e0b80cae38 feat: conversion CBR → CBZ via job asynchrone
Ajoute la possibilité de convertir un livre CBR en CBZ depuis le backoffice.
La conversion est sécurisée : le CBR original n'est supprimé qu'après vérification
du CBZ généré et mise à jour de la base de données.

- parsers: nouvelle fn `convert_cbr_to_cbz` (unar extract → zip pack → vérification → rename atomique)
- api: `POST /books/:id/convert` crée un job `cbr_to_cbz` (vérifie format CBR, détecte collision)
- indexer: nouveau `converter.rs` dispatché depuis `job.rs`
- backoffice: bouton "Convert to CBZ" sur la page détail (visible si CBR), label dans JobRow
- migrations: colonne `book_id` sur `index_jobs` + type `cbr_to_cbz` dans le check constraint

Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>
2026-03-09 23:02:08 +01:00

72 lines
1.9 KiB
TypeScript

"use client";
import { useState } from "react";
import Link from "next/link";
import { Button } from "./ui";
interface ConvertButtonProps {
bookId: string;
}
type ConvertState =
| { type: "idle" }
| { type: "loading" }
| { type: "success"; jobId: string }
| { type: "error"; message: string };
export function ConvertButton({ bookId }: ConvertButtonProps) {
const [state, setState] = useState<ConvertState>({ type: "idle" });
const handleConvert = async () => {
setState({ type: "loading" });
try {
const res = await fetch(`/api/books/${bookId}/convert`, { method: "POST" });
if (!res.ok) {
const body = await res.json().catch(() => ({ error: res.statusText }));
setState({ type: "error", message: body.error || "Conversion failed" });
return;
}
const job = await res.json();
setState({ type: "success", jobId: job.id });
} catch (err) {
setState({ type: "error", message: err instanceof Error ? err.message : "Unknown error" });
}
};
if (state.type === "success") {
return (
<div className="flex items-center gap-2 text-sm text-success">
<span>Conversion started.</span>
<Link href={`/jobs/${state.jobId}`} className="text-primary hover:underline font-medium">
View job
</Link>
</div>
);
}
if (state.type === "error") {
return (
<div className="flex flex-col gap-1">
<span className="text-sm text-destructive">{state.message}</span>
<button
className="text-xs text-muted-foreground hover:underline text-left"
onClick={() => setState({ type: "idle" })}
>
Dismiss
</button>
</div>
);
}
return (
<Button
variant="secondary"
size="sm"
onClick={handleConvert}
disabled={state.type === "loading"}
>
{state.type === "loading" ? "Converting…" : "Convert to CBZ"}
</Button>
);
}