spotify-clone/frontend-vite/src/components/PlayerBar.tsx

685 lines
34 KiB
TypeScript

import { Play, Pause, SkipBack, SkipForward, Repeat, Shuffle, Volume2, Download, PlusCircle, Mic2, Heart, Loader2, ListMusic, MonitorSpeaker, Maximize2, MoreHorizontal, Info, ChevronUp } from 'lucide-react';
import { usePlayer } from "../context/PlayerContext";
import { useEffect, useRef, useState } from "react";
import { useNavigate, useLocation } from "react-router-dom";
import TechSpecs from './TechSpecs';
import AddToPlaylistModal from "./AddToPlaylistModal";
import Lyrics from './Lyrics';
import QueueModal from './QueueModal';
import { useDominantColor } from '../hooks/useDominantColor';
import { useLyrics } from '../hooks/useLyrics';
export default function PlayerBar() {
const {
currentTrack, isPlaying, isBuffering, togglePlay, setBuffering,
likedTracks, toggleLike, nextTrack, prevTrack, shuffle, toggleShuffle,
repeatMode, toggleRepeat, audioQuality, isLyricsOpen, toggleLyrics, closeLyrics, openLyrics,
isFullScreenOpen, setIsFullScreenOpen
} = usePlayer();
const dominantColor = useDominantColor(currentTrack?.cover_url);
const audioRef = useRef<HTMLAudioElement | null>(null);
const iframeRef = useRef<HTMLIFrameElement | null>(null);
const [progress, setProgress] = useState(0);
const [duration, setDuration] = useState(0);
const [hasInteractedWithLyrics, setHasInteractedWithLyrics] = useState(false);
const { currentLine } = useLyrics(
currentTrack?.title || '',
currentTrack?.artist || '',
progress,
isLyricsOpen || hasInteractedWithLyrics // Only fetch if opened or previously interacted
);
// Swipe Logic
const touchStartY = useRef<number | null>(null);
const handleTouchStart = (e: React.TouchEvent) => {
touchStartY.current = e.touches[0].clientY;
};
const handleTouchEnd = (e: React.TouchEvent) => {
if (touchStartY.current === null) return;
const touchEndY = e.changedTouches[0].clientY;
const diffY = touchStartY.current - touchEndY;
// Swipe Up (positive diff) > 100px (Increased threshold to prevent accidental triggers)
if (diffY > 100) {
setHasInteractedWithLyrics(true);
openLyrics(); // Explicitly Open Lyrics
}
touchStartY.current = null;
};
const [volume, setVolume] = useState(1);
const navigate = useNavigate();
const location = useLocation();
// Modal State
const [isAddToPlaylistOpen, setIsAddToPlaylistOpen] = useState(false);
const [isTechSpecsOpen, setIsTechSpecsOpen] = useState(false);
const [isQueueOpen, setIsQueueOpen] = useState(false);
const [isInfoOpen, setIsInfoOpen] = useState(false);
const [playerMode, setPlayerMode] = useState<'audio' | 'video'>('audio');
const [isIdle, setIsIdle] = useState(false);
const [isVideoReady, setIsVideoReady] = useState(false);
const idleTimerRef = useRef<NodeJS.Timeout | null>(null);
const resetIdleTimer = () => {
setIsIdle(false);
if (idleTimerRef.current) clearTimeout(idleTimerRef.current);
if (playerMode === 'video' && isPlaying) {
idleTimerRef.current = setTimeout(() => {
setIsIdle(true);
}, 3000);
}
};
// Force close lyrics on mount (Defensive fix for "Open on first play")
useEffect(() => {
closeLyrics();
}, []);
// Auto-close fullscreen player on navigation
useEffect(() => {
setPlayerMode('audio');
setIsFullScreenOpen(false);
}, [location.pathname]);
// Reset to audio mode when track changes
useEffect(() => {
setPlayerMode('audio');
setIsIdle(false);
setIsVideoReady(false);
}, [currentTrack?.id]);
// Handle idle timer when playing video
useEffect(() => {
resetIdleTimer();
return () => {
if (idleTimerRef.current) clearTimeout(idleTimerRef.current);
};
}, [isPlaying, playerMode]);
// Handle audio/video mode switching
const handleModeSwitch = (mode: 'audio' | 'video') => {
if (mode === 'video') {
// Pause audio ref but DON'T toggle isPlaying state to false
// The iframe useEffect will pick up isPlaying=true and start the video
audioRef.current?.pause();
setIsVideoReady(false);
// If currently playing, start video playback after iframe loads
if (isPlaying && iframeRef.current && iframeRef.current.contentWindow) {
setTimeout(() => {
if (iframeRef.current?.contentWindow) {
iframeRef.current.contentWindow.postMessage(JSON.stringify({
event: 'command',
func: 'playVideo'
}), '*');
}
}, 1000);
}
} else {
// Switching back to audio
if (isPlaying) {
audioRef.current?.play().catch(() => { });
}
}
setPlayerMode(mode);
};
// Handle play/pause for video mode - send command to YouTube iframe only
const handleVideoPlayPause = () => {
if (playerMode !== 'video' || !iframeRef.current || !iframeRef.current.contentWindow) return;
// Send play/pause command directly to YouTube
const action = isPlaying ? 'pauseVideo' : 'playVideo';
try {
iframeRef.current.contentWindow.postMessage(JSON.stringify({
event: 'command',
func: action
}), '*');
} catch (e) {
// Ignore cross-origin errors
}
// Toggle local state for UI sync only (audio won't play since it's paused)
togglePlay();
};
// ... (rest of useEffects)
// ... inside return ...
const isDragging = useRef(false);
// Audio source effect
useEffect(() => {
if (currentTrack && audioRef.current && currentTrack.url) {
const isSameUrl = audioRef.current.src === currentTrack.url ||
(currentTrack.url.startsWith('/') && audioRef.current.src.endsWith(currentTrack.url)) ||
(audioRef.current.src.includes(currentTrack.id));
if (isSameUrl) return;
audioRef.current.src = currentTrack.url;
if (isPlaying) {
audioRef.current.play().catch(e => {
if (e.name !== 'AbortError') console.error("Play error:", e);
});
}
}
}, [currentTrack?.url]);
// Play/Pause effect - skip when in video mode (YouTube controls playback)
useEffect(() => {
if (playerMode === 'video') return; // Skip audio control in video mode
if (audioRef.current) {
if (isPlaying) {
audioRef.current.play().catch(e => {
if (e.name !== 'AbortError') console.error("Play error:", e);
});
if ('mediaSession' in navigator) navigator.mediaSession.playbackState = "playing";
} else {
audioRef.current.pause();
if ('mediaSession' in navigator) navigator.mediaSession.playbackState = "paused";
}
}
}, [isPlaying, playerMode]);
// Volume Effect
useEffect(() => {
if (audioRef.current) {
audioRef.current.volume = volume;
}
}, [volume]);
// Note: YouTube iframe play/pause sync is handled via URL autoplay parameter
// Cross-origin restrictions prevent reliable postMessage control
const handleTimeUpdate = () => {
if (audioRef.current) {
// Only update progress if NOT dragging, to prevent stutter/fighting
if (!isDragging.current) {
setProgress(audioRef.current.currentTime);
}
if (!isNaN(audioRef.current.duration)) {
setDuration(audioRef.current.duration);
}
// Update position state for lock screen
if ('mediaSession' in navigator && !isNaN(audioRef.current.duration)) {
try {
navigator.mediaSession.setPositionState({
duration: audioRef.current.duration,
playbackRate: audioRef.current.playbackRate,
position: audioRef.current.currentTime
});
} catch { /* ignore */ }
}
}
};
// Called while dragging - updates visual slider only
const handleSeek = (e: React.ChangeEvent<HTMLInputElement>) => {
isDragging.current = true;
const time = parseFloat(e.target.value);
setProgress(time);
};
// Called on release - commits the seek to audio engine
const handleSeekCommit = () => {
if (audioRef.current) {
audioRef.current.currentTime = progress;
}
// Small delay to prevent onTimeUpdate from jumping back immediately
setTimeout(() => {
isDragging.current = false;
}, 200);
};
const handleVolume = (e: React.ChangeEvent<HTMLInputElement>) => {
setVolume(parseFloat(e.target.value));
};
const handleDownload = () => {
if (!currentTrack) return;
const url = `/api/download?id=${currentTrack.id}&title=${encodeURIComponent(currentTrack.title)}`;
window.open(url, '_blank');
};
const formatTime = (time: number) => {
if (isNaN(time)) return "0:00";
const minutes = Math.floor(time / 60);
const seconds = Math.floor(time % 60);
return `${minutes}:${seconds.toString().padStart(2, '0')}`;
};
if (!currentTrack) return null;
return (
<>
<footer
className="fixed bottom-[calc(4rem+env(safe-area-inset-bottom))] left-2 right-2 fold:left-0 fold:right-0 fold:bottom-0 h-16 fold:h-[90px] bg-spotify-player border-t-0 fold:border-t border-white/5 flex items-center justify-between z-[60] rounded-lg fold:rounded-none shadow-xl fold:shadow-none transition-all duration-300 backdrop-blur-xl"
onClick={() => {
if (window.innerWidth < 1024) {
setIsFullScreenOpen(true);
}
}}
>
<audio
ref={audioRef}
preload="auto"
onEnded={nextTrack}
onWaiting={() => setBuffering(true)}
onPlaying={() => setBuffering(false)}
onTimeUpdate={handleTimeUpdate}
onLoadedMetadata={handleTimeUpdate}
/>
{/* Mobile Progress Bar */}
<div className="absolute bottom-0 left-1 right-1 h-[2px] fold:hidden">
<div className="absolute inset-0 bg-white/20 rounded-full overflow-hidden pointer-events-none">
<div
className="h-full bg-white rounded-full transition-all duration-300 ease-linear"
style={{ width: `${(progress / (duration || 1)) * 100}%` }}
/>
</div>
<input
type="range"
min={0}
max={duration || 100}
value={progress}
onChange={(e) => { e.stopPropagation(); handleSeek(e); }}
onMouseUp={(e) => { e.stopPropagation(); handleSeekCommit(); }}
onTouchEnd={(e) => { e.stopPropagation(); handleSeekCommit(); }}
onClick={(e) => e.stopPropagation()}
className="absolute -bottom-1 -left-1 -right-1 h-4 w-[calc(100%+8px)] opacity-0 cursor-pointer z-10"
/>
</div>
{/* Left: Now Playing */}
<div className="flex items-center gap-3 fold:gap-4 flex-1 min-w-0 fold:w-[30%] text-white fold:pl-4">
<img
src={currentTrack.cover_url}
alt="Cover"
className="h-14 w-14 fold:h-14 fold:w-14 rounded-xl object-cover ml-1 fold:ml-0 cursor-pointer"
onClick={(e) => {
e.stopPropagation();
setIsFullScreenOpen(true);
}}
/>
<div className="flex flex-col justify-center overflow-hidden min-w-0">
<span className="text-[11px] fold:text-xs font-bold truncate leading-tight hover:underline cursor-pointer">{currentTrack.title}</span>
<div className="flex items-center gap-2">
<span className="text-[10px] fold:text-xs text-neutral-400 truncate leading-tight hover:underline cursor-pointer">{currentTrack.artist}</span>
{audioQuality && (
<button
onClick={(e) => { e.stopPropagation(); setIsTechSpecsOpen(true); }}
className="text-[10px] bg-white/10 px-1 rounded text-green-400 font-bold hover:bg-white/20 transition border border-green-400/20"
>
HI-RES
</button>
)}
</div>
</div>
{/* Mobile Heart */}
<button
onClick={(e) => { e.stopPropagation(); toggleLike(currentTrack); }}
className={`fold:hidden ml-2 ${likedTracks.has(currentTrack.id) ? 'text-green-500' : 'text-neutral-400'}`}
>
<Heart size={20} fill={likedTracks.has(currentTrack.id) ? "currentColor" : "none"} />
</button>
{/* Desktop Heart */}
<button
onClick={(e) => { e.stopPropagation(); toggleLike(currentTrack); }}
className={`hidden fold:block hover:scale-110 transition ${likedTracks.has(currentTrack.id) ? 'text-green-500' : 'text-neutral-400 hover:text-white'}`}
>
<Heart className={`w-5 h-5 ${likedTracks.has(currentTrack.id) ? 'fill-green-500' : ''}`} />
</button>
{/* Add to Playlist (Desktop) */}
<button
onClick={(e) => { e.stopPropagation(); setIsAddToPlaylistOpen(true); }}
className="hidden fold:block text-neutral-400 hover:text-white hover:scale-110 transition"
title="Add to Playlist"
>
<PlusCircle className="w-5 h-5" />
</button>
</div>
{/* Center: Controls */}
<div className="flex fold:flex-col items-center justify-end fold:justify-center fold:max-w-[40%] w-auto fold:w-full gap-2 pr-3 fold:pr-0">
{/* Mobile: Play/Pause + Lyrics */}
<div className="flex items-center gap-3 fold:hidden">
<button
className={`transition ${isLyricsOpen ? 'text-green-500' : 'text-neutral-300'}`}
onClick={(e) => { e.stopPropagation(); toggleLyrics(); }}
>
<Mic2 size={22} />
</button>
<button
onClick={(e) => { e.stopPropagation(); togglePlay(); }}
className="text-white"
>
{isBuffering ? <Loader2 size={24} className="animate-spin" /> : (isPlaying ? <Pause size={24} fill="currentColor" /> : <Play size={24} fill="currentColor" />)}
</button>
</div>
{/* Desktop: Full Controls */}
<div className="hidden fold:flex items-center gap-6">
<button
onClick={toggleShuffle}
className={`transition ${shuffle ? 'text-green-500' : 'text-neutral-400 hover:text-white'}`}>
<Shuffle className="w-4 h-4" />
</button>
<button onClick={prevTrack} className="text-neutral-400 hover:text-white transition"><SkipBack className="w-5 h-5 fill-current" /></button>
<button
onClick={togglePlay}
className="w-8 h-8 bg-white rounded-full flex items-center justify-center hover:scale-105 transition">
{isBuffering ? (
<Loader2 className="w-4 h-4 text-black animate-spin" />
) : isPlaying ? (
<Pause className="w-4 h-4 text-black fill-black" />
) : (
<Play className="w-4 h-4 text-black fill-black ml-0.5" />
)}
</button>
<button onClick={nextTrack} className="text-neutral-400 hover:text-white transition"><SkipForward className="w-5 h-5 fill-current" /></button>
<button
onClick={toggleRepeat}
className={`transition ${repeatMode !== 'none' ? 'text-green-500' : 'text-neutral-400 hover:text-white'} relative`}>
<Repeat className="w-4 h-4" />
{repeatMode === 'one' && <span className="absolute -top-1 -right-1 text-[8px] font-bold text-black bg-green-500 rounded-full w-3 h-3 flex items-center justify-center">1</span>}
</button>
</div>
{/* Desktop: Seek Bar */}
<div className="hidden fold:flex items-center gap-2 w-full text-xs text-neutral-400">
<span>{formatTime(progress)}</span>
<input
type="range"
min={0}
max={duration || 100}
value={progress}
onChange={handleSeek}
onMouseUp={handleSeekCommit}
onTouchEnd={handleSeekCommit}
className="w-full h-1 bg-[#4d4d4d] rounded-lg appearance-none cursor-pointer accent-white hover:accent-green-500"
/>
<span>{formatTime(duration)}</span>
</div>
</div>
{/* Right: Volume & Extras (Desktop) */}
<div className="hidden fold:flex items-center justify-end gap-3 w-[30%] text-neutral-400 pr-4">
<button
className={`transition ${isLyricsOpen ? 'text-green-500' : 'text-zinc-400 hover:text-white'}`}
onClick={toggleLyrics}
title="Lyrics"
>
<Mic2 size={20} />
</button>
<button
className="text-zinc-400 hover:text-white transition"
onClick={handleDownload}
title="Download MP3"
>
<Download size={20} />
</button>
<button
className={`transition ${isQueueOpen ? 'text-green-500' : 'text-zinc-400 hover:text-white'}`}
onClick={() => setIsQueueOpen(true)}
title="Queue"
>
<ListMusic className="w-4 h-4" />
</button>
<MonitorSpeaker className="w-4 h-4 hover:text-white cursor-pointer" onClick={() => setIsTechSpecsOpen(true)} />
<div className="flex items-center gap-2 w-24 group">
<Volume2 className="w-4 h-4 group-hover:text-white" />
<input
type="range"
min={0}
max={1}
step={0.01}
value={volume}
onChange={handleVolume}
className="w-full h-1 bg-[#4d4d4d] rounded-lg appearance-none cursor-pointer accent-white group-hover:accent-green-500"
/>
</div>
<button onClick={() => setIsCoverModalOpen(true)} title="Full Screen" className="text-zinc-400 hover:text-white">
<Maximize2 className="w-4 h-4" />
</button>
</div>
</footer>
{/* Mobile Full Screen Player Overlay */}
<div
className={`fixed inset-0 z-[70] flex flex-col transition-transform duration-300 ${isFullScreenOpen ? 'translate-y-0' : 'translate-y-full'}`}
style={{ background: `linear-gradient(to bottom, ${dominantColor}, #121212)` }}
onTouchStart={handleTouchStart}
onTouchEnd={handleTouchEnd}
>
{/* Header / Close */}
<div className={`relative z-[80] flex items-center justify-between p-4 pt-8 shrink-0 transition-opacity duration-700 ${isIdle && playerMode === 'video' ? 'opacity-0 pointer-events-none' : 'opacity-100'}`}>
<div onClick={() => { setPlayerMode('audio'); setIsFullScreenOpen(false); }} className="text-white p-2 hover:bg-white/10 rounded-full transition cursor-pointer">
<svg width="24" height="24" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2">
<path d="M19 12H5M12 19l-7-7 7-7" />
</svg>
</div>
{/* Song / Video Toggle */}
<div className="flex bg-black/40 backdrop-blur-md rounded-full p-1 border border-white/10 shadow-xl">
<button
onClick={(e) => { e.stopPropagation(); handleModeSwitch('audio'); }}
className={`px-8 py-1.5 rounded-full text-xs font-bold transition-all duration-300 ${playerMode === 'audio' ? 'bg-white text-black shadow-lg scale-105' : 'text-neutral-400 hover:text-white'}`}
>
Song
</button>
<button
onClick={(e) => { e.stopPropagation(); handleModeSwitch('video'); }}
className={`px-8 py-1.5 rounded-full text-xs font-bold transition-all duration-300 ${playerMode === 'video' ? 'bg-white text-black shadow-lg scale-105' : 'text-neutral-400 hover:text-white'}`}
>
Video
</button>
</div>
<div className="w-10" />
</div>
{/* Content Area */}
<div
className="flex-1 relative overflow-hidden group"
onMouseMove={resetIdleTimer}
onTouchStart={resetIdleTimer}
>
{playerMode === 'video' ? (
/* CINEMATIC VIDEO MODE: Full Background Video */
<div className="absolute inset-0 z-0 bg-black">
<div className="w-full h-full transform scale-[1.01]"> {/* Slight scale to hide any possible edges */}
{!isVideoReady && (
<div className="absolute inset-0 flex items-center justify-center">
<div className="w-12 h-12 border-4 border-white/30 border-t-white rounded-full animate-spin" />
</div>
)}
<iframe
key={`${currentTrack.id}-${playerMode}`}
ref={iframeRef}
width="100%"
height="100%"
src={`https://www.youtube.com/embed/${currentTrack.id}?autoplay=1&playsinline=1&modestbranding=1&rel=0&controls=1&enablejsapi=1&fs=1&vq=hd1080`}
title="YouTube video player"
frameBorder="0"
allow="accelerometer; autoplay; clipboard-write; encrypted-media; gyroscope; picture-in-picture; web-share"
allowFullScreen
className={`pointer-events-auto transition-opacity duration-500 ${isVideoReady ? 'opacity-100' : 'opacity-0'}`}
onLoad={() => setIsVideoReady(true)}
></iframe>
</div>
{/* Overlay Gradient for cinematic feel */}
<div className={`absolute inset-0 bg-gradient-to-t from-black via-transparent to-black/40 pointer-events-none transition-opacity duration-1000 ${isIdle ? 'opacity-20' : 'opacity-60'}`} />
</div>
) : (
/* SONG MODE: Centered Case */
<div className="h-full flex items-center justify-center p-8 md:p-12 animate-in zoom-in-95 duration-500">
<img
src={currentTrack.cover_url}
alt={currentTrack.title}
className="w-full aspect-square object-cover rounded-3xl shadow-[0_30px_60px_rgba(0,0,0,0.5)] max-h-[50vh] md:max-h-[60vh] transition-transform duration-700 group-hover:scale-[1.02]"
/>
</div>
)}
{/* Controls Overlay (Bottom) */}
<div className={`absolute bottom-0 left-0 right-0 z-20 px-8 pb-12 transition-all duration-700 ${playerMode === 'video' ? 'bg-gradient-to-t from-black via-black/40 to-transparent' : ''} ${isIdle && playerMode === 'video' ? 'opacity-0 translate-y-4 pointer-events-none' : 'opacity-100 translate-y-0'}`}>
<div className="max-w-screen-xl mx-auto flex flex-col md:flex-row md:items-end gap-8">
{/* Metadata */}
<div className="flex-1">
<h2 className={`font-black text-white mb-2 drop-shadow-lg tracking-tight transition-all duration-500 ${playerMode === 'video' ? 'text-xl md:text-3xl' : 'text-3xl md:text-5xl'}`}>{currentTrack.title}</h2>
<p
onClick={() => { setPlayerMode('audio'); setIsFullScreenOpen(false); navigate(`/artist/${encodeURIComponent(currentTrack.artist)}`); }}
className={`text-white/70 font-medium cursor-pointer hover:text-white hover:underline transition drop-shadow-md ${playerMode === 'video' ? 'text-base md:text-xl' : 'text-lg md:text-2xl'}`}
>
{currentTrack.artist}
</p>
</div>
{/* Secondary Actions */}
<div className="flex items-center gap-4 text-white">
<button onClick={() => toggleLike(currentTrack)} className={`p-3 rounded-full hover:bg-white/10 transition ${likedTracks.has(currentTrack.id) ? 'text-green-500' : 'text-white/60'}`}>
<Heart size={32} fill={likedTracks.has(currentTrack.id) ? "currentColor" : "none"} />
</button>
<button onClick={() => setIsInfoOpen(true)} className="p-3 rounded-full hover:bg-white/10 transition text-white/60 hover:text-white">
<Info size={28} />
</button>
</div>
</div>
{/* Scrubber & Controls */}
<div className="max-w-screen-md mx-auto mt-8">
{/* Scrubber */}
<div className="mb-8">
<input
type="range"
min={0}
max={duration || 100}
value={progress}
onChange={handleSeek}
onMouseUp={handleSeekCommit}
onTouchEnd={handleSeekCommit}
className="w-full h-1.5 bg-white/20 rounded-lg appearance-none cursor-pointer accent-white mb-2 hover:bg-white/30 transition-colors"
/>
<div className="flex justify-between text-[10px] md:text-xs text-white/50 font-bold uppercase tracking-widest font-mono">
<span>{formatTime(progress)}</span>
<span>{formatTime(duration)}</span>
</div>
</div>
{/* Main Playback Controls */}
<div className="flex items-center justify-between w-full">
<button onClick={toggleShuffle} className={`p-2 transition-all duration-300 ${shuffle ? 'text-green-500 scale-110' : 'text-white/40 hover:text-white'}`}>
<Shuffle size={24} />
</button>
<button onClick={prevTrack} className="text-white hover:scale-110 active:scale-95 transition">
<SkipBack size={42} fill="currentColor" />
</button>
<button onClick={playerMode === 'video' ? handleVideoPlayPause : togglePlay} className="w-20 h-20 bg-white rounded-full flex items-center justify-center text-black hover:scale-110 active:scale-90 transition shadow-2xl">
{isPlaying ? <Pause size={42} fill="currentColor" /> : <Play size={42} fill="currentColor" className="ml-1.5" />}
</button>
<button onClick={nextTrack} className="text-white hover:scale-110 active:scale-95 transition">
<SkipForward size={42} fill="currentColor" />
</button>
<button onClick={toggleRepeat} className={`p-2 transition-all duration-300 ${repeatMode !== 'none' ? 'text-green-500 scale-110' : 'text-white/40 hover:text-white'}`}>
<Repeat size={24} />
</button>
</div>
</div>
</div>
</div>
</div>
{/* Song Info Modal (Mobile) */}
{isInfoOpen && (
<div className="fixed inset-0 bg-black/80 z-[80] flex items-center justify-center p-6 backdrop-blur-sm animate-in">
<div className="bg-[#282828] w-full max-w-sm rounded-2xl p-6 shadow-2xl border border-white/10">
<div className="flex items-center justify-between mb-4">
<h2 className="text-xl font-bold">Song Info</h2>
<button onClick={() => setIsInfoOpen(false)} className="p-2 bg-white/10 rounded-full hover:bg-white/20">
<svg width="20" height="20" viewBox="0 0 24 24" fill="none" stroke="currentColor" strokeWidth="2"><path d="M18 6L6 18M6 6l12 12" /></svg>
</button>
</div>
<div className="space-y-4">
<div>
<p className="text-sm text-neutral-400">Title</p>
<p className="font-medium text-lg">{currentTrack.title}</p>
</div>
<div>
<p className="text-sm text-neutral-400">Artist</p>
<p
className="font-medium text-lg text-spotify-highlight cursor-pointer hover:underline"
onClick={() => { setPlayerMode('audio'); setIsInfoOpen(false); setIsFullScreenOpen(false); navigate(`/artist/${encodeURIComponent(currentTrack.artist)}`); }}
>
{currentTrack.artist}
</p>
</div>
<div>
<p className="text-sm text-neutral-400">Album</p>
<p className="font-medium text-lg">{currentTrack.album || 'Single'}</p>
</div>
<div className="pt-2 border-t border-white/10">
<p className="text-xs text-neutral-500">Source: YouTube Music</p>
{currentTrack.duration && <p className="text-xs text-neutral-500">Duration: {formatTime(currentTrack.duration)}</p>}
</div>
</div>
</div>
</div>
)}
{/* Modals */}
<QueueModal
isOpen={isQueueOpen}
onClose={() => setIsQueueOpen(false)}
/>
<TechSpecs
isOpen={isTechSpecsOpen}
onClose={() => setIsTechSpecsOpen(false)}
quality={audioQuality}
trackTitle={currentTrack?.title || ''}
/>
{isAddToPlaylistOpen && currentTrack && (
<AddToPlaylistModal
track={currentTrack}
isOpen={true}
onClose={() => setIsAddToPlaylistOpen(false)}
/>
)}
{isLyricsOpen && (
<Lyrics
trackTitle={currentTrack.title}
artistName={currentTrack.artist}
currentTime={progress}
isOpen={isLyricsOpen}
onClose={closeLyrics}
/>
)}
</>
);
}