feat: integrate PhotoswipeReader component and remove BookReader for enhanced reading experience; add zoom functionality to control buttons

This commit is contained in:
Julien Froidefond
2025-10-17 17:04:37 +02:00
parent 592aadf4ab
commit 4672532a3a
16 changed files with 438 additions and 881 deletions

View File

@@ -0,0 +1,407 @@
/* eslint-disable @next/next/no-img-element */
"use client";
import { useEffect, useRef, useState, useCallback } from "react";
import PhotoSwipe from "photoswipe";
import "photoswipe/style.css";
import type { BookReaderProps } from "./types";
import { useOrientation } from "./hooks/useOrientation";
import { useFullscreen } from "./hooks/useFullscreen";
import { useReadingDirection } from "./hooks/useReadingDirection";
import { useTranslate } from "@/hooks/useTranslate";
import { ControlButtons } from "./components/ControlButtons";
import { NavigationBar } from "./components/NavigationBar";
import { ClientOfflineBookService } from "@/lib/services/client-offlinebook.service";
import { useRouter } from "next/navigation";
import { cn } from "@/lib/utils";
export function PhotoswipeReader({ book, pages, onClose, nextBook }: BookReaderProps) {
const router = useRouter();
const { t } = useTranslate();
const readerRef = useRef<HTMLDivElement>(null);
const pswpRef = useRef<PhotoSwipe | null>(null);
const [currentPage, setCurrentPage] = useState(() => {
const saved = ClientOfflineBookService.getCurrentPage(book);
return saved < 1 ? 1 : saved;
});
const [isDoublePage, setIsDoublePage] = useState(false);
const [showControls, setShowControls] = useState(false);
const [showThumbnails, setShowThumbnails] = useState(false);
const [showEndMessage, setShowEndMessage] = useState(false);
const [loadedImages, setLoadedImages] = useState<Record<number, { width: number; height: number }>>({});
const isLandscape = useOrientation();
const { direction, toggleDirection, isRTL } = useReadingDirection();
const { isFullscreen, toggleFullscreen } = useFullscreen();
const syncTimeoutRef = useRef<NodeJS.Timeout | null>(null);
const touchStartXRef = useRef<number | null>(null);
const touchStartYRef = useRef<number | null>(null);
const isPinchingRef = useRef(false);
// Auto double page en paysage
useEffect(() => {
setIsDoublePage(isLandscape);
}, [isLandscape]);
const shouldShowDoublePage = useCallback(
(pageNumber: number) => {
const isMobile = window.innerHeight < 700;
if (isMobile) return false;
if (!isDoublePage) return false;
if (pageNumber === 1) return false;
return pageNumber < pages.length;
},
[isDoublePage, pages.length]
);
// Sync progress
const syncReadProgress = useCallback(
async (page: number) => {
try {
ClientOfflineBookService.setCurrentPage(book, page);
const completed = page === pages.length;
await fetch(`/api/komga/books/${book.id}/read-progress`, {
method: "PATCH",
headers: { "Content-Type": "application/json" },
body: JSON.stringify({ page, completed }),
});
} catch (error) {
console.error("Sync error:", error);
}
},
[book, pages.length]
);
const debouncedSync = useCallback(
(page: number) => {
if (syncTimeoutRef.current) {
clearTimeout(syncTimeoutRef.current);
}
syncTimeoutRef.current = setTimeout(() => syncReadProgress(page), 2000);
},
[syncReadProgress]
);
const navigateToPage = useCallback(
(page: number) => {
if (page >= 1 && page <= pages.length) {
setCurrentPage(page);
debouncedSync(page);
}
},
[pages.length, debouncedSync]
);
const handlePreviousPage = useCallback(() => {
if (currentPage === 1) return;
const step = isDoublePage && shouldShowDoublePage(currentPage - 2) ? 2 : 1;
navigateToPage(Math.max(1, currentPage - step));
}, [currentPage, isDoublePage, navigateToPage, shouldShowDoublePage]);
const handleNextPage = useCallback(() => {
if (currentPage === pages.length) {
if (nextBook) {
router.push(`/books/${nextBook.id}`);
return;
}
setShowEndMessage(true);
return;
}
const step = isDoublePage && shouldShowDoublePage(currentPage) ? 2 : 1;
navigateToPage(Math.min(pages.length, currentPage + step));
}, [currentPage, pages.length, isDoublePage, shouldShowDoublePage, navigateToPage, nextBook, router]);
// Touch handlers for swipe navigation
const handleTouchStart = useCallback((e: TouchEvent) => {
// Ne pas gérer si Photoswipe est ouvert
if (pswpRef.current) return;
// Détecter si c'est un pinch (2+ doigts)
if (e.touches.length > 1) {
isPinchingRef.current = true;
touchStartXRef.current = null;
touchStartYRef.current = null;
return;
}
isPinchingRef.current = false;
touchStartXRef.current = e.touches[0].clientX;
touchStartYRef.current = e.touches[0].clientY;
}, []);
const handleTouchEnd = useCallback((e: TouchEvent) => {
// Ignorer si c'était un pinch
if (isPinchingRef.current) {
isPinchingRef.current = false;
touchStartXRef.current = null;
touchStartYRef.current = null;
return;
}
if (touchStartXRef.current === null || touchStartYRef.current === null) return;
if (pswpRef.current) return; // Ne pas gérer si Photoswipe est ouvert
const touchEndX = e.changedTouches[0].clientX;
const touchEndY = e.changedTouches[0].clientY;
const deltaX = touchEndX - touchStartXRef.current;
const deltaY = touchEndY - touchStartYRef.current;
// Si le déplacement vertical est plus important, on ignore (scroll)
if (Math.abs(deltaY) > Math.abs(deltaX)) {
touchStartXRef.current = null;
touchStartYRef.current = null;
return;
}
// Seuil de 100px pour changer de page
if (Math.abs(deltaX) > 100) {
if (deltaX > 0) {
// Swipe vers la droite
if (isRTL) {
handleNextPage();
} else {
handlePreviousPage();
}
} else {
// Swipe vers la gauche
if (isRTL) {
handlePreviousPage();
} else {
handleNextPage();
}
}
}
touchStartXRef.current = null;
touchStartYRef.current = null;
}, [handleNextPage, handlePreviousPage, isRTL]);
// Keyboard & Touch events
useEffect(() => {
const handleKeyDown = (e: KeyboardEvent) => {
if (e.key === "ArrowLeft") {
e.preventDefault();
if (isRTL) {
handleNextPage();
} else {
handlePreviousPage();
}
} else if (e.key === "ArrowRight") {
e.preventDefault();
if (isRTL) {
handlePreviousPage();
} else {
handleNextPage();
}
} else if (e.key === "Escape" && onClose) {
e.preventDefault();
onClose(currentPage);
}
};
window.addEventListener("keydown", handleKeyDown);
window.addEventListener("touchstart", handleTouchStart);
window.addEventListener("touchend", handleTouchEnd);
return () => {
window.removeEventListener("keydown", handleKeyDown);
window.removeEventListener("touchstart", handleTouchStart);
window.removeEventListener("touchend", handleTouchEnd);
};
}, [handleNextPage, handlePreviousPage, handleTouchStart, handleTouchEnd, onClose, isRTL, currentPage]);
// Cleanup
useEffect(() => {
return () => {
if (syncTimeoutRef.current) {
clearTimeout(syncTimeoutRef.current);
syncReadProgress(currentPage);
}
ClientOfflineBookService.removeCurrentPage(book);
};
}, [syncReadProgress, book, currentPage]);
const getPageUrl = useCallback((pageNum: number) => `/api/komga/books/${book.id}/pages/${pageNum}`, [book.id]);
// Load image dimensions
const loadImageDimensions = useCallback((pageNum: number) => {
if (loadedImages[pageNum]) return;
const img = new Image();
img.onload = () => {
setLoadedImages(prev => ({
...prev,
[pageNum]: { width: img.naturalWidth, height: img.naturalHeight }
}));
};
img.src = getPageUrl(pageNum);
}, [loadedImages, getPageUrl]);
// Preload current and next pages dimensions
useEffect(() => {
loadImageDimensions(currentPage);
if (isDoublePage && shouldShowDoublePage(currentPage)) {
loadImageDimensions(currentPage + 1);
}
// Preload next
if (currentPage < pages.length) {
loadImageDimensions(currentPage + 1);
if (isDoublePage && currentPage + 1 < pages.length) {
loadImageDimensions(currentPage + 2);
}
}
}, [currentPage, isDoublePage, shouldShowDoublePage, loadImageDimensions, pages.length]);
// Handle zoom via button
const handleZoom = useCallback(() => {
const dims = loadedImages[currentPage];
if (!dims) return;
const dataSource = [{
src: getPageUrl(currentPage),
width: dims.width,
height: dims.height,
alt: `Page ${currentPage}`
}];
// Close any existing instance
if (pswpRef.current) {
pswpRef.current.close();
}
// Create and open PhotoSwipe
const pswp = new PhotoSwipe({
dataSource,
index: 0,
bgOpacity: 0.9,
showHideAnimationType: 'fade',
initialZoomLevel: 0.25,
secondaryZoomLevel: 0.5, // Niveau de zoom au double-clic
maxZoomLevel: 4,
clickToCloseNonZoomable: true, // Ferme au clic simple
tapAction: 'zoom', // Ferme au tap
wheelToZoom: true,
pinchToClose: false, // Pinch pour fermer
closeOnVerticalDrag: true, // Swipe vertical pour fermer
escKey: true, // ESC ferme le zoom
arrowKeys: false, // On gère les flèches nous-mêmes
});
pswpRef.current = pswp;
pswp.init();
// Clean up on close
pswp.on('close', () => {
pswpRef.current = null;
});
}, [loadedImages, currentPage, getPageUrl]);
// Cleanup PhotoSwipe on unmount
useEffect(() => {
return () => {
if (pswpRef.current) {
pswpRef.current.close();
}
};
}, []);
return (
<div
ref={readerRef}
className="fixed inset-0 bg-background/95 backdrop-blur-sm z-50 overflow-hidden"
onClick={() => setShowControls(!showControls)}
>
<div className="relative h-full flex flex-col items-center justify-center">
{showEndMessage && (
<div className="absolute inset-0 flex items-center justify-center bg-background/80 backdrop-blur-sm z-50">
<div className="bg-background/80 backdrop-blur-md border rounded-lg shadow-lg p-6 max-w-md text-center">
<h3 className="text-lg font-semibold mb-2">{t("reader.endOfSeries")}</h3>
<p className="text-muted-foreground mb-4">{t("reader.endOfSeriesMessage")}</p>
<button
onClick={() => onClose?.(currentPage)}
className="px-4 py-2 bg-primary/90 backdrop-blur-md text-primary-foreground rounded-md hover:bg-primary/80 transition-colors"
>
{t("reader.backToSeries")}
</button>
</div>
</div>
)}
<ControlButtons
showControls={showControls}
onToggleControls={() => setShowControls(!showControls)}
onPreviousPage={handlePreviousPage}
onNextPage={handleNextPage}
onPageChange={navigateToPage}
onClose={onClose}
currentPage={currentPage}
totalPages={pages.length}
isDoublePage={isDoublePage}
onToggleDoublePage={() => setIsDoublePage(!isDoublePage)}
isFullscreen={isFullscreen}
onToggleFullscreen={() => toggleFullscreen(readerRef.current)}
direction={direction}
onToggleDirection={toggleDirection}
showThumbnails={showThumbnails}
onToggleThumbnails={() => setShowThumbnails(!showThumbnails)}
onZoom={handleZoom}
/>
{/* Reader content */}
<div className="relative flex-1 flex items-center justify-center overflow-hidden w-full">
<div className="relative w-full h-[calc(100vh-2rem)] flex items-center justify-center gap-1">
{/* Page 1 */}
<div
className={cn(
"relative h-full flex items-center",
isDoublePage && shouldShowDoublePage(currentPage)
? "w-1/2"
: "w-full justify-center",
isDoublePage && shouldShowDoublePage(currentPage) && {
"order-2 justify-start": isRTL,
"order-1 justify-end": !isRTL,
}
)}
>
<img
src={getPageUrl(currentPage)}
alt={`Page ${currentPage}`}
className="max-h-full max-w-full object-contain transition-opacity"
loading="eager"
/>
</div>
{/* Page 2 (double page) */}
{isDoublePage && shouldShowDoublePage(currentPage) && (
<div
className={cn(
"relative h-full w-1/2 flex items-center",
{
"order-1 justify-end": isRTL,
"order-2 justify-start": !isRTL,
}
)}
>
<img
src={getPageUrl(currentPage + 1)}
alt={`Page ${currentPage + 1}`}
className="max-h-full max-w-full object-contain transition-opacity"
loading="eager"
/>
</div>
)}
</div>
</div>
<NavigationBar
currentPage={currentPage}
pages={pages}
onPageChange={navigateToPage}
showControls={showControls}
showThumbnails={showThumbnails}
book={book}
/>
</div>
</div>
);
}