feat: build interactive documentary page with audio player and chapter navigation
Co-Authored-By: Claude Opus 4.6 <noreply@anthropic.com>
This commit is contained in:
@@ -11,6 +11,7 @@
|
||||
"dependencies": {
|
||||
"@afterlife/shared": "*",
|
||||
"framer-motion": "^12.34.3",
|
||||
"howler": "^2.2.4",
|
||||
"next": "^15",
|
||||
"next-intl": "^4.8.3",
|
||||
"react": "^19",
|
||||
@@ -18,6 +19,7 @@
|
||||
},
|
||||
"devDependencies": {
|
||||
"@tailwindcss/postcss": "^4",
|
||||
"@types/howler": "^2.2.12",
|
||||
"@types/node": "^20",
|
||||
"@types/react": "^19",
|
||||
"@types/react-dom": "^19",
|
||||
|
||||
24
apps/web/src/app/[locale]/games/[slug]/documentary/page.tsx
Normal file
24
apps/web/src/app/[locale]/games/[slug]/documentary/page.tsx
Normal file
@@ -0,0 +1,24 @@
|
||||
import { notFound } from "next/navigation";
|
||||
import { getDocumentaryByGameSlug } from "@/lib/api";
|
||||
import { DocumentaryLayout } from "@/components/documentary/DocumentaryLayout";
|
||||
|
||||
export default async function DocumentaryPage({
|
||||
params,
|
||||
}: {
|
||||
params: Promise<{ locale: string; slug: string }>;
|
||||
}) {
|
||||
const { locale, slug } = await params;
|
||||
|
||||
let documentary;
|
||||
try {
|
||||
documentary = await getDocumentaryByGameSlug(slug, locale);
|
||||
} catch {
|
||||
notFound();
|
||||
}
|
||||
|
||||
if (!documentary || !documentary.chapters?.length) {
|
||||
notFound();
|
||||
}
|
||||
|
||||
return <DocumentaryLayout documentary={documentary} />;
|
||||
}
|
||||
111
apps/web/src/components/documentary/AudioPlayer.tsx
Normal file
111
apps/web/src/components/documentary/AudioPlayer.tsx
Normal file
@@ -0,0 +1,111 @@
|
||||
"use client";
|
||||
|
||||
import { useTranslations } from "next-intl";
|
||||
|
||||
interface AudioPlayerProps {
|
||||
trackTitle: string | null;
|
||||
isPlaying: boolean;
|
||||
progress: number;
|
||||
duration: number;
|
||||
playbackRate: number;
|
||||
continuousMode: boolean;
|
||||
onToggle: () => void;
|
||||
onSeek: (seconds: number) => void;
|
||||
onChangeRate: (rate: number) => void;
|
||||
onToggleContinuous: () => void;
|
||||
}
|
||||
|
||||
const RATES = [0.5, 0.75, 1, 1.25, 1.5, 2];
|
||||
|
||||
function formatTime(seconds: number): string {
|
||||
const m = Math.floor(seconds / 60);
|
||||
const s = Math.floor(seconds % 60);
|
||||
return `${m}:${s.toString().padStart(2, "0")}`;
|
||||
}
|
||||
|
||||
export function AudioPlayer({
|
||||
trackTitle,
|
||||
isPlaying,
|
||||
progress,
|
||||
duration,
|
||||
playbackRate,
|
||||
continuousMode,
|
||||
onToggle,
|
||||
onSeek,
|
||||
onChangeRate,
|
||||
onToggleContinuous,
|
||||
}: AudioPlayerProps) {
|
||||
const t = useTranslations("audio");
|
||||
|
||||
if (!trackTitle) return null;
|
||||
|
||||
const progressPercent = duration > 0 ? (progress / duration) * 100 : 0;
|
||||
|
||||
return (
|
||||
<div className="fixed bottom-0 left-0 right-0 z-50 bg-gray-900/95 backdrop-blur-sm border-t border-white/10">
|
||||
<div className="max-w-7xl mx-auto px-4 py-3">
|
||||
{/* Progress bar */}
|
||||
<div
|
||||
className="w-full h-1 bg-gray-700 rounded-full mb-3 cursor-pointer"
|
||||
onClick={(e) => {
|
||||
const rect = e.currentTarget.getBoundingClientRect();
|
||||
const ratio = (e.clientX - rect.left) / rect.width;
|
||||
onSeek(ratio * duration);
|
||||
}}
|
||||
>
|
||||
<div
|
||||
className="h-full bg-blue-500 rounded-full transition-all"
|
||||
style={{ width: `${progressPercent}%` }}
|
||||
/>
|
||||
</div>
|
||||
|
||||
<div className="flex items-center gap-4">
|
||||
{/* Play/Pause */}
|
||||
<button
|
||||
onClick={onToggle}
|
||||
className="w-10 h-10 flex items-center justify-center bg-white rounded-full text-black hover:bg-gray-200 transition-colors"
|
||||
aria-label={isPlaying ? t("pause") : t("play")}
|
||||
>
|
||||
{isPlaying ? "\u23F8" : "\u25B6"}
|
||||
</button>
|
||||
|
||||
{/* Track info */}
|
||||
<div className="flex-1 min-w-0">
|
||||
<p className="text-sm text-white truncate">{trackTitle}</p>
|
||||
<p className="text-xs text-gray-500">
|
||||
{formatTime(progress)} / {formatTime(duration)}
|
||||
</p>
|
||||
</div>
|
||||
|
||||
{/* Speed selector */}
|
||||
<div className="flex items-center gap-2">
|
||||
<span className="text-xs text-gray-500">{t("speed")}:</span>
|
||||
<select
|
||||
value={playbackRate}
|
||||
onChange={(e) => onChangeRate(Number(e.target.value))}
|
||||
className="bg-gray-800 border border-white/10 rounded px-2 py-1 text-xs text-white"
|
||||
>
|
||||
{RATES.map((r) => (
|
||||
<option key={r} value={r}>
|
||||
{r}x
|
||||
</option>
|
||||
))}
|
||||
</select>
|
||||
</div>
|
||||
|
||||
{/* Continuous mode toggle */}
|
||||
<button
|
||||
onClick={onToggleContinuous}
|
||||
className={`text-xs px-3 py-1 rounded border transition-colors ${
|
||||
continuousMode
|
||||
? "border-blue-500 text-blue-400"
|
||||
: "border-white/10 text-gray-500 hover:text-white"
|
||||
}`}
|
||||
>
|
||||
{continuousMode ? t("continuous_mode") : t("chapter_mode")}
|
||||
</button>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
28
apps/web/src/components/documentary/ChapterContent.tsx
Normal file
28
apps/web/src/components/documentary/ChapterContent.tsx
Normal file
@@ -0,0 +1,28 @@
|
||||
import Image from "next/image";
|
||||
import type { Chapter } from "@afterlife/shared";
|
||||
|
||||
interface ChapterContentProps {
|
||||
chapter: Chapter;
|
||||
}
|
||||
|
||||
export function ChapterContent({ chapter }: ChapterContentProps) {
|
||||
return (
|
||||
<article className="max-w-3xl">
|
||||
{chapter.coverImage && (
|
||||
<div className="relative aspect-video rounded-lg overflow-hidden mb-8">
|
||||
<Image
|
||||
src={chapter.coverImage.url}
|
||||
alt={chapter.coverImage.alternativeText || chapter.title}
|
||||
fill
|
||||
className="object-cover"
|
||||
/>
|
||||
</div>
|
||||
)}
|
||||
<h2 className="text-3xl font-bold mb-6">{chapter.title}</h2>
|
||||
<div
|
||||
className="prose prose-invert prose-lg max-w-none"
|
||||
dangerouslySetInnerHTML={{ __html: chapter.content }}
|
||||
/>
|
||||
</article>
|
||||
);
|
||||
}
|
||||
41
apps/web/src/components/documentary/ChapterNav.tsx
Normal file
41
apps/web/src/components/documentary/ChapterNav.tsx
Normal file
@@ -0,0 +1,41 @@
|
||||
"use client";
|
||||
|
||||
import type { Chapter } from "@afterlife/shared";
|
||||
import { useTranslations } from "next-intl";
|
||||
|
||||
interface ChapterNavProps {
|
||||
chapters: Chapter[];
|
||||
activeChapterId: number;
|
||||
onSelectChapter: (id: number, index: number) => void;
|
||||
}
|
||||
|
||||
export function ChapterNav({ chapters, activeChapterId, onSelectChapter }: ChapterNavProps) {
|
||||
const t = useTranslations("documentary");
|
||||
|
||||
return (
|
||||
<nav className="w-64 flex-shrink-0 hidden lg:block">
|
||||
<div className="sticky top-20">
|
||||
<h3 className="text-sm font-semibold text-gray-400 uppercase tracking-wider mb-4">
|
||||
{t("chapters")}
|
||||
</h3>
|
||||
<ol className="space-y-1">
|
||||
{chapters.map((chapter, index) => (
|
||||
<li key={chapter.id}>
|
||||
<button
|
||||
onClick={() => onSelectChapter(chapter.id, index)}
|
||||
className={`w-full text-left px-3 py-2 rounded-lg text-sm transition-colors ${
|
||||
chapter.id === activeChapterId
|
||||
? "bg-blue-600/20 text-blue-400 font-medium"
|
||||
: "text-gray-400 hover:text-white hover:bg-white/5"
|
||||
}`}
|
||||
>
|
||||
<span className="text-xs text-gray-600 mr-2">{index + 1}.</span>
|
||||
{chapter.title}
|
||||
</button>
|
||||
</li>
|
||||
))}
|
||||
</ol>
|
||||
</div>
|
||||
</nav>
|
||||
);
|
||||
}
|
||||
74
apps/web/src/components/documentary/DocumentaryLayout.tsx
Normal file
74
apps/web/src/components/documentary/DocumentaryLayout.tsx
Normal file
@@ -0,0 +1,74 @@
|
||||
"use client";
|
||||
|
||||
import { useEffect, useState } from "react";
|
||||
import type { Documentary, Chapter } from "@afterlife/shared";
|
||||
import { ChapterNav } from "./ChapterNav";
|
||||
import { ChapterContent } from "./ChapterContent";
|
||||
import { AudioPlayer } from "./AudioPlayer";
|
||||
import { ReadingProgress } from "./ReadingProgress";
|
||||
import { useAudioPlayer } from "@/hooks/useAudioPlayer";
|
||||
|
||||
interface DocumentaryLayoutProps {
|
||||
documentary: Documentary;
|
||||
}
|
||||
|
||||
export function DocumentaryLayout({ documentary }: DocumentaryLayoutProps) {
|
||||
const chapters = [...documentary.chapters].sort((a, b) => a.order - b.order);
|
||||
const [activeChapter, setActiveChapter] = useState<Chapter>(chapters[0]);
|
||||
|
||||
const audio = useAudioPlayer();
|
||||
|
||||
useEffect(() => {
|
||||
const audioTracks = chapters
|
||||
.filter((ch) => ch.audioFile)
|
||||
.map((ch) => ({
|
||||
id: ch.id,
|
||||
title: ch.title,
|
||||
url: ch.audioFile!.url,
|
||||
duration: ch.audioDuration ?? 0,
|
||||
}));
|
||||
audio.setTracks(audioTracks);
|
||||
if (audioTracks.length > 0) {
|
||||
audio.loadTrack(0);
|
||||
}
|
||||
}, []); // eslint-disable-line react-hooks/exhaustive-deps
|
||||
|
||||
function handleSelectChapter(chapterId: number, index: number) {
|
||||
const chapter = chapters.find((c) => c.id === chapterId);
|
||||
if (chapter) {
|
||||
setActiveChapter(chapter);
|
||||
const trackIndex = audio.tracks.findIndex((t) => t.id === chapterId);
|
||||
if (trackIndex !== -1) {
|
||||
audio.goToTrack(trackIndex);
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
return (
|
||||
<>
|
||||
<ReadingProgress />
|
||||
<div className="max-w-7xl mx-auto px-4 py-12 flex gap-8">
|
||||
<ChapterNav
|
||||
chapters={chapters}
|
||||
activeChapterId={activeChapter.id}
|
||||
onSelectChapter={handleSelectChapter}
|
||||
/>
|
||||
<div className="flex-1 pb-24">
|
||||
<ChapterContent chapter={activeChapter} />
|
||||
</div>
|
||||
</div>
|
||||
<AudioPlayer
|
||||
trackTitle={audio.currentTrack?.title ?? null}
|
||||
isPlaying={audio.isPlaying}
|
||||
progress={audio.progress}
|
||||
duration={audio.duration}
|
||||
playbackRate={audio.playbackRate}
|
||||
continuousMode={audio.continuousMode}
|
||||
onToggle={audio.toggle}
|
||||
onSeek={audio.seek}
|
||||
onChangeRate={audio.changeRate}
|
||||
onToggleContinuous={() => audio.setContinuousMode(!audio.continuousMode)}
|
||||
/>
|
||||
</>
|
||||
);
|
||||
}
|
||||
26
apps/web/src/components/documentary/ReadingProgress.tsx
Normal file
26
apps/web/src/components/documentary/ReadingProgress.tsx
Normal file
@@ -0,0 +1,26 @@
|
||||
"use client";
|
||||
|
||||
import { useEffect, useState } from "react";
|
||||
|
||||
export function ReadingProgress() {
|
||||
const [progress, setProgress] = useState(0);
|
||||
|
||||
useEffect(() => {
|
||||
function handleScroll() {
|
||||
const scrollTop = window.scrollY;
|
||||
const docHeight = document.documentElement.scrollHeight - window.innerHeight;
|
||||
setProgress(docHeight > 0 ? (scrollTop / docHeight) * 100 : 0);
|
||||
}
|
||||
window.addEventListener("scroll", handleScroll, { passive: true });
|
||||
return () => window.removeEventListener("scroll", handleScroll);
|
||||
}, []);
|
||||
|
||||
return (
|
||||
<div className="fixed top-16 left-0 right-0 z-40 h-0.5 bg-gray-800">
|
||||
<div
|
||||
className="h-full bg-blue-500 transition-all duration-150"
|
||||
style={{ width: `${progress}%` }}
|
||||
/>
|
||||
</div>
|
||||
);
|
||||
}
|
||||
124
apps/web/src/hooks/useAudioPlayer.ts
Normal file
124
apps/web/src/hooks/useAudioPlayer.ts
Normal file
@@ -0,0 +1,124 @@
|
||||
"use client";
|
||||
|
||||
import { useState, useRef, useCallback, useEffect } from "react";
|
||||
import { Howl } from "howler";
|
||||
|
||||
interface AudioTrack {
|
||||
id: number;
|
||||
title: string;
|
||||
url: string;
|
||||
duration: number;
|
||||
}
|
||||
|
||||
export function useAudioPlayer() {
|
||||
const [tracks, setTracks] = useState<AudioTrack[]>([]);
|
||||
const [currentTrackIndex, setCurrentTrackIndex] = useState(0);
|
||||
const [isPlaying, setIsPlaying] = useState(false);
|
||||
const [progress, setProgress] = useState(0);
|
||||
const [duration, setDuration] = useState(0);
|
||||
const [playbackRate, setPlaybackRate] = useState(1);
|
||||
const [continuousMode, setContinuousMode] = useState(false);
|
||||
const howlRef = useRef<Howl | null>(null);
|
||||
const animFrameRef = useRef<number>(0);
|
||||
|
||||
const currentTrack = tracks[currentTrackIndex] ?? null;
|
||||
|
||||
const destroyHowl = useCallback(() => {
|
||||
if (howlRef.current) {
|
||||
howlRef.current.unload();
|
||||
howlRef.current = null;
|
||||
}
|
||||
cancelAnimationFrame(animFrameRef.current);
|
||||
}, []);
|
||||
|
||||
const loadTrack = useCallback(
|
||||
(index: number) => {
|
||||
if (!tracks[index]) return;
|
||||
destroyHowl();
|
||||
|
||||
const howl = new Howl({
|
||||
src: [tracks[index].url],
|
||||
html5: true,
|
||||
rate: playbackRate,
|
||||
onplay: () => {
|
||||
setIsPlaying(true);
|
||||
const updateProgress = () => {
|
||||
if (howl.playing()) {
|
||||
setProgress(howl.seek() as number);
|
||||
animFrameRef.current = requestAnimationFrame(updateProgress);
|
||||
}
|
||||
};
|
||||
animFrameRef.current = requestAnimationFrame(updateProgress);
|
||||
},
|
||||
onpause: () => setIsPlaying(false),
|
||||
onstop: () => setIsPlaying(false),
|
||||
onend: () => {
|
||||
setIsPlaying(false);
|
||||
if (continuousMode && index < tracks.length - 1) {
|
||||
setCurrentTrackIndex(index + 1);
|
||||
}
|
||||
},
|
||||
onload: () => {
|
||||
setDuration(howl.duration());
|
||||
},
|
||||
});
|
||||
|
||||
howlRef.current = howl;
|
||||
setCurrentTrackIndex(index);
|
||||
setProgress(0);
|
||||
},
|
||||
[tracks, playbackRate, continuousMode, destroyHowl]
|
||||
);
|
||||
|
||||
const play = useCallback(() => howlRef.current?.play(), []);
|
||||
const pause = useCallback(() => howlRef.current?.pause(), []);
|
||||
const toggle = useCallback(() => {
|
||||
if (isPlaying) pause();
|
||||
else play();
|
||||
}, [isPlaying, play, pause]);
|
||||
|
||||
const seek = useCallback((seconds: number) => {
|
||||
howlRef.current?.seek(seconds);
|
||||
setProgress(seconds);
|
||||
}, []);
|
||||
|
||||
const changeRate = useCallback(
|
||||
(rate: number) => {
|
||||
setPlaybackRate(rate);
|
||||
howlRef.current?.rate(rate);
|
||||
},
|
||||
[]
|
||||
);
|
||||
|
||||
const goToTrack = useCallback(
|
||||
(index: number) => {
|
||||
loadTrack(index);
|
||||
setTimeout(() => howlRef.current?.play(), 100);
|
||||
},
|
||||
[loadTrack]
|
||||
);
|
||||
|
||||
useEffect(() => {
|
||||
return () => destroyHowl();
|
||||
}, [destroyHowl]);
|
||||
|
||||
return {
|
||||
tracks,
|
||||
setTracks,
|
||||
currentTrack,
|
||||
currentTrackIndex,
|
||||
isPlaying,
|
||||
progress,
|
||||
duration,
|
||||
playbackRate,
|
||||
continuousMode,
|
||||
setContinuousMode,
|
||||
loadTrack,
|
||||
play,
|
||||
pause,
|
||||
toggle,
|
||||
seek,
|
||||
changeRate,
|
||||
goToTrack,
|
||||
};
|
||||
}
|
||||
Reference in New Issue
Block a user