Implement full internationalization for the Next.js backoffice: - i18n infrastructure: type-safe dictionaries (fr.ts/en.ts), cookie-based locale detection, React Context for client components, server-side translation helper - Language selector in Settings page (General tab) with cookie + DB persistence - All ~35 pages and components translated via t() / useTranslation() - Default locale set to English, French available via settings Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
67 lines
2.3 KiB
TypeScript
67 lines
2.3 KiB
TypeScript
"use client";
|
|
|
|
import { useState } from "react";
|
|
import { useRouter } from "next/navigation";
|
|
import { Button } from "./ui";
|
|
import { useTranslation } from "../../lib/i18n/context";
|
|
|
|
interface MarkBookReadButtonProps {
|
|
bookId: string;
|
|
currentStatus: string;
|
|
}
|
|
|
|
export function MarkBookReadButton({ bookId, currentStatus }: MarkBookReadButtonProps) {
|
|
const { t } = useTranslation();
|
|
const [loading, setLoading] = useState(false);
|
|
const router = useRouter();
|
|
|
|
const isRead = currentStatus === "read";
|
|
const targetStatus = isRead ? "unread" : "read";
|
|
const label = isRead ? t("markRead.markUnread") : t("markRead.markAsRead");
|
|
|
|
const handleClick = async () => {
|
|
setLoading(true);
|
|
try {
|
|
const res = await fetch(`/api/books/${bookId}/progress`, {
|
|
method: "PATCH",
|
|
headers: { "Content-Type": "application/json" },
|
|
body: JSON.stringify({ status: targetStatus }),
|
|
});
|
|
if (!res.ok) {
|
|
const body = await res.json().catch(() => ({ error: res.statusText }));
|
|
console.error("Failed to update reading progress:", body.error);
|
|
}
|
|
router.refresh();
|
|
} catch (err) {
|
|
console.error("Failed to update reading progress:", err);
|
|
} finally {
|
|
setLoading(false);
|
|
}
|
|
};
|
|
|
|
return (
|
|
<Button
|
|
variant={isRead ? "outline" : "primary"}
|
|
size="sm"
|
|
onClick={handleClick}
|
|
disabled={loading}
|
|
>
|
|
{loading ? (
|
|
<svg className="w-4 h-4 animate-spin" fill="none" viewBox="0 0 24 24">
|
|
<circle className="opacity-25" cx="12" cy="12" r="10" stroke="currentColor" strokeWidth="4" />
|
|
<path className="opacity-75" fill="currentColor" d="M4 12a8 8 0 018-8V0C5.373 0 0 5.373 0 12h4z" />
|
|
</svg>
|
|
) : isRead ? (
|
|
<svg className="w-4 h-4 mr-1.5" fill="none" stroke="currentColor" viewBox="0 0 24 24" strokeWidth={2}>
|
|
<path strokeLinecap="round" strokeLinejoin="round" d="M9 15 3 9m0 0 6-6M3 9h12a6 6 0 0 1 0 12h-3" />
|
|
</svg>
|
|
) : (
|
|
<svg className="w-4 h-4 mr-1.5" fill="none" stroke="currentColor" viewBox="0 0 24 24" strokeWidth={2}>
|
|
<path strokeLinecap="round" strokeLinejoin="round" d="M9 12.75 11.25 15 15 9.75M21 12a9 9 0 1 1-18 0 9 9 0 0 1 18 0z" />
|
|
</svg>
|
|
)}
|
|
{!loading && label}
|
|
</Button>
|
|
);
|
|
}
|